mirror of
https://github.com/navidrome/navidrome.git
synced 2026-04-17 13:10:27 -04:00
* feat: add shared ImageUploadService for entity image management * feat: add UploadedImage field and methods to Artist model * feat: add uploaded_image column to artist table * feat: add ArtistImageFolder config option * refactor: wire ImageUploadService and delegate playlist file ops to it Wire ImageUploadService into the DI container and refactor the playlist service to delegate image file operations (SetImage/RemoveImage) to the shared ImageUploadService, removing duplicated file I/O logic. A local ImageUploadService interface is defined in core/playlists to avoid an import cycle between core and core/playlists. * feat: artist artwork reader checks uploaded image first * feat: add image-folder priority source for artist artwork * feat: cache key invalidation for image-folder and uploaded images * refactor: extract shared image upload HTTP helpers * feat: add artist image upload/delete API endpoints * refactor: playlist handlers use shared image upload helpers * feat: add shared ImageUploadOverlay component * feat: add i18n keys for artist image upload * feat: add image upload overlay to artist detail pages * refactor: playlist details uses shared ImageUploadOverlay component * fix: add gosec nolint directive for ParseMultipartForm * refactor: deduplicate image upload code and optimize dir scanning - Remove dead ImageFilename methods from Artist and Playlist models (production code uses core.imageFilename exclusively) - Extract shared uploadedImagePath helper in model/image.go - Extract findImageInArtistFolder to deduplicate dir-scanning logic between fromArtistImageFolder and getArtistImageFolderModTime - Fix fileInputRef in useCallback dependency array * fix: include artist UpdatedAt in artwork cache key Without this, uploading or deleting an artist image would not invalidate the cached artwork because the cache key was only based on album folder timestamps, not the artist's own UpdatedAt field. * feat: add Portuguese translations for artist image upload * refactor: use shared i18n keys for cover art upload messages Move cover art upload/remove translations from per-entity sections (artist, playlist) to a shared top-level "message" section, avoiding duplication across entity types and translation files. * refactor: move cover art i18n keys to shared message section for all languages * refactor: simplify image upload code and eliminate redundancies Extracted duplicate image loading/lightbox state logic from DesktopArtistDetails and MobileArtistDetails into a shared useArtistImageState hook. Moved entity type constants to the consts package and replaced raw string literals throughout model, core, and nativeapi packages. Exported model.UploadedImagePath and reused it in core/image_upload.go to consolidate path construction. Cached the ArtistImageFolder lookup result in artistReader to eliminate a redundant os.ReadDir call on every artwork request. Signed-off-by: Deluan <deluan@navidrome.org> * style: fix prettier formatting in ImageUploadOverlay * fix: address code review feedback on image upload error handling - RemoveImage now returns errors instead of swallowing them - Artist handlers distinguish not-found from other DB errors - Defer multipart temp file cleanup after parsing * fix: enforce hard request size limit with MaxBytesReader for image uploads Signed-off-by: Deluan <deluan@navidrome.org> --------- Signed-off-by: Deluan <deluan@navidrome.org>
138 lines
3.8 KiB
Go
138 lines
3.8 KiB
Go
package cmd
|
|
|
|
import (
|
|
"bufio"
|
|
"context"
|
|
"encoding/gob"
|
|
"fmt"
|
|
"os"
|
|
"strings"
|
|
|
|
"github.com/navidrome/navidrome/core"
|
|
"github.com/navidrome/navidrome/core/playlists"
|
|
"github.com/navidrome/navidrome/db"
|
|
"github.com/navidrome/navidrome/log"
|
|
"github.com/navidrome/navidrome/model"
|
|
"github.com/navidrome/navidrome/persistence"
|
|
"github.com/navidrome/navidrome/scanner"
|
|
"github.com/navidrome/navidrome/utils/pl"
|
|
"github.com/spf13/cobra"
|
|
)
|
|
|
|
var (
|
|
fullScan bool
|
|
subprocess bool
|
|
targets []string
|
|
targetFile string
|
|
)
|
|
|
|
func init() {
|
|
scanCmd.Flags().BoolVarP(&fullScan, "full", "f", false, "check all subfolders, ignoring timestamps")
|
|
scanCmd.Flags().BoolVarP(&subprocess, "subprocess", "", false, "run as subprocess (internal use)")
|
|
scanCmd.Flags().StringArrayVarP(&targets, "target", "t", []string{}, "list of libraryID:folderPath pairs, can be repeated (e.g., \"-t 1:Music/Rock -t 1:Music/Jazz -t 2:Classical\")")
|
|
scanCmd.Flags().StringVar(&targetFile, "target-file", "", "path to file containing targets (one libraryID:folderPath per line)")
|
|
rootCmd.AddCommand(scanCmd)
|
|
}
|
|
|
|
var scanCmd = &cobra.Command{
|
|
Use: "scan",
|
|
Short: "Scan music folder",
|
|
Long: "Scan music folder for updates",
|
|
Run: func(cmd *cobra.Command, args []string) {
|
|
runScanner(cmd.Context())
|
|
},
|
|
}
|
|
|
|
func trackScanInteractively(ctx context.Context, progress <-chan *scanner.ProgressInfo) {
|
|
for status := range pl.ReadOrDone(ctx, progress) {
|
|
if status.Warning != "" {
|
|
log.Warn(ctx, "Scan warning", "error", status.Warning)
|
|
}
|
|
if status.Error != "" {
|
|
log.Error(ctx, "Scan error", "error", status.Error)
|
|
}
|
|
// Discard the progress status, we only care about errors
|
|
}
|
|
|
|
if fullScan {
|
|
log.Info("Finished full rescan")
|
|
} else {
|
|
log.Info("Finished rescan")
|
|
}
|
|
}
|
|
|
|
func trackScanAsSubprocess(ctx context.Context, progress <-chan *scanner.ProgressInfo) {
|
|
encoder := gob.NewEncoder(os.Stdout)
|
|
for status := range pl.ReadOrDone(ctx, progress) {
|
|
err := encoder.Encode(status)
|
|
if err != nil {
|
|
log.Error(ctx, "Failed to encode status", err)
|
|
}
|
|
}
|
|
}
|
|
|
|
func runScanner(ctx context.Context) {
|
|
sqlDB := db.Db()
|
|
defer db.Db().Close()
|
|
ds := persistence.New(sqlDB)
|
|
pls := playlists.NewPlaylists(ds, core.NewImageUploadService())
|
|
|
|
// Parse targets from command line or file
|
|
var scanTargets []model.ScanTarget
|
|
var err error
|
|
|
|
if targetFile != "" {
|
|
scanTargets, err = readTargetsFromFile(targetFile)
|
|
if err != nil {
|
|
log.Fatal(ctx, "Failed to read targets from file", err)
|
|
}
|
|
log.Info(ctx, "Scanning specific folders from file", "numTargets", len(scanTargets))
|
|
} else if len(targets) > 0 {
|
|
scanTargets, err = model.ParseTargets(targets)
|
|
if err != nil {
|
|
log.Fatal(ctx, "Failed to parse targets", err)
|
|
}
|
|
log.Info(ctx, "Scanning specific folders", "numTargets", len(scanTargets))
|
|
}
|
|
|
|
progress, err := scanner.CallScan(ctx, ds, pls, fullScan, scanTargets)
|
|
if err != nil {
|
|
log.Fatal(ctx, "Failed to scan", err)
|
|
}
|
|
|
|
// Wait for the scanner to finish
|
|
if subprocess {
|
|
trackScanAsSubprocess(ctx, progress)
|
|
} else {
|
|
trackScanInteractively(ctx, progress)
|
|
}
|
|
}
|
|
|
|
// readTargetsFromFile reads scan targets from a file, one per line.
|
|
// Each line should be in the format "libraryID:folderPath".
|
|
// Empty lines and lines starting with # are ignored.
|
|
func readTargetsFromFile(filePath string) ([]model.ScanTarget, error) {
|
|
file, err := os.Open(filePath)
|
|
if err != nil {
|
|
return nil, fmt.Errorf("failed to open target file: %w", err)
|
|
}
|
|
defer file.Close()
|
|
|
|
var targetStrings []string
|
|
scanner := bufio.NewScanner(file)
|
|
for scanner.Scan() {
|
|
line := strings.TrimSpace(scanner.Text())
|
|
// Skip empty lines and comments
|
|
if line == "" {
|
|
continue
|
|
}
|
|
targetStrings = append(targetStrings, line)
|
|
}
|
|
|
|
if err := scanner.Err(); err != nil {
|
|
return nil, fmt.Errorf("failed to read target file: %w", err)
|
|
}
|
|
|
|
return model.ParseTargets(targetStrings)
|
|
}
|