Fix error comparisons

This commit is contained in:
Deluan 2022-09-30 18:54:25 -04:00
parent 7b0a8f47de
commit db67c1277e
27 changed files with 93 additions and 73 deletions

View file

@ -4,6 +4,7 @@ import (
"bytes" "bytes"
"context" "context"
_ "embed" _ "embed"
"errors"
"net/http" "net/http"
"time" "time"
@ -67,7 +68,7 @@ func (s *Router) getLinkStatus(w http.ResponseWriter, r *http.Request) {
resp := map[string]interface{}{} resp := map[string]interface{}{}
u, _ := request.UserFrom(r.Context()) u, _ := request.UserFrom(r.Context())
key, err := s.sessionKeys.Get(r.Context(), u.ID) key, err := s.sessionKeys.Get(r.Context(), u.ID)
if err != nil && err != model.ErrNotFound { if err != nil && !errors.Is(err, model.ErrNotFound) {
resp["error"] = err resp["error"] = err
resp["status"] = false resp["status"] = false
_ = rest.RespondWithJSON(w, http.StatusInternalServerError, resp) _ = rest.RespondWithJSON(w, http.StatusInternalServerError, resp)

View file

@ -3,6 +3,7 @@ package listenbrainz
import ( import (
"context" "context"
"encoding/json" "encoding/json"
"errors"
"net/http" "net/http"
"github.com/deluan/rest" "github.com/deluan/rest"
@ -62,7 +63,7 @@ func (s *Router) getLinkStatus(w http.ResponseWriter, r *http.Request) {
resp := map[string]interface{}{} resp := map[string]interface{}{}
u, _ := request.UserFrom(r.Context()) u, _ := request.UserFrom(r.Context())
key, err := s.sessionKeys.Get(r.Context(), u.ID) key, err := s.sessionKeys.Get(r.Context(), u.ID)
if err != nil && err != model.ErrNotFound { if err != nil && !errors.Is(err, model.ErrNotFound) {
resp["error"] = err resp["error"] = err
resp["status"] = false resp["status"] = false
_ = rest.RespondWithJSON(w, http.StatusInternalServerError, resp) _ = rest.RespondWithJSON(w, http.StatusInternalServerError, resp)

View file

@ -2,6 +2,7 @@ package spotify
import ( import (
"context" "context"
"errors"
"fmt" "fmt"
"net/http" "net/http"
"sort" "sort"
@ -46,7 +47,7 @@ func (s *spotifyAgent) AgentName() string {
func (s *spotifyAgent) GetImages(ctx context.Context, id, name, mbid string) ([]agents.ArtistImage, error) { func (s *spotifyAgent) GetImages(ctx context.Context, id, name, mbid string) ([]agents.ArtistImage, error) {
a, err := s.searchArtist(ctx, name) a, err := s.searchArtist(ctx, name)
if err != nil { if err != nil {
if err == model.ErrNotFound { if errors.Is(err, model.ErrNotFound) {
log.Warn(ctx, "Artist not found in Spotify", "artist", name) log.Warn(ctx, "Artist not found in Spotify", "artist", name)
} else { } else {
log.Error(ctx, "Error calling Spotify", "artist", name, err) log.Error(ctx, "Error calling Spotify", "artist", name, err)

View file

@ -57,7 +57,7 @@ func (ci *imageInfo) Key() string {
func (a *artwork) Get(ctx context.Context, id string, size int) (io.ReadCloser, error) { func (a *artwork) Get(ctx context.Context, id string, size int) (io.ReadCloser, error) {
path, lastUpdate, err := a.getImagePath(ctx, id) path, lastUpdate, err := a.getImagePath(ctx, id)
if err != nil && err != model.ErrNotFound { if err != nil && !errors.Is(err, model.ErrNotFound) {
return nil, err return nil, err
} }
@ -106,7 +106,7 @@ func (a *artwork) getImagePath(ctx context.Context, id string) (path string, las
mf, err = a.ds.MediaFile(ctx).Get(id) mf, err = a.ds.MediaFile(ctx).Get(id)
// If it is not, may be an albumId // If it is not, may be an albumId
if err == model.ErrNotFound { if errors.Is(err, model.ErrNotFound) {
return a.getImagePath(ctx, "al-"+id) return a.getImagePath(ctx, "al-"+id)
} }
if err != nil { if err != nil {

View file

@ -5,6 +5,7 @@ import (
"bytes" "bytes"
"context" "context"
"encoding/json" "encoding/json"
"errors"
"fmt" "fmt"
"io" "io"
"net/url" "net/url"
@ -146,7 +147,7 @@ func (s *playlists) updatePlaylist(ctx context.Context, newPls *model.Playlist)
owner, _ := request.UserFrom(ctx) owner, _ := request.UserFrom(ctx)
pls, err := s.ds.Playlist(ctx).FindByPath(newPls.Path) pls, err := s.ds.Playlist(ctx).FindByPath(newPls.Path)
if err != nil && err != model.ErrNotFound { if err != nil && !errors.Is(err, model.ErrNotFound) {
return err return err
} }
if err == nil && !pls.Sync { if err == nil && !pls.Sync {

View file

@ -2,6 +2,7 @@ package scrobbler
import ( import (
"context" "context"
"errors"
"time" "time"
"github.com/navidrome/navidrome/log" "github.com/navidrome/navidrome/log"
@ -92,16 +93,14 @@ func (b *bufferedScrobbler) processUserQueue(ctx context.Context, userId string)
MediaFile: entry.MediaFile, MediaFile: entry.MediaFile,
TimeStamp: entry.PlayTime, TimeStamp: entry.PlayTime,
}) })
if errors.Is(err, ErrRetryLater) {
log.Warn(ctx, "Could not send scrobble. Will be retried", "userId", entry.UserID,
"track", entry.Title, "artist", entry.Artist, "scrobbler", b.service, err)
return false
}
if err != nil { if err != nil {
switch err { log.Error(ctx, "Error sending scrobble to service. Discarding", "scrobbler", b.service,
case ErrRetryLater: "userId", entry.UserID, "artist", entry.Artist, "track", entry.Title, err)
log.Warn(ctx, "Could not send scrobble. Will be retried", "userId", entry.UserID,
"track", entry.Title, "artist", entry.Artist, "scrobbler", b.service, err)
return false
default:
log.Error(ctx, "Error sending scrobble to service. Discarding", "scrobbler", b.service,
"userId", entry.UserID, "artist", entry.Artist, "track", entry.Title, err)
}
} }
err = buffer.Dequeue(entry) err = buffer.Dequeue(entry)
if err != nil { if err != nil {

View file

@ -2,6 +2,7 @@ package persistence
import ( import (
"context" "context"
"errors"
. "github.com/Masterminds/squirrel" . "github.com/Masterminds/squirrel"
"github.com/beego/beego/v2/client/orm" "github.com/beego/beego/v2/client/orm"
@ -102,7 +103,7 @@ func (r *playerRepository) Save(entity interface{}) (string, error) {
return "", rest.ErrPermissionDenied return "", rest.ErrPermissionDenied
} }
id, err := r.put(t.ID, t) id, err := r.put(t.ID, t)
if err == model.ErrNotFound { if errors.Is(err, model.ErrNotFound) {
return "", rest.ErrNotFound return "", rest.ErrNotFound
} }
return id, err return id, err
@ -115,7 +116,7 @@ func (r *playerRepository) Update(id string, entity interface{}, cols ...string)
return rest.ErrPermissionDenied return rest.ErrPermissionDenied
} }
_, err := r.put(id, t, cols...) _, err := r.put(id, t, cols...)
if err == model.ErrNotFound { if errors.Is(err, model.ErrNotFound) {
return rest.ErrNotFound return rest.ErrNotFound
} }
return err return err
@ -124,7 +125,7 @@ func (r *playerRepository) Update(id string, entity interface{}, cols ...string)
func (r *playerRepository) Delete(id string) error { func (r *playerRepository) Delete(id string) error {
filter := r.addRestriction(And{Eq{"id": id}}) filter := r.addRestriction(And{Eq{"id": id}})
err := r.delete(filter) err := r.delete(filter)
if err == model.ErrNotFound { if errors.Is(err, model.ErrNotFound) {
return rest.ErrNotFound return rest.ErrNotFound
} }
return err return err

View file

@ -3,6 +3,7 @@ package persistence
import ( import (
"context" "context"
"encoding/json" "encoding/json"
"errors"
"strings" "strings"
"time" "time"
@ -395,7 +396,7 @@ func (r *playlistRepository) Update(id string, entity interface{}, cols ...strin
pls.ID = id pls.ID = id
pls.UpdatedAt = time.Now() pls.UpdatedAt = time.Now()
_, err = r.put(id, pls, append(cols, "updatedAt")...) _, err = r.put(id, pls, append(cols, "updatedAt")...)
if err == model.ErrNotFound { if errors.Is(err, model.ErrNotFound) {
return rest.ErrNotFound return rest.ErrNotFound
} }
return err return err

View file

@ -2,6 +2,7 @@ package persistence
import ( import (
"context" "context"
"errors"
. "github.com/Masterminds/squirrel" . "github.com/Masterminds/squirrel"
"github.com/beego/beego/v2/client/orm" "github.com/beego/beego/v2/client/orm"
@ -48,7 +49,7 @@ func (r propertyRepository) Get(id string) (string, error) {
func (r propertyRepository) DefaultGet(id string, defaultValue string) (string, error) { func (r propertyRepository) DefaultGet(id string, defaultValue string) (string, error) {
value, err := r.Get(id) value, err := r.Get(id)
if err == model.ErrNotFound { if errors.Is(err, model.ErrNotFound) {
return defaultValue, nil return defaultValue, nil
} }
if err != nil { if err != nil {

View file

@ -2,6 +2,7 @@ package persistence
import ( import (
"context" "context"
"errors"
"time" "time"
. "github.com/Masterminds/squirrel" . "github.com/Masterminds/squirrel"
@ -59,7 +60,7 @@ func (r *scrobbleBufferRepository) Next(service string, userId string) (*model.S
res := model.ScrobbleEntries{} res := model.ScrobbleEntries{}
// TODO Rewrite queryOne to use QueryRows, to workaround the recursive embedded structs issue // TODO Rewrite queryOne to use QueryRows, to workaround the recursive embedded structs issue
err := r.queryAll(sql, &res) err := r.queryAll(sql, &res)
if err == model.ErrNotFound || len(res) == 0 { if errors.Is(err, model.ErrNotFound) || len(res) == 0 {
return nil, nil return nil, nil
} }
if err != nil { if err != nil {

View file

@ -2,6 +2,7 @@ package persistence
import ( import (
"context" "context"
"errors"
. "github.com/Masterminds/squirrel" . "github.com/Masterminds/squirrel"
"github.com/beego/beego/v2/client/orm" "github.com/beego/beego/v2/client/orm"
@ -24,7 +25,7 @@ func NewShareRepository(ctx context.Context, o orm.QueryExecutor) model.ShareRep
func (r *shareRepository) Delete(id string) error { func (r *shareRepository) Delete(id string) error {
err := r.delete(Eq{"id": id}) err := r.delete(Eq{"id": id})
if err == model.ErrNotFound { if errors.Is(err, model.ErrNotFound) {
return rest.ErrNotFound return rest.ErrNotFound
} }
return err return err
@ -50,7 +51,7 @@ func (r *shareRepository) Update(id string, entity interface{}, cols ...string)
s := entity.(*model.Share) s := entity.(*model.Share)
s.ID = id s.ID = id
_, err := r.put(id, s, cols...) _, err := r.put(id, s, cols...)
if err == model.ErrNotFound { if errors.Is(err, model.ErrNotFound) {
return rest.ErrNotFound return rest.ErrNotFound
} }
return err return err
@ -59,7 +60,7 @@ func (r *shareRepository) Update(id string, entity interface{}, cols ...string)
func (r *shareRepository) Save(entity interface{}) (string, error) { func (r *shareRepository) Save(entity interface{}) (string, error) {
s := entity.(*model.Share) s := entity.(*model.Share)
id, err := r.put(s.ID, s) id, err := r.put(s.ID, s)
if err == model.ErrNotFound { if errors.Is(err, model.ErrNotFound) {
return "", rest.ErrNotFound return "", rest.ErrNotFound
} }
return id, err return id, err

View file

@ -1,6 +1,7 @@
package persistence package persistence
import ( import (
"errors"
"time" "time"
. "github.com/Masterminds/squirrel" . "github.com/Masterminds/squirrel"
@ -35,7 +36,7 @@ func (r sqlRepository) annUpsert(values map[string]interface{}, itemIDs ...strin
upd = upd.Set(f, v) upd = upd.Set(f, v)
} }
c, err := r.executeSQL(upd) c, err := r.executeSQL(upd)
if c == 0 || err == orm.ErrNoRows { if c == 0 || errors.Is(err, orm.ErrNoRows) {
for _, itemID := range itemIDs { for _, itemID := range itemIDs {
values["ann_id"] = uuid.NewString() values["ann_id"] = uuid.NewString()
values["user_id"] = userId(r.ctx) values["user_id"] = userId(r.ctx)
@ -66,7 +67,7 @@ func (r sqlRepository) IncPlayCount(itemID string, ts time.Time) error {
Set("play_date", ts) Set("play_date", ts)
c, err := r.executeSQL(upd) c, err := r.executeSQL(upd)
if c == 0 || err == orm.ErrNoRows { if c == 0 || errors.Is(err, orm.ErrNoRows) {
values := map[string]interface{}{} values := map[string]interface{}{}
values["ann_id"] = uuid.NewString() values["ann_id"] = uuid.NewString()
values["user_id"] = userId(r.ctx) values["user_id"] = userId(r.ctx)

View file

@ -2,6 +2,7 @@ package persistence
import ( import (
"context" "context"
"errors"
"fmt" "fmt"
"strings" "strings"
"time" "time"
@ -146,7 +147,7 @@ func (r sqlRepository) queryOne(sq Sqlizer, response interface{}) error {
} }
start := time.Now() start := time.Now()
err = r.ormer.Raw(query, args...).QueryRow(response) err = r.ormer.Raw(query, args...).QueryRow(response)
if err == orm.ErrNoRows { if errors.Is(err, orm.ErrNoRows) {
r.logSQL(query, args, nil, 0, start) r.logSQL(query, args, nil, 0, start)
return model.ErrNotFound return model.ErrNotFound
} }
@ -161,7 +162,7 @@ func (r sqlRepository) queryAll(sq Sqlizer, response interface{}) error {
} }
start := time.Now() start := time.Now()
c, err := r.ormer.Raw(query, args...).QueryRows(response) c, err := r.ormer.Raw(query, args...).QueryRows(response)
if err == orm.ErrNoRows { if errors.Is(err, orm.ErrNoRows) {
r.logSQL(query, args, nil, c, start) r.logSQL(query, args, nil, c, start)
return model.ErrNotFound return model.ErrNotFound
} }
@ -224,7 +225,7 @@ func (r sqlRepository) put(id string, m interface{}, colsToUpdate ...string) (ne
func (r sqlRepository) delete(cond Sqlizer) error { func (r sqlRepository) delete(cond Sqlizer) error {
del := Delete(r.tableName).Where(cond) del := Delete(r.tableName).Where(cond)
_, err := r.executeSQL(del) _, err := r.executeSQL(del)
if err == orm.ErrNoRows { if errors.Is(err, orm.ErrNoRows) {
return model.ErrNotFound return model.ErrNotFound
} }
return err return err

View file

@ -1,6 +1,7 @@
package persistence package persistence
import ( import (
"errors"
"time" "time"
. "github.com/Masterminds/squirrel" . "github.com/Masterminds/squirrel"
@ -44,7 +45,7 @@ func (r sqlRepository) bmkUpsert(itemID, comment string, position int64) error {
if err == nil { if err == nil {
log.Debug(r.ctx, "Updated bookmark", "id", itemID, "user", user.UserName, "position", position, "comment", comment) log.Debug(r.ctx, "Updated bookmark", "id", itemID, "user", user.UserName, "position", position, "comment", comment)
} }
if c == 0 || err == orm.ErrNoRows { if c == 0 || errors.Is(err, orm.ErrNoRows) {
values["user_id"] = user.ID values["user_id"] = user.ID
values["item_type"] = r.tableName values["item_type"] = r.tableName
values["item_id"] = itemID values["item_id"] = itemID

View file

@ -2,6 +2,7 @@ package persistence
import ( import (
"context" "context"
"errors"
. "github.com/Masterminds/squirrel" . "github.com/Masterminds/squirrel"
"github.com/beego/beego/v2/client/orm" "github.com/beego/beego/v2/client/orm"
@ -71,7 +72,7 @@ func (r *transcodingRepository) NewInstance() interface{} {
func (r *transcodingRepository) Save(entity interface{}) (string, error) { func (r *transcodingRepository) Save(entity interface{}) (string, error) {
t := entity.(*model.Transcoding) t := entity.(*model.Transcoding)
id, err := r.put(t.ID, t) id, err := r.put(t.ID, t)
if err == model.ErrNotFound { if errors.Is(err, model.ErrNotFound) {
return "", rest.ErrNotFound return "", rest.ErrNotFound
} }
return id, err return id, err
@ -81,7 +82,7 @@ func (r *transcodingRepository) Update(id string, entity interface{}, cols ...st
t := entity.(*model.Transcoding) t := entity.(*model.Transcoding)
t.ID = id t.ID = id
_, err := r.put(id, t) _, err := r.put(id, t)
if err == model.ErrNotFound { if errors.Is(err, model.ErrNotFound) {
return rest.ErrNotFound return rest.ErrNotFound
} }
return err return err
@ -89,7 +90,7 @@ func (r *transcodingRepository) Update(id string, entity interface{}, cols ...st
func (r *transcodingRepository) Delete(id string) error { func (r *transcodingRepository) Delete(id string) error {
err := r.delete(Eq{"id": id}) err := r.delete(Eq{"id": id})
if err == model.ErrNotFound { if errors.Is(err, model.ErrNotFound) {
return rest.ErrNotFound return rest.ErrNotFound
} }
return err return err

View file

@ -2,6 +2,7 @@ package persistence
import ( import (
"context" "context"
"errors"
. "github.com/Masterminds/squirrel" . "github.com/Masterminds/squirrel"
"github.com/beego/beego/v2/client/orm" "github.com/beego/beego/v2/client/orm"
@ -48,7 +49,7 @@ func (r userPropsRepository) Get(userId, key string) (string, error) {
func (r userPropsRepository) DefaultGet(userId, key string, defaultValue string) (string, error) { func (r userPropsRepository) DefaultGet(userId, key string, defaultValue string) (string, error) {
value, err := r.Get(userId, key) value, err := r.Get(userId, key)
if err == model.ErrNotFound { if errors.Is(err, model.ErrNotFound) {
return defaultValue, nil return defaultValue, nil
} }
if err != nil { if err != nil {

View file

@ -131,7 +131,7 @@ func (r *userRepository) Read(id string) (interface{}, error) {
return nil, rest.ErrPermissionDenied return nil, rest.ErrPermissionDenied
} }
usr, err := r.Get(id) usr, err := r.Get(id)
if err == model.ErrNotFound { if errors.Is(err, model.ErrNotFound) {
return nil, rest.ErrNotFound return nil, rest.ErrNotFound
} }
return usr, err return usr, err
@ -195,7 +195,7 @@ func (r *userRepository) Update(id string, entity interface{}, cols ...string) e
return err return err
} }
err := r.Put(u) err := r.Put(u)
if err == model.ErrNotFound { if errors.Is(err, model.ErrNotFound) {
return rest.ErrNotFound return rest.ErrNotFound
} }
return err return err
@ -225,7 +225,7 @@ func validatePasswordChange(newUser *model.User, logged *model.User) error {
func validateUsernameUnique(r model.UserRepository, u *model.User) error { func validateUsernameUnique(r model.UserRepository, u *model.User) error {
usr, err := r.FindByUsername(u.UserName) usr, err := r.FindByUsername(u.UserName)
if err == model.ErrNotFound { if errors.Is(err, model.ErrNotFound) {
return nil return nil
} }
if err != nil { if err != nil {
@ -243,7 +243,7 @@ func (r *userRepository) Delete(id string) error {
return rest.ErrPermissionDenied return rest.ErrPermissionDenied
} }
err := r.delete(Eq{"id": id}) err := r.delete(Eq{"id": id})
if err == model.ErrNotFound { if errors.Is(err, model.ErrNotFound) {
return rest.ErrNotFound return rest.ErrNotFound
} }
return err return err

View file

@ -156,7 +156,7 @@ func createAdminUser(ctx context.Context, ds model.DataStore, username, password
func validateLogin(userRepo model.UserRepository, userName, password string) (*model.User, error) { func validateLogin(userRepo model.UserRepository, userName, password string) (*model.User, error) {
u, err := userRepo.FindByUsernameWithPassword(userName) u, err := userRepo.FindByUsernameWithPassword(userName)
if err == model.ErrNotFound { if errors.Is(err, model.ErrNotFound) {
return nil, nil return nil, nil
} }
if err != nil { if err != nil {

View file

@ -145,7 +145,7 @@ func (b *broker) ServeHTTP(w http.ResponseWriter, r *http.Request) {
return return
} }
log.Trace(ctx, "Sending event to client", "event", *event, "client", c.String()) log.Trace(ctx, "Sending event to client", "event", *event, "client", c.String())
if err := writeEvent(w, *event, writeTimeOut); err == errWriteTimeOut { if err := writeEvent(w, *event, writeTimeOut); errors.Is(err, errWriteTimeOut) {
log.Debug(ctx, "Timeout sending event to client", "event", *event, "client", c.String()) log.Debug(ctx, "Timeout sending event to client", "event", *event, "client", c.String())
return return
} }

View file

@ -1,6 +1,7 @@
package server package server
import ( import (
"errors"
"fmt" "fmt"
"io/fs" "io/fs"
"net/http" "net/http"
@ -118,7 +119,7 @@ func clientUniqueIdAdder(next http.Handler) http.Handler {
http.SetCookie(w, c) http.SetCookie(w, c)
} else { } else {
c, err := r.Cookie(consts.UIClientUniqueIDHeader) c, err := r.Cookie(consts.UIClientUniqueIDHeader)
if err != http.ErrNoCookie { if !errors.Is(err, http.ErrNoCookie) {
clientUniqueId = c.Value clientUniqueId = c.Value
} }
} }

View file

@ -3,6 +3,7 @@ package nativeapi
import ( import (
"context" "context"
"encoding/json" "encoding/json"
"errors"
"fmt" "fmt"
"net/http" "net/http"
"strconv" "strconv"
@ -47,7 +48,7 @@ func handleExportPlaylist(ds model.DataStore) http.HandlerFunc {
plsRepo := ds.Playlist(ctx) plsRepo := ds.Playlist(ctx)
plsId := chi.URLParam(r, "playlistId") plsId := chi.URLParam(r, "playlistId")
pls, err := plsRepo.GetWithTracks(plsId) pls, err := plsRepo.GetWithTracks(plsId)
if err == model.ErrNotFound { if errors.Is(err, model.ErrNotFound) {
log.Warn("Playlist not found", "playlistId", plsId) log.Warn("Playlist not found", "playlistId", plsId)
http.Error(w, "not found", http.StatusNotFound) http.Error(w, "not found", http.StatusNotFound)
return return
@ -89,7 +90,7 @@ func deleteFromPlaylist(ds model.DataStore) http.HandlerFunc {
tracksRepo := tx.Playlist(r.Context()).Tracks(playlistId) tracksRepo := tx.Playlist(r.Context()).Tracks(playlistId)
return tracksRepo.Delete(ids...) return tracksRepo.Delete(ids...)
}) })
if len(ids) == 1 && err == model.ErrNotFound { if len(ids) == 1 && errors.Is(err, model.ErrNotFound) {
log.Warn(r.Context(), "Track not found in playlist", "playlistId", playlistId, "id", ids[0]) log.Warn(r.Context(), "Track not found in playlist", "playlistId", playlistId, "id", ids[0])
http.Error(w, "not found", http.StatusNotFound) http.Error(w, "not found", http.StatusNotFound)
return return
@ -190,7 +191,7 @@ func reorderItem(ds model.DataStore) http.HandlerFunc {
} }
tracksRepo := ds.Playlist(r.Context()).Tracks(playlistId) tracksRepo := ds.Playlist(r.Context()).Tracks(playlistId)
err = tracksRepo.Reorder(id, newPos) err = tracksRepo.Reorder(id, newPos)
if err == rest.ErrPermissionDenied { if errors.Is(err, rest.ErrPermissionDenied) {
http.Error(w, err.Error(), http.StatusForbidden) http.Error(w, err.Error(), http.StatusForbidden)
return return
} }

View file

@ -3,6 +3,7 @@ package subsonic
import ( import (
"encoding/json" "encoding/json"
"encoding/xml" "encoding/xml"
"errors"
"fmt" "fmt"
"net/http" "net/http"
"runtime" "runtime"
@ -183,7 +184,7 @@ func h(r chi.Router, path string, f handler) {
if err != nil { if err != nil {
// If it is not a Subsonic error, convert it to an ErrorGeneric // If it is not a Subsonic error, convert it to an ErrorGeneric
if _, ok := err.(subError); !ok { if _, ok := err.(subError); !ok {
if err == model.ErrNotFound { if errors.Is(err, model.ErrNotFound) {
err = newError(responses.ErrorDataNotFound, "data not found") err = newError(responses.ErrorDataNotFound, "data not found")
} else { } else {
err = newError(responses.ErrorGeneric, "Internal Error") err = newError(responses.ErrorGeneric, "Internal Error")

View file

@ -2,6 +2,7 @@ package subsonic
import ( import (
"context" "context"
"errors"
"net/http" "net/http"
"strconv" "strconv"
"time" "time"
@ -104,11 +105,11 @@ func (c *BrowsingController) GetMusicDirectory(w http.ResponseWriter, r *http.Re
ctx := r.Context() ctx := r.Context()
entity, err := core.GetEntityByID(ctx, c.ds, id) entity, err := core.GetEntityByID(ctx, c.ds, id)
switch { if errors.Is(err, model.ErrNotFound) {
case err == model.ErrNotFound:
log.Error(r, "Requested ID not found ", "id", id) log.Error(r, "Requested ID not found ", "id", id)
return nil, newError(responses.ErrorDataNotFound, "Directory not found") return nil, newError(responses.ErrorDataNotFound, "Directory not found")
case err != nil: }
if err != nil {
log.Error(err) log.Error(err)
return nil, err return nil, err
} }
@ -140,11 +141,11 @@ func (c *BrowsingController) GetArtist(w http.ResponseWriter, r *http.Request) (
ctx := r.Context() ctx := r.Context()
artist, err := c.ds.Artist(ctx).Get(id) artist, err := c.ds.Artist(ctx).Get(id)
switch { if errors.Is(err, model.ErrNotFound) {
case err == model.ErrNotFound:
log.Error(ctx, "Requested ArtistID not found ", "id", id) log.Error(ctx, "Requested ArtistID not found ", "id", id)
return nil, newError(responses.ErrorDataNotFound, "Artist not found") return nil, newError(responses.ErrorDataNotFound, "Artist not found")
case err != nil: }
if err != nil {
log.Error(ctx, "Error retrieving artist", "id", id, err) log.Error(ctx, "Error retrieving artist", "id", id, err)
return nil, err return nil, err
} }
@ -165,11 +166,11 @@ func (c *BrowsingController) GetAlbum(w http.ResponseWriter, r *http.Request) (*
ctx := r.Context() ctx := r.Context()
album, err := c.ds.Album(ctx).Get(id) album, err := c.ds.Album(ctx).Get(id)
switch { if errors.Is(err, model.ErrNotFound) {
case err == model.ErrNotFound:
log.Error(ctx, "Requested AlbumID not found ", "id", id) log.Error(ctx, "Requested AlbumID not found ", "id", id)
return nil, newError(responses.ErrorDataNotFound, "Album not found") return nil, newError(responses.ErrorDataNotFound, "Album not found")
case err != nil: }
if err != nil {
log.Error(ctx, "Error retrieving album", "id", id, err) log.Error(ctx, "Error retrieving album", "id", id, err)
return nil, err return nil, err
} }
@ -190,11 +191,11 @@ func (c *BrowsingController) GetSong(w http.ResponseWriter, r *http.Request) (*r
ctx := r.Context() ctx := r.Context()
mf, err := c.ds.MediaFile(ctx).Get(id) mf, err := c.ds.MediaFile(ctx).Get(id)
switch { if errors.Is(err, model.ErrNotFound) {
case err == model.ErrNotFound:
log.Error(r, "Requested MediaFileID not found ", "id", id) log.Error(r, "Requested MediaFileID not found ", "id", id)
return nil, newError(responses.ErrorDataNotFound, "Song not found") return nil, newError(responses.ErrorDataNotFound, "Song not found")
case err != nil: }
if err != nil {
log.Error(r, "Error retrieving MediaFile", "id", id, err) log.Error(r, "Error retrieving MediaFile", "id", id, err)
return nil, err return nil, err
} }

View file

@ -2,6 +2,7 @@ package subsonic
import ( import (
"context" "context"
"errors"
"fmt" "fmt"
"net/http" "net/http"
"time" "time"
@ -39,11 +40,11 @@ func (c *MediaAnnotationController) SetRating(w http.ResponseWriter, r *http.Req
log.Debug(r, "Setting rating", "rating", rating, "id", id) log.Debug(r, "Setting rating", "rating", rating, "id", id)
err = c.setRating(r.Context(), id, rating) err = c.setRating(r.Context(), id, rating)
switch { if errors.Is(err, model.ErrNotFound) {
case err == model.ErrNotFound:
log.Error(r, err) log.Error(r, err)
return nil, newError(responses.ErrorDataNotFound, "ID not found") return nil, newError(responses.ErrorDataNotFound, "ID not found")
case err != nil: }
if err != nil {
log.Error(r, err) log.Error(r, err)
return nil, err return nil, err
} }
@ -161,11 +162,11 @@ func (c *MediaAnnotationController) setStar(ctx context.Context, star bool, ids
return nil return nil
}) })
switch { if errors.Is(err, model.ErrNotFound) {
case err == model.ErrNotFound:
log.Error(ctx, err) log.Error(ctx, err)
return newError(responses.ErrorDataNotFound, "ID not found") return newError(responses.ErrorDataNotFound, "ID not found")
case err != nil: }
if err != nil {
log.Error(ctx, err) log.Error(ctx, err)
return err return err
} }

View file

@ -1,6 +1,7 @@
package subsonic package subsonic
import ( import (
"errors"
"io" "io"
"net/http" "net/http"
"regexp" "regexp"
@ -66,11 +67,11 @@ func (c *MediaRetrievalController) GetCoverArt(w http.ResponseWriter, r *http.Re
w.Header().Set("cache-control", "public, max-age=315360000") w.Header().Set("cache-control", "public, max-age=315360000")
imgReader, err := c.artwork.Get(r.Context(), id, size) imgReader, err := c.artwork.Get(r.Context(), id, size)
switch { if errors.Is(err, model.ErrNotFound) {
case err == model.ErrNotFound:
log.Error(r, "Couldn't find coverArt", "id", id, err) log.Error(r, "Couldn't find coverArt", "id", id, err)
return nil, newError(responses.ErrorDataNotFound, "Artwork not found") return nil, newError(responses.ErrorDataNotFound, "Artwork not found")
case err != nil: }
if err != nil {
log.Error(r, "Error retrieving coverArt", "id", id, err) log.Error(r, "Error retrieving coverArt", "id", id, err)
return nil, err return nil, err
} }

View file

@ -4,6 +4,7 @@ import (
"context" "context"
"crypto/md5" "crypto/md5"
"encoding/hex" "encoding/hex"
"errors"
"fmt" "fmt"
"net" "net"
"net/http" "net/http"
@ -78,7 +79,7 @@ func authenticate(ds model.DataStore) func(next http.Handler) http.Handler {
jwt := utils.ParamString(r, "jwt") jwt := utils.ParamString(r, "jwt")
usr, err := validateUser(ctx, ds, username, pass, token, salt, jwt) usr, err := validateUser(ctx, ds, username, pass, token, salt, jwt)
if err == model.ErrInvalidAuth { if errors.Is(err, model.ErrInvalidAuth) {
log.Warn(ctx, "API: Invalid login", "username", username, "remoteAddr", r.RemoteAddr, err) log.Warn(ctx, "API: Invalid login", "username", username, "remoteAddr", r.RemoteAddr, err)
} else if err != nil { } else if err != nil {
log.Error(ctx, "API: Error authenticating username", "username", username, "remoteAddr", r.RemoteAddr, err) log.Error(ctx, "API: Error authenticating username", "username", username, "remoteAddr", r.RemoteAddr, err)
@ -107,7 +108,7 @@ func authenticate(ds model.DataStore) func(next http.Handler) http.Handler {
func validateUser(ctx context.Context, ds model.DataStore, username, pass, token, salt, jwt string) (*model.User, error) { func validateUser(ctx context.Context, ds model.DataStore, username, pass, token, salt, jwt string) (*model.User, error) {
user, err := ds.User(ctx).FindByUsernameWithPassword(username) user, err := ds.User(ctx).FindByUsernameWithPassword(username)
if err == model.ErrNotFound { if errors.Is(err, model.ErrNotFound) {
return nil, model.ErrInvalidAuth return nil, model.ErrInvalidAuth
} }
if err != nil { if err != nil {

View file

@ -49,11 +49,11 @@ func (c *PlaylistsController) GetPlaylist(w http.ResponseWriter, r *http.Request
func (c *PlaylistsController) getPlaylist(ctx context.Context, id string) (*responses.Subsonic, error) { func (c *PlaylistsController) getPlaylist(ctx context.Context, id string) (*responses.Subsonic, error) {
pls, err := c.ds.Playlist(ctx).GetWithTracks(id) pls, err := c.ds.Playlist(ctx).GetWithTracks(id)
switch { if errors.Is(err, model.ErrNotFound) {
case err == model.ErrNotFound:
log.Error(ctx, err.Error(), "id", id) log.Error(ctx, err.Error(), "id", id)
return nil, newError(responses.ErrorDataNotFound, "Directory not found") return nil, newError(responses.ErrorDataNotFound, "Directory not found")
case err != nil: }
if err != nil {
log.Error(ctx, err) log.Error(ctx, err)
return nil, err return nil, err
} }
@ -113,7 +113,7 @@ func (c *PlaylistsController) DeletePlaylist(w http.ResponseWriter, r *http.Requ
return nil, err return nil, err
} }
err = c.ds.Playlist(r.Context()).Delete(id) err = c.ds.Playlist(r.Context()).Delete(id)
if err == model.ErrNotAuthorized { if errors.Is(err, model.ErrNotAuthorized) {
return nil, newError(responses.ErrorAuthorizationFail) return nil, newError(responses.ErrorAuthorizationFail)
} }
if err != nil { if err != nil {
@ -152,7 +152,7 @@ func (c *PlaylistsController) UpdatePlaylist(w http.ResponseWriter, r *http.Requ
log.Trace(r, fmt.Sprintf("-- Removing: '%v'", songIndexesToRemove)) log.Trace(r, fmt.Sprintf("-- Removing: '%v'", songIndexesToRemove))
err = c.pls.Update(r.Context(), playlistId, plsName, comment, public, songsToAdd, songIndexesToRemove) err = c.pls.Update(r.Context(), playlistId, plsName, comment, public, songsToAdd, songIndexesToRemove)
if err == model.ErrNotAuthorized { if errors.Is(err, model.ErrNotAuthorized) {
return nil, newError(responses.ErrorAuthorizationFail) return nil, newError(responses.ErrorAuthorizationFail)
} }
if err != nil { if err != nil {