85 lines
2.5 KiB
Go
85 lines
2.5 KiB
Go
package main
|
|
|
|
import (
|
|
"fmt"
|
|
"github.com/gin-gonic/gin"
|
|
"gorm.io/gorm/clause"
|
|
"log/slog"
|
|
"net/http"
|
|
)
|
|
|
|
func (env *Env) alive(c *gin.Context) {
|
|
c.String(http.StatusOK, "yes!")
|
|
}
|
|
|
|
func (env *Env) getArtistByID(c *gin.Context) {
|
|
artistID := c.Params.ByName("artistID")
|
|
spotifyAuthToken := c.GetString("spotifyAuthToken")
|
|
|
|
if artistID == "" || spotifyAuthToken == "Bearer " {
|
|
c.JSON(http.StatusBadRequest, gin.H{"Error": "Could not find required parameters and/or required authentication tokens"})
|
|
return
|
|
}
|
|
|
|
spotifyResponse, err := getSpotifyArtistData(artistID, spotifyAuthToken)
|
|
if err != nil {
|
|
// cast the error back into our custom type
|
|
// so we can get context on why things failed
|
|
statusCode := err.(*ResponseError).StatusCode
|
|
switch statusCode {
|
|
case 404:
|
|
c.JSON(http.StatusNotFound, gin.H{"Error": "This artist does not exist"})
|
|
return
|
|
case 400:
|
|
c.JSON(http.StatusBadRequest, gin.H{"Error": "Bad request"})
|
|
return
|
|
}
|
|
slog.Error("[GOMUSIC] Failed to request latest spotify data from API", "Error", err)
|
|
c.JSON(http.StatusInternalServerError, gin.H{"Error": "Failed to request the latest data from spotify API"})
|
|
return
|
|
}
|
|
|
|
// Update DB here
|
|
var genreList []Genre
|
|
for _, val := range spotifyResponse.Genres {
|
|
genreList = append(genreList, Genre{Name: val})
|
|
}
|
|
|
|
artistProfile := &ArtistProfile{
|
|
SpotifyID: spotifyResponse.ID,
|
|
Name: spotifyResponse.Name,
|
|
Popularity: spotifyResponse.Popularity,
|
|
Genres: genreList,
|
|
}
|
|
|
|
dbResult := env.db.Clauses(clause.OnConflict{
|
|
Columns: []clause.Column{{Name: "spotify_id"}},
|
|
UpdateAll: true,
|
|
}).Create(&artistProfile)
|
|
|
|
if dbResult.Error != nil {
|
|
slog.Error("[GOMUSIC] Failed to store response in local database", "Error", err)
|
|
}
|
|
|
|
c.JSON(http.StatusOK, artistProfile)
|
|
}
|
|
|
|
func (env *Env) getArtistByName(c *gin.Context) {
|
|
artistName, exists := c.GetQuery("name")
|
|
if !exists {
|
|
c.JSON(http.StatusBadRequest, gin.H{"Error": "name parameter was not supplied"})
|
|
return
|
|
}
|
|
|
|
// Lookup this name in the DB and return any ArtistProfile objects
|
|
// This is case insensitive on sqlite
|
|
var artistProfiles []ArtistProfile
|
|
dbResult := env.db.Where("name LIKE ?", fmt.Sprintf("%%%s%%", artistName)).Preload("Genres").Find(&artistProfiles)
|
|
if dbResult.Error != nil {
|
|
slog.Error("[GOMUSIC] Failed to query local database for artist name", "Name", artistName)
|
|
c.JSON(http.StatusInternalServerError, gin.H{"Error": "Failed to lookup name"})
|
|
return
|
|
}
|
|
|
|
c.JSON(http.StatusOK, artistProfiles)
|
|
}
|