Compare commits
	
		
			2 Commits
		
	
	
		
			main
			...
			multirelea
		
	
	| Author | SHA1 | Date | |
|---|---|---|---|
| c160a0a24a | |||
| b1eed73dec | 
							
								
								
									
										258
									
								
								main.go
									
									
									
									
									
								
							
							
						
						
									
										258
									
								
								main.go
									
									
									
									
									
								
							| @@ -12,6 +12,7 @@ import ( | |||||||
| 	"regexp" | 	"regexp" | ||||||
| 	"strconv" | 	"strconv" | ||||||
| 	"strings" | 	"strings" | ||||||
|  | 	"sync" | ||||||
| 	"time" | 	"time" | ||||||
| ) | ) | ||||||
|  |  | ||||||
| @@ -20,26 +21,45 @@ type FileQuality struct { | |||||||
| 	Bitrate      int | 	Bitrate      int | ||||||
| 	Bitdepth     int | 	Bitdepth     int | ||||||
| 	Size         int64 | 	Size         int64 | ||||||
|  | 	ReleaseID    string // MusicBrainz release ID or other unique identifier | ||||||
|  | 	ReleaseYear  string // Release year from metadata | ||||||
|  | 	CatalogNum   string // Catalog number | ||||||
|  | 	ReleaseInfo  string // Human-readable release info for logging | ||||||
|  | } | ||||||
|  |  | ||||||
|  | type ProcessResult struct { | ||||||
|  | 	BaseFile       string | ||||||
|  | 	SpaceRecovered int64 | ||||||
|  | 	Processed      bool | ||||||
| } | } | ||||||
|  |  | ||||||
| var ( | var ( | ||||||
| 	logFile     *os.File | 	logFile     *os.File | ||||||
| 	armed       bool | 	armed       bool | ||||||
| 	dryRun      bool | 	dryRun      bool | ||||||
|  | 	forceMode   bool  // Force processing even if releases appear different | ||||||
|  | 	verbose     bool  // Control console output | ||||||
|  | 	concurrency int   // Number of concurrent goroutines | ||||||
| 	logWriter   *bufio.Writer | 	logWriter   *bufio.Writer | ||||||
| 	version    = "1.0.0" | 	version     = "1.2.0" | ||||||
| 	dateFormat  = "2006-01-02 15:04:05" | 	dateFormat  = "2006-01-02 15:04:05" | ||||||
|  | 	logMutex    sync.Mutex | ||||||
| ) | ) | ||||||
|  |  | ||||||
| func init() { | func init() { | ||||||
| 	flag.BoolVar(&armed, "armed", false, "Enable actual file operations (rename/delete)") | 	flag.BoolVar(&armed, "armed", false, "Enable actual file operations (rename/delete)") | ||||||
| 	flag.BoolVar(&dryRun, "dry-run", false, "Simulate operations without making changes") | 	flag.BoolVar(&dryRun, "dry-run", false, "Simulate operations without making changes") | ||||||
|  | 	flag.BoolVar(&forceMode, "force", false, "Force processing even if releases appear different") | ||||||
|  | 	flag.BoolVar(&verbose, "verbose", false, "Show detailed logs on console") | ||||||
|  | 	flag.IntVar(&concurrency, "concurrency", 4, "Number of concurrent file groups to process") | ||||||
| 	flag.Usage = func() { | 	flag.Usage = func() { | ||||||
| 		fmt.Fprintf(flag.CommandLine.Output(), "FLAC Duplicate Cleaner v%s\n", version) | 		fmt.Fprintf(flag.CommandLine.Output(), "FLAC Duplicate Cleaner v%s\n", version) | ||||||
| 		fmt.Fprintf(flag.CommandLine.Output(), "Usage: %s [options] [directory]\n", os.Args[0]) | 		fmt.Fprintf(flag.CommandLine.Output(), "Usage: %s [options] [directory]\n", os.Args[0]) | ||||||
| 		flag.PrintDefaults() | 		flag.PrintDefaults() | ||||||
| 		fmt.Println("\nBy default, runs in dry-run mode showing what would be done") | 		fmt.Println("\nBy default, runs in dry-run mode showing what would be done") | ||||||
| 		fmt.Println("Specify -armed to actually perform operations") | 		fmt.Println("Specify -armed to actually perform operations") | ||||||
|  | 		fmt.Println("Use -force to process files even if they appear to be from different releases") | ||||||
|  | 		fmt.Println("Add -verbose to show detailed logs on console") | ||||||
| 	} | 	} | ||||||
| } | } | ||||||
|  |  | ||||||
| @@ -50,16 +70,33 @@ func initLogging(logFilename string) error { | |||||||
| 		return fmt.Errorf("failed to open log file: %w", err) | 		return fmt.Errorf("failed to open log file: %w", err) | ||||||
| 	} | 	} | ||||||
| 	logWriter = bufio.NewWriter(logFile) | 	logWriter = bufio.NewWriter(logFile) | ||||||
|  | 	 | ||||||
|  | 	// Set log output based on verbose flag | ||||||
|  | 	if verbose { | ||||||
| 		log.SetOutput(io.MultiWriter(os.Stdout, logWriter)) | 		log.SetOutput(io.MultiWriter(os.Stdout, logWriter)) | ||||||
|  | 	} else { | ||||||
|  | 		log.SetOutput(logWriter) | ||||||
|  | 	} | ||||||
|  | 	 | ||||||
| 	return nil | 	return nil | ||||||
| } | } | ||||||
|  |  | ||||||
| func closeLogging() { | func closeLogging() { | ||||||
|  | 	logMutex.Lock() | ||||||
|  | 	defer logMutex.Unlock() | ||||||
| 	logWriter.Flush() | 	logWriter.Flush() | ||||||
| 	logFile.Close() | 	logFile.Close() | ||||||
| } | } | ||||||
|  |  | ||||||
| func writeLog(message string) { | func writeLog(message string) { | ||||||
|  | 	logMutex.Lock() | ||||||
|  | 	defer logMutex.Unlock() | ||||||
|  | 	log.Println(message) | ||||||
|  | } | ||||||
|  |  | ||||||
|  | func printFinalStats(message string) { | ||||||
|  | 	// Always print final stats to console regardless of verbose setting | ||||||
|  | 	fmt.Println(message) | ||||||
| 	log.Println(message) | 	log.Println(message) | ||||||
| } | } | ||||||
|  |  | ||||||
| @@ -67,12 +104,12 @@ func getCurrentTime() string { | |||||||
| 	return time.Now().Format(dateFormat) | 	return time.Now().Format(dateFormat) | ||||||
| } | } | ||||||
|  |  | ||||||
| func getMediaInfo(filePath string) (int, int, error) { | func getMediaInfo(filePath string) (int, int, string, string, string, error) { | ||||||
| 	// Get bitrate | 	// Get bitrate | ||||||
| 	bitrateCmd := exec.Command("mediainfo", "--Output=Audio;%BitRate%", filePath) | 	bitrateCmd := exec.Command("mediainfo", "--Output=Audio;%BitRate%", filePath) | ||||||
| 	bitrateOut, err := bitrateCmd.Output() | 	bitrateOut, err := bitrateCmd.Output() | ||||||
| 	if err != nil { | 	if err != nil { | ||||||
| 		return 0, 0, fmt.Errorf("mediainfo bitrate failed: %w", err) | 		return 0, 0, "", "", "", fmt.Errorf("mediainfo bitrate failed: %w", err) | ||||||
| 	} | 	} | ||||||
| 	bitrateStr := strings.TrimSpace(string(bitrateOut)) | 	bitrateStr := strings.TrimSpace(string(bitrateOut)) | ||||||
| 	bitrate, err := strconv.Atoi(bitrateStr) | 	bitrate, err := strconv.Atoi(bitrateStr) | ||||||
| @@ -84,7 +121,7 @@ func getMediaInfo(filePath string) (int, int, error) { | |||||||
| 	bitdepthCmd := exec.Command("mediainfo", "--Output=Audio;%BitDepth%", filePath) | 	bitdepthCmd := exec.Command("mediainfo", "--Output=Audio;%BitDepth%", filePath) | ||||||
| 	bitdepthOut, err := bitdepthCmd.Output() | 	bitdepthOut, err := bitdepthCmd.Output() | ||||||
| 	if err != nil { | 	if err != nil { | ||||||
| 		return 0, 0, fmt.Errorf("mediainfo bitdepth failed: %w", err) | 		return 0, 0, "", "", "", fmt.Errorf("mediainfo bitdepth failed: %w", err) | ||||||
| 	} | 	} | ||||||
| 	bitdepthStr := strings.TrimSpace(string(bitdepthOut)) | 	bitdepthStr := strings.TrimSpace(string(bitdepthOut)) | ||||||
| 	bitdepth, err := strconv.Atoi(bitdepthStr) | 	bitdepth, err := strconv.Atoi(bitdepthStr) | ||||||
| @@ -92,12 +129,56 @@ func getMediaInfo(filePath string) (int, int, error) { | |||||||
| 		bitdepth = 0 | 		bitdepth = 0 | ||||||
| 	} | 	} | ||||||
|  |  | ||||||
| 	return bitrate, bitdepth, nil | 	// Get MusicBrainz release ID | ||||||
|  | 	releaseIDCmd := exec.Command("mediainfo", "--Output=General;%MUSICBRAINZ_RELEASETRACKID%", filePath) | ||||||
|  | 	releaseIDOut, err := releaseIDCmd.Output() | ||||||
|  | 	var releaseID string | ||||||
|  | 	if err == nil { | ||||||
|  | 		releaseID = strings.TrimSpace(string(releaseIDOut)) | ||||||
|  | 	} | ||||||
|  |  | ||||||
|  | 	// Get release year | ||||||
|  | 	yearCmd := exec.Command("mediainfo", "--Output=General;%Released_Date%", filePath) | ||||||
|  | 	yearOut, err := yearCmd.Output() | ||||||
|  | 	var year string | ||||||
|  | 	if err == nil { | ||||||
|  | 		year = strings.TrimSpace(string(yearOut)) | ||||||
|  | 		// If no released date, try recorded date | ||||||
|  | 		if year == "" { | ||||||
|  | 			yearCmd = exec.Command("mediainfo", "--Output=General;%Recorded_Date%", filePath) | ||||||
|  | 			yearOut, err := yearCmd.Output() | ||||||
|  | 			if err == nil { | ||||||
|  | 				year = strings.TrimSpace(string(yearOut)) | ||||||
|  | 			} | ||||||
|  | 		} | ||||||
|  | 		// Extract just the year if it's a full date | ||||||
|  | 		if len(year) >= 4 { | ||||||
|  | 			year = year[0:4] | ||||||
|  | 		} | ||||||
|  | 	} | ||||||
|  |  | ||||||
|  | 	// Get catalog number | ||||||
|  | 	catalogCmd := exec.Command("mediainfo", "--Output=General;%CATALOGNUMBER%", filePath) | ||||||
|  | 	catalogOut, err := catalogCmd.Output() | ||||||
|  | 	var catalogNum string | ||||||
|  | 	if err == nil { | ||||||
|  | 		catalogNum = strings.TrimSpace(string(catalogOut)) | ||||||
|  | 	} | ||||||
|  |  | ||||||
|  | 	return bitrate, bitdepth, releaseID, year, catalogNum, nil | ||||||
|  | } | ||||||
|  |  | ||||||
|  | func getReleaseInfo(filePath string) string { | ||||||
|  | 	// Get a summary of release info for logging | ||||||
|  | 	infoCmd := exec.Command("mediainfo", "--Output=General;Album: %Album%, Released: %Released_Date%, Recorded: %Recorded_Date%, Label: %Label%, CatalogNum: %CATALOGNUMBER%", filePath) | ||||||
|  | 	infoOut, _ := infoCmd.Output() | ||||||
|  | 	return strings.TrimSpace(string(infoOut)) | ||||||
| } | } | ||||||
|  |  | ||||||
| func findDuplicateFiles(rootDir string) (map[string][]FileQuality, error) { | func findDuplicateFiles(rootDir string) (map[string][]FileQuality, error) { | ||||||
| 	dupePattern := regexp.MustCompile(`(?i)(.+)( \(\d+\))\.flac$`) | 	dupePattern := regexp.MustCompile(`(?i)(.+)( \(\d+\))\.flac$`) | ||||||
| 	fileGroups := make(map[string][]FileQuality) | 	fileGroups := make(map[string][]FileQuality) | ||||||
|  | 	var filesMutex sync.Mutex | ||||||
|  |  | ||||||
| 	err := filepath.Walk(rootDir, func(path string, info os.FileInfo, err error) error { | 	err := filepath.Walk(rootDir, func(path string, info os.FileInfo, err error) error { | ||||||
| 		if err != nil { | 		if err != nil { | ||||||
| @@ -115,6 +196,9 @@ func findDuplicateFiles(rootDir string) (map[string][]FileQuality, error) { | |||||||
|  |  | ||||||
| 		// Check if file matches the duplicate pattern | 		// Check if file matches the duplicate pattern | ||||||
| 		matches := dupePattern.FindStringSubmatch(path) | 		matches := dupePattern.FindStringSubmatch(path) | ||||||
|  | 		filesMutex.Lock() | ||||||
|  | 		defer filesMutex.Unlock() | ||||||
|  | 		 | ||||||
| 		if len(matches) > 1 { | 		if len(matches) > 1 { | ||||||
| 			baseFile := matches[1] + ".flac" | 			baseFile := matches[1] + ".flac" | ||||||
| 			fileInfo, err := os.Stat(path) | 			fileInfo, err := os.Stat(path) | ||||||
| @@ -162,59 +246,124 @@ func bytesToHumanReadable(bytes int64) string { | |||||||
| 	return fmt.Sprintf("%.1f %ciB", float64(bytes)/float64(div), "KMGTPE"[exp]) | 	return fmt.Sprintf("%.1f %ciB", float64(bytes)/float64(div), "KMGTPE"[exp]) | ||||||
| } | } | ||||||
|  |  | ||||||
| func processFileGroup(baseFile string, files []FileQuality) { | func processFileGroup(baseFile string, files []FileQuality) (int64, bool) { | ||||||
| 	writeLog(fmt.Sprintf("Processing group for: %s", baseFile)) | 	writeLog(fmt.Sprintf("Processing group for: %s", baseFile)) | ||||||
|  | 	processed := false | ||||||
|  | 	var spaceRecovered int64 = 0 | ||||||
|  |  | ||||||
| 	// Get quality info for all files | 	// Get quality info for all files | ||||||
| 	var bestFile FileQuality | 	var bestFile FileQuality | ||||||
| 	var totalSize int64 | 	var totalSize int64 | ||||||
|  | 	releaseMap := make(map[string][]FileQuality) | ||||||
|  |  | ||||||
| 	for i := range files { | 	for i := range files { | ||||||
| 		bitrate, bitdepth, err := getMediaInfo(files[i].Path) | 		bitrate, bitdepth, releaseID, year, catalogNum, err := getMediaInfo(files[i].Path) | ||||||
| 		if err != nil { | 		if err != nil { | ||||||
| 			writeLog(fmt.Sprintf("  - Error getting media info for %s: %v", files[i].Path, err)) | 			writeLog(fmt.Sprintf("  - Error getting media info for %s: %v", files[i].Path, err)) | ||||||
| 			continue | 			continue | ||||||
| 		} | 		} | ||||||
| 		files[i].Bitrate = bitrate | 		files[i].Bitrate = bitrate | ||||||
| 		files[i].Bitdepth = bitdepth | 		files[i].Bitdepth = bitdepth | ||||||
|  | 		files[i].ReleaseID = releaseID | ||||||
|  | 		files[i].ReleaseYear = year | ||||||
|  | 		files[i].CatalogNum = catalogNum | ||||||
|  | 		files[i].ReleaseInfo = getReleaseInfo(files[i].Path) | ||||||
| 		totalSize += files[i].Size | 		totalSize += files[i].Size | ||||||
|  |  | ||||||
| 		writeLog(fmt.Sprintf("  - Found: %s (Bitrate: %d, Bitdepth: %d, Size: %d bytes)", | 		// Create a unique key for grouping by release | ||||||
| 			files[i].Path, files[i].Bitrate, files[i].Bitdepth, files[i].Size)) | 		releaseKey := releaseID | ||||||
|  | 		if releaseKey == "" { | ||||||
|  | 			// Fallback if no MusicBrainz ID | ||||||
|  | 			releaseKey = fmt.Sprintf("%s-%s", year, catalogNum) | ||||||
|  | 		} | ||||||
|  |  | ||||||
|  | 		releaseMap[releaseKey] = append(releaseMap[releaseKey], files[i]) | ||||||
|  |  | ||||||
|  | 		writeLog(fmt.Sprintf("  - Found: %s (Bitrate: %d, Bitdepth: %d, Size: %s, Year: %s, CatalogNum: %s)", | ||||||
|  | 			files[i].Path, files[i].Bitrate, files[i].Bitdepth,  | ||||||
|  | 			bytesToHumanReadable(files[i].Size), files[i].ReleaseYear, files[i].CatalogNum)) | ||||||
|  | 		writeLog(fmt.Sprintf("    Release info: %s", files[i].ReleaseInfo)) | ||||||
|  | 	} | ||||||
|  |  | ||||||
|  | 	// Check if files are from different releases | ||||||
|  | 	if len(releaseMap) > 1 && !forceMode { | ||||||
|  | 		writeLog("  ! Files appear to be from different releases. Skipping group (use -force to override).") | ||||||
|  | 		for releaseKey, releaseFiles := range releaseMap { | ||||||
|  | 			writeLog(fmt.Sprintf("    Release group: %s", releaseKey)) | ||||||
|  | 			for _, file := range releaseFiles { | ||||||
|  | 				writeLog(fmt.Sprintf("      - %s", file.Path)) | ||||||
|  | 			} | ||||||
|  | 		} | ||||||
|  | 		return 0, false | ||||||
|  | 	} | ||||||
|  |  | ||||||
|  | 	// Process each release group | ||||||
|  | 	for releaseKey, releaseFiles := range releaseMap { | ||||||
|  | 		if len(releaseFiles) <= 1 { | ||||||
|  | 			// Skip if only one file for this release | ||||||
|  | 			continue | ||||||
|  | 		} | ||||||
|  |  | ||||||
|  | 		writeLog(fmt.Sprintf("  Processing release group: %s", releaseKey)) | ||||||
|  | 		bestFile = FileQuality{} | ||||||
|  | 		 | ||||||
|  | 		// Find best file for this release | ||||||
|  | 		for _, file := range releaseFiles { | ||||||
| 			// Determine the best file using quality then size as tiebreaker | 			// Determine the best file using quality then size as tiebreaker | ||||||
| 		if files[i].Bitrate > bestFile.Bitrate || | 			if file.Bitrate > bestFile.Bitrate || | ||||||
| 			(files[i].Bitrate == bestFile.Bitrate && files[i].Bitdepth > bestFile.Bitdepth) || | 				(file.Bitrate == bestFile.Bitrate && file.Bitdepth > bestFile.Bitdepth) || | ||||||
| 			(files[i].Bitrate == bestFile.Bitrate && files[i].Bitdepth == bestFile.Bitdepth && files[i].Size > bestFile.Size) { | 				(file.Bitrate == bestFile.Bitrate && file.Bitdepth == bestFile.Bitdepth && file.Size > bestFile.Size) { | ||||||
| 			bestFile = files[i] | 				bestFile = file | ||||||
| 			} | 			} | ||||||
| 		} | 		} | ||||||
|  |  | ||||||
| 		if bestFile.Path == "" { | 		if bestFile.Path == "" { | ||||||
| 		writeLog("  - No valid files found in group") | 			writeLog("    - No valid files found in this release group") | ||||||
| 		return | 			continue | ||||||
| 		} | 		} | ||||||
|  |  | ||||||
| 	writeLog(fmt.Sprintf("  -> Keeping: %s (Bitrate: %d, Bitdepth: %d, Size: %d bytes)", | 		writeLog(fmt.Sprintf("  -> Keeping: %s (Bitrate: %d, Bitdepth: %d, Size: %s)", | ||||||
| 		bestFile.Path, bestFile.Bitrate, bestFile.Bitdepth, bestFile.Size)) | 			bestFile.Path, bestFile.Bitrate, bestFile.Bitdepth, bytesToHumanReadable(bestFile.Size))) | ||||||
|  |  | ||||||
| 	// Rename best file to original name if it's not already | 		// If this is the primary file (without (n) in name), make sure the best quality version is it | ||||||
| 	if bestFile.Path != baseFile { | 		isBaseFile := (bestFile.Path == baseFile ||  | ||||||
|  | 		               strings.TrimSuffix(bestFile.Path, ".flac") == strings.TrimSuffix(baseFile, ".flac")) | ||||||
|  | 		 | ||||||
|  | 		// Generate target filename | ||||||
|  | 		targetFilename := baseFile | ||||||
|  | 		if !isBaseFile && len(releaseMap) > 1 { | ||||||
|  | 			// For multiple releases, append year/identifier to filename to avoid conflicts | ||||||
|  | 			ext := filepath.Ext(baseFile) | ||||||
|  | 			baseName := strings.TrimSuffix(baseFile, ext) | ||||||
|  | 			 | ||||||
|  | 			// Use year or catalog number as identifier | ||||||
|  | 			identifier := bestFile.ReleaseYear | ||||||
|  | 			if identifier == "" && bestFile.CatalogNum != "" { | ||||||
|  | 				identifier = bestFile.CatalogNum | ||||||
|  | 			} | ||||||
|  | 			 | ||||||
|  | 			if identifier != "" { | ||||||
|  | 				targetFilename = fmt.Sprintf("%s [%s]%s", baseName, identifier, ext) | ||||||
|  | 			} | ||||||
|  | 		} | ||||||
|  |  | ||||||
|  | 		// Rename best file to target name if needed | ||||||
|  | 		if bestFile.Path != targetFilename { | ||||||
| 			action := "Would rename" | 			action := "Would rename" | ||||||
| 			if armed && !dryRun { | 			if armed && !dryRun { | ||||||
| 				action = "Renaming" | 				action = "Renaming" | ||||||
| 			err := os.Rename(bestFile.Path, baseFile) | 				err := os.Rename(bestFile.Path, targetFilename) | ||||||
| 				if err != nil { | 				if err != nil { | ||||||
| 					writeLog(fmt.Sprintf("    ! Rename failed: %v", err)) | 					writeLog(fmt.Sprintf("    ! Rename failed: %v", err)) | ||||||
| 				return | 					continue | ||||||
| 				} | 				} | ||||||
| 			} | 			} | ||||||
| 		writeLog(fmt.Sprintf("  * %s: %s -> %s", action, bestFile.Path, baseFile)) | 			writeLog(fmt.Sprintf("  * %s: %s -> %s", action, bestFile.Path, targetFilename)) | ||||||
| 		bestFile.Path = baseFile | 			bestFile.Path = targetFilename | ||||||
| 		} | 		} | ||||||
|  |  | ||||||
| 	// Delete other files | 		// Delete other files in this release group | ||||||
| 	for _, file := range files { | 		for _, file := range releaseFiles { | ||||||
| 			if file.Path != bestFile.Path { | 			if file.Path != bestFile.Path { | ||||||
| 				action := "Would delete" | 				action := "Would delete" | ||||||
| 				if armed && !dryRun { | 				if armed && !dryRun { | ||||||
| @@ -226,10 +375,14 @@ func processFileGroup(baseFile string, files []FileQuality) { | |||||||
| 					} | 					} | ||||||
| 				} | 				} | ||||||
| 				writeLog(fmt.Sprintf("  * %s: %s (Recovering %s)", action, file.Path, bytesToHumanReadable(file.Size))) | 				writeLog(fmt.Sprintf("  * %s: %s (Recovering %s)", action, file.Path, bytesToHumanReadable(file.Size))) | ||||||
|  | 				spaceRecovered += file.Size | ||||||
|  | 				processed = true | ||||||
|  | 			} | ||||||
| 		} | 		} | ||||||
| 	} | 	} | ||||||
|  |  | ||||||
| 	writeLog(fmt.Sprintf("  Total recoverable space: %s", bytesToHumanReadable(totalSize-bestFile.Size))) | 	writeLog(fmt.Sprintf("  Total potentially recoverable space: %s", bytesToHumanReadable(spaceRecovered))) | ||||||
|  | 	return spaceRecovered, processed | ||||||
| } | } | ||||||
|  |  | ||||||
| func main() { | func main() { | ||||||
| @@ -262,6 +415,10 @@ func main() { | |||||||
| 	} else { | 	} else { | ||||||
| 		writeLog("ARMED MODE: Files will be renamed and deleted!") | 		writeLog("ARMED MODE: Files will be renamed and deleted!") | ||||||
| 	} | 	} | ||||||
|  | 	if forceMode { | ||||||
|  | 		writeLog("FORCE MODE: Will process even if releases appear different!") | ||||||
|  | 	} | ||||||
|  | 	writeLog(fmt.Sprintf("CONCURRENCY: Processing %d file groups simultaneously", concurrency)) | ||||||
| 	writeLog("===============================") | 	writeLog("===============================") | ||||||
|  |  | ||||||
| 	// Check mediainfo is available | 	// Check mediainfo is available | ||||||
| @@ -284,19 +441,48 @@ func main() { | |||||||
| 		writeLog("") | 		writeLog("") | ||||||
| 	} | 	} | ||||||
|  |  | ||||||
| 	var totalRecoverableSpace int64 | 	// Process file groups concurrently with limited goroutines | ||||||
|  | 	var wg sync.WaitGroup | ||||||
|  | 	results := make(chan ProcessResult, len(fileGroups)) | ||||||
|  | 	semaphore := make(chan struct{}, concurrency) | ||||||
|  |  | ||||||
| 	for baseFile, group := range fileGroups { | 	for baseFile, group := range fileGroups { | ||||||
| 		processFileGroup(baseFile, group) | 		wg.Add(1) | ||||||
| 		for _, file := range group { | 		go func(bf string, g []FileQuality) { | ||||||
| 			if file.Path != baseFile { | 			defer wg.Done() | ||||||
| 				totalRecoverableSpace += file.Size | 			semaphore <- struct{}{} // Acquire semaphore | ||||||
|  | 			defer func() { <-semaphore }() // Release semaphore | ||||||
|  | 			 | ||||||
|  | 			spaceRecovered, processed := processFileGroup(bf, g) | ||||||
|  | 			results <- ProcessResult{ | ||||||
|  | 				BaseFile:       bf, | ||||||
|  | 				SpaceRecovered: spaceRecovered, | ||||||
|  | 				Processed:      processed, | ||||||
| 			} | 			} | ||||||
| 		} | 		}(baseFile, group) | ||||||
| 		writeLog("") |  | ||||||
| 	} | 	} | ||||||
|  |  | ||||||
| 	writeLog(fmt.Sprintf("Total recoverable space: %s", bytesToHumanReadable(totalRecoverableSpace))) | 	// Close results channel once all goroutines complete | ||||||
| 	writeLog(fmt.Sprintf("Cleanup completed at %s", getCurrentTime())) | 	go func() { | ||||||
| 	writeLog("===============================") | 		wg.Wait() | ||||||
|  | 		close(results) | ||||||
|  | 	}() | ||||||
|  |  | ||||||
|  | 	// Process results | ||||||
|  | 	var totalRecoverableSpace int64 | ||||||
|  | 	processedGroups := 0 | ||||||
|  |  | ||||||
|  | 	for result := range results { | ||||||
|  | 		if result.Processed { | ||||||
|  | 			processedGroups++ | ||||||
|  | 			totalRecoverableSpace += result.SpaceRecovered | ||||||
|  | 		} | ||||||
|  | 	} | ||||||
|  |  | ||||||
|  | 	// Final stats - these always print to console regardless of verbose setting | ||||||
|  | 	finalTime := getCurrentTime() | ||||||
|  | 	printFinalStats(fmt.Sprintf("Processed %d of %d file groups", processedGroups, len(fileGroups))) | ||||||
|  | 	printFinalStats(fmt.Sprintf("Total recoverable space: %s", bytesToHumanReadable(totalRecoverableSpace))) | ||||||
|  | 	printFinalStats(fmt.Sprintf("Cleanup completed at %s", finalTime)) | ||||||
|  | 	printFinalStats("===============================") | ||||||
| } | } | ||||||
|   | |||||||
		Reference in New Issue
	
	Block a user