mirror of
				https://github.com/Kareadita/Kavita.git
				synced 2025-10-25 07:48:59 -04:00 
			
		
		
		
	
		
			
				
	
	
		
			1136 lines
		
	
	
		
			47 KiB
		
	
	
	
		
			C#
		
	
	
	
	
	
			
		
		
	
	
			1136 lines
		
	
	
		
			47 KiB
		
	
	
	
		
			C#
		
	
	
	
	
	
| using System;
 | |
| using System.Collections.Generic;
 | |
| using System.Diagnostics;
 | |
| using System.Globalization;
 | |
| using System.IO;
 | |
| using System.Linq;
 | |
| using System.Threading.Tasks;
 | |
| using API.Data;
 | |
| using API.Data.Metadata;
 | |
| using API.Data.Repositories;
 | |
| using API.DTOs.KavitaPlus.Metadata;
 | |
| using API.Entities;
 | |
| using API.Entities.Enums;
 | |
| using API.Entities.Metadata;
 | |
| using API.Entities.Person;
 | |
| using API.Extensions;
 | |
| using API.Helpers;
 | |
| using API.Helpers.Builders;
 | |
| using API.Services.Plus;
 | |
| using API.Services.Tasks.Metadata;
 | |
| using API.Services.Tasks.Scanner.Parser;
 | |
| using API.SignalR;
 | |
| using Hangfire;
 | |
| using Kavita.Common;
 | |
| using Microsoft.EntityFrameworkCore;
 | |
| using Microsoft.Extensions.Logging;
 | |
| 
 | |
| namespace API.Services.Tasks.Scanner;
 | |
| #nullable enable
 | |
| 
 | |
| public interface IProcessSeries
 | |
| {
 | |
|     Task ProcessSeriesAsync(MetadataSettingsDto settings, IList<ParserInfo> parsedInfos, Library library, int totalToProcess, bool forceUpdate = false);
 | |
| }
 | |
| 
 | |
| /// <summary>
 | |
| /// All code needed to Update a Series from a Scan action
 | |
| /// </summary>
 | |
| public class ProcessSeries : IProcessSeries
 | |
| {
 | |
|     private readonly IUnitOfWork _unitOfWork;
 | |
|     private readonly ILogger<ProcessSeries> _logger;
 | |
|     private readonly IEventHub _eventHub;
 | |
|     private readonly IDirectoryService _directoryService;
 | |
|     private readonly ICacheHelper _cacheHelper;
 | |
|     private readonly IReadingItemService _readingItemService;
 | |
|     private readonly IFileService _fileService;
 | |
|     private readonly IMetadataService _metadataService;
 | |
|     private readonly IWordCountAnalyzerService _wordCountAnalyzerService;
 | |
|     private readonly IReadingListService _readingListService;
 | |
|     private readonly IExternalMetadataService _externalMetadataService;
 | |
| 
 | |
| 
 | |
|     public ProcessSeries(IUnitOfWork unitOfWork, ILogger<ProcessSeries> logger, IEventHub eventHub,
 | |
|         IDirectoryService directoryService, ICacheHelper cacheHelper, IReadingItemService readingItemService,
 | |
|         IFileService fileService, IMetadataService metadataService, IWordCountAnalyzerService wordCountAnalyzerService,
 | |
|         IReadingListService readingListService,
 | |
|         IExternalMetadataService externalMetadataService)
 | |
|     {
 | |
|         _unitOfWork = unitOfWork;
 | |
|         _logger = logger;
 | |
|         _eventHub = eventHub;
 | |
|         _directoryService = directoryService;
 | |
|         _cacheHelper = cacheHelper;
 | |
|         _readingItemService = readingItemService;
 | |
|         _fileService = fileService;
 | |
|         _metadataService = metadataService;
 | |
|         _wordCountAnalyzerService = wordCountAnalyzerService;
 | |
|         _readingListService = readingListService;
 | |
|         _externalMetadataService = externalMetadataService;
 | |
|     }
 | |
| 
 | |
| 
 | |
|     public async Task ProcessSeriesAsync(MetadataSettingsDto settings, IList<ParserInfo> parsedInfos, Library library, int totalToProcess, bool forceUpdate = false)
 | |
|     {
 | |
|         if (!parsedInfos.Any()) return;
 | |
| 
 | |
|         var seriesAdded = false;
 | |
|         var scanWatch = Stopwatch.StartNew();
 | |
|         var seriesName = parsedInfos[0].Series;
 | |
|         await _eventHub.SendMessageAsync(MessageFactory.NotificationProgress,
 | |
|             MessageFactory.LibraryScanProgressEvent(library.Name, ProgressEventType.Updated, seriesName, totalToProcess));
 | |
|         _logger.LogInformation("[ScannerService] Beginning series update on {SeriesName}, Forced: {ForceUpdate}", seriesName, forceUpdate);
 | |
| 
 | |
|         // Check if there is a Series
 | |
|         var firstInfo = parsedInfos[0];
 | |
|         Series? series;
 | |
|         try
 | |
|         {
 | |
|             // There is an opportunity to allow duplicate series here. Like if One is in root/marvel/batman and another is root/dc/batman
 | |
|             // by changing to a ToList() and if multiple, doing a firstInfo.FirstFolder/RootFolder type check
 | |
|             series =
 | |
|                 await _unitOfWork.SeriesRepository.GetFullSeriesByAnyName(firstInfo.Series, firstInfo.LocalizedSeries,
 | |
|                     library.Id, firstInfo.Format);
 | |
|         }
 | |
|         catch (Exception ex)
 | |
|         {
 | |
|             await ReportDuplicateSeriesLookup(library, firstInfo, ex);
 | |
|             return;
 | |
|         }
 | |
| 
 | |
|         if (series == null)
 | |
|         {
 | |
|             seriesAdded = true;
 | |
|             series = new SeriesBuilder(firstInfo.Series)
 | |
|                 .WithLocalizedName(firstInfo.LocalizedSeries)
 | |
|                 .Build();
 | |
|             _unitOfWork.SeriesRepository.Add(series);
 | |
|         }
 | |
| 
 | |
|         if (series.LibraryId == 0) series.LibraryId = library.Id;
 | |
| 
 | |
|         try
 | |
|         {
 | |
|             _logger.LogInformation("[ScannerService] Processing series {SeriesName} with {Count} files", series.OriginalName, parsedInfos.Count);
 | |
| 
 | |
|             // parsedInfos[0] is not the first volume or chapter. We need to find it using a ComicInfo check (as it uses firstParsedInfo for series sort)
 | |
|             var firstParsedInfo = parsedInfos.FirstOrDefault(p => p.ComicInfo != null, firstInfo);
 | |
| 
 | |
|             await UpdateVolumes(settings, series, parsedInfos, forceUpdate);
 | |
|             series.Pages = series.Volumes.Sum(v => v.Pages);
 | |
| 
 | |
|             series.NormalizedName = series.Name.ToNormalized();
 | |
|             series.OriginalName ??= firstParsedInfo.Series;
 | |
|             if (series.Format == MangaFormat.Unknown)
 | |
|             {
 | |
|                 series.Format = firstParsedInfo.Format;
 | |
|             }
 | |
| 
 | |
|             var removePrefix = library.RemovePrefixForSortName;
 | |
|             var sortName = removePrefix ? BookSortTitlePrefixHelper.GetSortTitle(series.Name) : series.Name;
 | |
| 
 | |
|             if (string.IsNullOrEmpty(series.SortName))
 | |
|             {
 | |
|                 series.SortName = sortName;
 | |
|             }
 | |
| 
 | |
|             if (!series.SortNameLocked)
 | |
|             {
 | |
|                 series.SortName = sortName;
 | |
|                 if (!string.IsNullOrEmpty(firstParsedInfo.SeriesSort))
 | |
|                 {
 | |
|                     series.SortName = firstParsedInfo.SeriesSort;
 | |
|                 }
 | |
|             }
 | |
| 
 | |
|             // parsedInfos[0] is not the first volume or chapter. We need to find it
 | |
|             var localizedSeries = parsedInfos.Select(p => p.LocalizedSeries).FirstOrDefault(p => !string.IsNullOrEmpty(p));
 | |
|             if (!series.LocalizedNameLocked && !string.IsNullOrEmpty(localizedSeries))
 | |
|             {
 | |
|                 series.LocalizedName = localizedSeries;
 | |
|                 series.NormalizedLocalizedName = series.LocalizedName.ToNormalized();
 | |
|             }
 | |
| 
 | |
|             await UpdateSeriesMetadata(settings, series, library);
 | |
| 
 | |
|             // Update series FolderPath here
 | |
|             await UpdateSeriesFolderPath(parsedInfos, library, series);
 | |
| 
 | |
|             series.UpdateLastFolderScanned();
 | |
| 
 | |
|             if (_unitOfWork.HasChanges())
 | |
|             {
 | |
|                 try
 | |
|                 {
 | |
|                     await _unitOfWork.CommitAsync();
 | |
|                 }
 | |
|                 catch (DbUpdateConcurrencyException ex)
 | |
|                 {
 | |
|                     _logger.LogCritical(ex,
 | |
|                         "[ScannerService] There was an issue writing to the database for series {SeriesName}",
 | |
|                         series.Name);
 | |
|                     await _eventHub.SendMessageAsync(MessageFactory.Error,
 | |
|                         MessageFactory.ErrorEvent($"There was an issue writing to the DB for Series {series.OriginalName}",
 | |
|                             ex.Message));
 | |
|                     return;
 | |
|                 }
 | |
|                 catch (Exception ex)
 | |
|                 {
 | |
|                     await _unitOfWork.RollbackAsync();
 | |
|                     _logger.LogCritical(ex,
 | |
|                         "[ScannerService] There was an issue writing to the database for series {SeriesName}",
 | |
|                         series.Name);
 | |
| 
 | |
|                     await _eventHub.SendMessageAsync(MessageFactory.Error,
 | |
|                         MessageFactory.ErrorEvent($"There was an issue writing to the DB for Series {series.OriginalName}",
 | |
|                             ex.Message));
 | |
|                     return;
 | |
|                 }
 | |
| 
 | |
| 
 | |
|                 // Process reading list after commit as we need to commit per list
 | |
|                 if (library.ManageReadingLists)
 | |
|                 {
 | |
|                     await _readingListService.CreateReadingListsFromSeries(series, library);
 | |
|                 }
 | |
| 
 | |
| 
 | |
|                 if (seriesAdded)
 | |
|                 {
 | |
|                     // See if any recommendations can link up to the series and pre-fetch external metadata for the series
 | |
|                     // BackgroundJob.Enqueue(() =>
 | |
|                     //     _externalMetadataService.FetchSeriesMetadata(series.Id, series.Library.Type));
 | |
| 
 | |
|                     await _eventHub.SendMessageAsync(MessageFactory.SeriesAdded,
 | |
|                         MessageFactory.SeriesAddedEvent(series.Id, series.Name, series.LibraryId), false);
 | |
|                 }
 | |
|                 else
 | |
|                 {
 | |
|                     await _unitOfWork.ExternalSeriesMetadataRepository.LinkRecommendationsToSeries(series);
 | |
|                 }
 | |
| 
 | |
|                 _logger.LogInformation("[ScannerService] Finished series update on {SeriesName} in {Milliseconds} ms", seriesName, scanWatch.ElapsedMilliseconds);
 | |
|             }
 | |
|         }
 | |
|         catch (Exception ex)
 | |
|         {
 | |
|             _logger.LogError(ex, "[ScannerService] There was an exception updating series for {SeriesName}", series.Name);
 | |
|             return;
 | |
|         }
 | |
| 
 | |
|         if (seriesAdded)
 | |
|         {
 | |
|             await _externalMetadataService.FetchSeriesMetadata(series.Id, series.Library.Type);
 | |
|         }
 | |
|         await _metadataService.GenerateCoversForSeries(series.LibraryId, series.Id, false, false);
 | |
|         await _wordCountAnalyzerService.ScanSeries(series.LibraryId, series.Id, forceUpdate);
 | |
|     }
 | |
| 
 | |
|     private async Task ReportDuplicateSeriesLookup(Library library, ParserInfo firstInfo, Exception ex)
 | |
|     {
 | |
|         var seriesCollisions = await _unitOfWork.SeriesRepository.GetAllSeriesByAnyName(firstInfo.LocalizedSeries, string.Empty, library.Id, firstInfo.Format);
 | |
| 
 | |
|         seriesCollisions = seriesCollisions.Where(collision =>
 | |
|             collision.Name != firstInfo.Series || collision.LocalizedName != firstInfo.LocalizedSeries).ToList();
 | |
| 
 | |
|         if (seriesCollisions.Count > 1)
 | |
|         {
 | |
|             var firstCollision = seriesCollisions[0];
 | |
|             var secondCollision = seriesCollisions[1];
 | |
| 
 | |
|             var tableRows = $"<tr><td>Name: {firstCollision.Name}</td><td>Name: {secondCollision.Name}</td></tr>" +
 | |
|                             $"<tr><td>Localized: {firstCollision.LocalizedName}</td><td>Localized: {secondCollision.LocalizedName}</td></tr>" +
 | |
|                             $"<tr><td>Filename: {Parser.Parser.NormalizePath(firstCollision.FolderPath)}</td><td>Filename: {Parser.Parser.NormalizePath(secondCollision.FolderPath)}</td></tr>";
 | |
| 
 | |
|             var htmlTable = $"<table class='table table-striped'><thead><tr><th>Series 1</th><th>Series 2</th></tr></thead><tbody>{string.Join(string.Empty, tableRows)}</tbody></table>";
 | |
| 
 | |
|             _logger.LogError(ex, "[ScannerService] Scanner found a Series {SeriesName} which matched another Series {LocalizedName} in a different folder parallel to Library {LibraryName} root folder. This is not allowed. Please correct, scan will abort",
 | |
|                 firstInfo.Series, firstInfo.LocalizedSeries, library.Name);
 | |
| 
 | |
|             await _eventHub.SendMessageAsync(MessageFactory.Error,
 | |
|                 MessageFactory.ErrorEvent($"Library {library.Name} Series collision on {firstInfo.Series}",
 | |
|                     htmlTable));
 | |
|         }
 | |
|     }
 | |
| 
 | |
| 
 | |
|     private async Task UpdateSeriesFolderPath(IEnumerable<ParserInfo> parsedInfos, Library library, Series series)
 | |
|     {
 | |
|         var libraryFolders = library.Folders.Select(l => Parser.Parser.NormalizePath(l.Path)).ToList();
 | |
|         var seriesFiles = parsedInfos.Select(f => Parser.Parser.NormalizePath(f.FullFilePath)).ToList();
 | |
|         var seriesDirs = _directoryService.FindHighestDirectoriesFromFiles(libraryFolders, seriesFiles);
 | |
|         if (seriesDirs.Keys.Count == 0)
 | |
|         {
 | |
|             _logger.LogCritical(
 | |
|                 "Scan Series has files spread outside a main series folder. This has negative performance effects. Please ensure all series are under a single folder from library");
 | |
|             await _eventHub.SendMessageAsync(MessageFactory.Info,
 | |
|                 MessageFactory.InfoEvent($"{series.Name} has files spread outside a single series folder",
 | |
|                     "This has negative performance effects. Please ensure all series are under a single folder from library"));
 | |
|         }
 | |
|         else
 | |
|         {
 | |
|             // Don't save FolderPath if it's a library Folder
 | |
|             if (!library.Folders.Select(f => f.Path).Contains(seriesDirs.Keys.First()))
 | |
|             {
 | |
|                 // BUG: FolderPath can be a level higher than it needs to be. I'm not sure why it's like this, but I thought it should be one level lower.
 | |
|                 // I think it's like this because higher level is checked or not checked. But i think we can do both
 | |
|                 series.FolderPath = Parser.Parser.NormalizePath(seriesDirs.Keys.First());
 | |
|                 _logger.LogDebug("Updating {Series} FolderPath to {FolderPath}", series.Name, series.FolderPath);
 | |
|             }
 | |
|         }
 | |
| 
 | |
|         var lowestFolder = _directoryService.FindLowestDirectoriesFromFiles(libraryFolders, seriesFiles);
 | |
|         if (!string.IsNullOrEmpty(lowestFolder))
 | |
|         {
 | |
|             series.LowestFolderPath = lowestFolder;
 | |
|             _logger.LogDebug("Updating {Series} LowestFolderPath to {FolderPath}", series.Name, series.LowestFolderPath);
 | |
|         }
 | |
|     }
 | |
| 
 | |
| 
 | |
|     private async Task UpdateSeriesMetadata(MetadataSettingsDto settings, Series series, Library library)
 | |
|     {
 | |
|         series.Metadata ??= new SeriesMetadataBuilder().Build();
 | |
|         var firstChapter = SeriesService.GetFirstChapterForMetadata(series);
 | |
| 
 | |
|         var firstFile = firstChapter?.Files.FirstOrDefault();
 | |
|         if (firstFile == null) return;
 | |
| 
 | |
|         var chapters = series.Volumes
 | |
|             .SelectMany(volume => volume.Chapters)
 | |
|             .ToList();
 | |
| 
 | |
|         // Update Metadata based on Chapter metadata
 | |
|         if (!series.Metadata.ReleaseYearLocked)
 | |
|         {
 | |
|             series.Metadata.ReleaseYear = chapters.MinimumReleaseYear();
 | |
|         }
 | |
| 
 | |
|         // Set the AgeRating as highest in all the comicInfos
 | |
|         if (!series.Metadata.AgeRatingLocked)
 | |
|         {
 | |
|             series.Metadata.AgeRating = chapters.Max(chapter => chapter.AgeRating);
 | |
| 
 | |
|             if (settings.EnableExtendedMetadataProcessing)
 | |
|             {
 | |
|                 var allTags = series.Metadata.Tags.Select(t => t.Title).Concat(series.Metadata.Genres.Select(g => g.Title));
 | |
|                 var updatedRating = ExternalMetadataService.DetermineAgeRating(allTags, settings.AgeRatingMappings);
 | |
|                 if (updatedRating > series.Metadata.AgeRating)
 | |
|                 {
 | |
|                     series.Metadata.AgeRating = updatedRating;
 | |
|                 }
 | |
|             }
 | |
| 
 | |
|         }
 | |
| 
 | |
|         DeterminePublicationStatus(series, chapters);
 | |
| 
 | |
|         if (!string.IsNullOrEmpty(firstChapter?.Summary) && !series.Metadata.SummaryLocked)
 | |
|         {
 | |
|             series.Metadata.Summary = firstChapter.Summary;
 | |
|         }
 | |
| 
 | |
|         if (!string.IsNullOrEmpty(firstChapter?.Language) && !series.Metadata.LanguageLocked)
 | |
|         {
 | |
|             series.Metadata.Language = firstChapter.Language;
 | |
|         }
 | |
| 
 | |
| 
 | |
|         if (!string.IsNullOrEmpty(firstChapter?.SeriesGroup) && library.ManageCollections)
 | |
|         {
 | |
|             await UpdateCollectionTags(series, firstChapter);
 | |
|         }
 | |
| 
 | |
|         #region PeopleAndTagsAndGenres
 | |
|         if (!series.Metadata.WriterLocked)
 | |
|         {
 | |
|             var personSw = Stopwatch.StartNew();
 | |
|             var chapterPeople = chapters.SelectMany(c => c.People.Where(p => p.Role == PersonRole.Writer)).ToList();
 | |
|             if (ShouldUpdatePeopleForRole(series, chapterPeople, PersonRole.Writer))
 | |
|             {
 | |
|                 await UpdateSeriesMetadataPeople(series.Metadata, series.Metadata.People, chapterPeople, PersonRole.Writer);
 | |
|             }
 | |
|             _logger.LogTrace("[TIME] Kavita took {Time} ms to process writer on Series: {File} for {Count} people", personSw.ElapsedMilliseconds, series.Name, chapterPeople.Count);
 | |
|         }
 | |
| 
 | |
|         if (!series.Metadata.ColoristLocked)
 | |
|         {
 | |
|             var chapterPeople = chapters.SelectMany(c => c.People.Where(p => p.Role == PersonRole.Colorist)).ToList();
 | |
|             if (ShouldUpdatePeopleForRole(series, chapterPeople, PersonRole.Colorist))
 | |
|             {
 | |
|                 await UpdateSeriesMetadataPeople(series.Metadata, series.Metadata.People, chapterPeople, PersonRole.Colorist);
 | |
|             }
 | |
|         }
 | |
| 
 | |
|         if (!series.Metadata.PublisherLocked)
 | |
|         {
 | |
|             var chapterPeople = chapters.SelectMany(c => c.People.Where(p => p.Role == PersonRole.Publisher)).ToList();
 | |
|             if (ShouldUpdatePeopleForRole(series, chapterPeople, PersonRole.Publisher))
 | |
|             {
 | |
|                 await UpdateSeriesMetadataPeople(series.Metadata, series.Metadata.People, chapterPeople, PersonRole.Publisher);
 | |
|             }
 | |
|         }
 | |
| 
 | |
|         if (!series.Metadata.CoverArtistLocked)
 | |
|         {
 | |
|             var chapterPeople = chapters.SelectMany(c => c.People.Where(p => p.Role == PersonRole.CoverArtist)).ToList();
 | |
|             if (ShouldUpdatePeopleForRole(series, chapterPeople, PersonRole.CoverArtist))
 | |
|             {
 | |
|                 await UpdateSeriesMetadataPeople(series.Metadata, series.Metadata.People, chapterPeople, PersonRole.CoverArtist);
 | |
|             }
 | |
|         }
 | |
| 
 | |
|         if (!series.Metadata.CharacterLocked)
 | |
|         {
 | |
|             var chapterPeople = chapters.SelectMany(c => c.People.Where(p => p.Role == PersonRole.Character)).ToList();
 | |
|             if (ShouldUpdatePeopleForRole(series, chapterPeople, PersonRole.Character))
 | |
|             {
 | |
|                 await UpdateSeriesMetadataPeople(series.Metadata, series.Metadata.People, chapterPeople, PersonRole.Character);
 | |
|             }
 | |
|         }
 | |
| 
 | |
|         if (!series.Metadata.EditorLocked)
 | |
|         {
 | |
|             var chapterPeople = chapters.SelectMany(c => c.People.Where(p => p.Role == PersonRole.Editor)).ToList();
 | |
|             if (ShouldUpdatePeopleForRole(series, chapterPeople, PersonRole.Editor))
 | |
|             {
 | |
|                 await UpdateSeriesMetadataPeople(series.Metadata, series.Metadata.People, chapterPeople, PersonRole.Editor);
 | |
|             }
 | |
|         }
 | |
| 
 | |
|         if (!series.Metadata.InkerLocked)
 | |
|         {
 | |
|             var chapterPeople = chapters.SelectMany(c => c.People.Where(p => p.Role == PersonRole.Inker)).ToList();
 | |
|             if (ShouldUpdatePeopleForRole(series, chapterPeople, PersonRole.Inker))
 | |
|             {
 | |
|                 await UpdateSeriesMetadataPeople(series.Metadata, series.Metadata.People, chapterPeople, PersonRole.Inker);
 | |
|             }
 | |
|         }
 | |
| 
 | |
|         if (!series.Metadata.ImprintLocked)
 | |
|         {
 | |
|             var chapterPeople = chapters.SelectMany(c => c.People.Where(p => p.Role == PersonRole.Imprint)).ToList();
 | |
|             if (ShouldUpdatePeopleForRole(series, chapterPeople, PersonRole.Imprint))
 | |
|             {
 | |
|                 await UpdateSeriesMetadataPeople(series.Metadata, series.Metadata.People, chapterPeople, PersonRole.Imprint);
 | |
|             }
 | |
|         }
 | |
| 
 | |
|         if (!series.Metadata.TeamLocked)
 | |
|         {
 | |
|             var chapterPeople = chapters.SelectMany(c => c.People.Where(p => p.Role == PersonRole.Team)).ToList();
 | |
|             if (ShouldUpdatePeopleForRole(series, chapterPeople, PersonRole.Team))
 | |
|             {
 | |
|                 await UpdateSeriesMetadataPeople(series.Metadata, series.Metadata.People, chapterPeople, PersonRole.Team);
 | |
|             }
 | |
|         }
 | |
| 
 | |
|         if (!series.Metadata.LocationLocked && !series.Metadata.AllKavitaPlus(PersonRole.Location))
 | |
|         {
 | |
|             var chapterPeople = chapters.SelectMany(c => c.People.Where(p => p.Role == PersonRole.Location)).ToList();
 | |
|             if (ShouldUpdatePeopleForRole(series, chapterPeople, PersonRole.Location))
 | |
|             {
 | |
|                 await UpdateSeriesMetadataPeople(series.Metadata, series.Metadata.People, chapterPeople, PersonRole.Location);
 | |
|             }
 | |
|         }
 | |
| 
 | |
|         if (!series.Metadata.LettererLocked && !series.Metadata.AllKavitaPlus(PersonRole.Letterer))
 | |
|         {
 | |
|             var chapterPeople = chapters.SelectMany(c => c.People.Where(p => p.Role == PersonRole.Letterer)).ToList();
 | |
|             if (ShouldUpdatePeopleForRole(series, chapterPeople, PersonRole.Location))
 | |
|             {
 | |
|                 await UpdateSeriesMetadataPeople(series.Metadata, series.Metadata.People, chapterPeople, PersonRole.Letterer);
 | |
|             }
 | |
|         }
 | |
| 
 | |
|         if (!series.Metadata.PencillerLocked && !series.Metadata.AllKavitaPlus(PersonRole.Penciller))
 | |
|         {
 | |
|             var chapterPeople = chapters.SelectMany(c => c.People.Where(p => p.Role == PersonRole.Penciller)).ToList();
 | |
|             if (ShouldUpdatePeopleForRole(series, chapterPeople, PersonRole.Penciller))
 | |
|             {
 | |
|                 await UpdateSeriesMetadataPeople(series.Metadata, series.Metadata.People, chapterPeople, PersonRole.Penciller);
 | |
|             }
 | |
|         }
 | |
| 
 | |
|         if (!series.Metadata.TranslatorLocked && !series.Metadata.AllKavitaPlus(PersonRole.Translator))
 | |
|         {
 | |
|             var chapterPeople = chapters.SelectMany(c => c.People.Where(p => p.Role == PersonRole.Translator)).ToList();
 | |
|             if (ShouldUpdatePeopleForRole(series, chapterPeople, PersonRole.Translator))
 | |
|             {
 | |
|                 await UpdateSeriesMetadataPeople(series.Metadata, series.Metadata.People, chapterPeople, PersonRole.Translator);
 | |
|             }
 | |
|         }
 | |
| 
 | |
| 
 | |
|         if (!series.Metadata.TagsLocked)
 | |
|         {
 | |
|             var tags = chapters.SelectMany(c => c.Tags).ToList();
 | |
|             UpdateSeriesMetadataTags(series.Metadata.Tags, tags);
 | |
|         }
 | |
| 
 | |
|         if (!series.Metadata.GenresLocked)
 | |
|         {
 | |
|             var genres = chapters.SelectMany(c => c.Genres).ToList();
 | |
|             UpdateSeriesMetadataGenres(series.Metadata.Genres, genres);
 | |
|         }
 | |
| 
 | |
|         #endregion
 | |
| 
 | |
|     }
 | |
| 
 | |
|     /// <summary>
 | |
|     /// Ensure that we don't overwrite Person metadata when all metadata is coming from Kavita+ metadata match functionality
 | |
|     /// </summary>
 | |
|     /// <param name="series"></param>
 | |
|     /// <param name="chapterPeople"></param>
 | |
|     /// <param name="role"></param>
 | |
|     /// <returns></returns>
 | |
|     private static bool ShouldUpdatePeopleForRole(Series series, List<ChapterPeople> chapterPeople, PersonRole role)
 | |
|     {
 | |
|         if (chapterPeople.Count == 0) return false;
 | |
| 
 | |
|         // If metadata already has this role, but all entries are from KavitaPlus, we should retain them
 | |
|         if (series.Metadata.AnyOfRole(role))
 | |
|         {
 | |
|             var existingPeople = series.Metadata.People.Where(p => p.Role == role);
 | |
| 
 | |
|             // If all existing people are KavitaPlus but new chapter people exist, we should still update
 | |
|             if (existingPeople.All(p => p.KavitaPlusConnection))
 | |
|             {
 | |
|                 return false; // Ensure we don't remove KavitaPlus people
 | |
|             }
 | |
| 
 | |
|             return true; // Default case: metadata exists, and it's okay to update
 | |
|         }
 | |
| 
 | |
|         return true;
 | |
|     }
 | |
| 
 | |
|     private async Task UpdateCollectionTags(Series series, Chapter firstChapter)
 | |
|     {
 | |
|         // Get the default admin to associate these tags to
 | |
|         var defaultAdmin = await _unitOfWork.UserRepository.GetDefaultAdminUser(AppUserIncludes.Collections);
 | |
|         if (defaultAdmin == null) return;
 | |
| 
 | |
|         _logger.LogInformation("Collection tag(s) found for {SeriesName}, updating collections", series.Name);
 | |
|         var sw = Stopwatch.StartNew();
 | |
| 
 | |
|         foreach (var collection in firstChapter.SeriesGroup.Split(',', StringSplitOptions.TrimEntries | StringSplitOptions.RemoveEmptyEntries))
 | |
|         {
 | |
|             // Try to find an existing collection tag by its normalized name
 | |
|             var normalizedCollectionName = collection.ToNormalized();
 | |
|             var collectionTag = defaultAdmin.Collections.FirstOrDefault(c => c.NormalizedTitle == normalizedCollectionName);
 | |
| 
 | |
|             // If the collection tag does not exist, create a new one
 | |
|             if (collectionTag == null)
 | |
|             {
 | |
|                 _logger.LogDebug("Creating new collection tag for {Tag}", collection);
 | |
| 
 | |
|                 collectionTag = new AppUserCollectionBuilder(collection).Build();
 | |
|                 defaultAdmin.Collections.Add(collectionTag);
 | |
| 
 | |
|                 _unitOfWork.UserRepository.Update(defaultAdmin);
 | |
| 
 | |
|                 await _unitOfWork.CommitAsync();
 | |
|             }
 | |
| 
 | |
|             // Check if the Series is already associated with this collection
 | |
|             if (collectionTag.Items.Any(s => s.MatchesSeriesByName(series.NormalizedName, series.NormalizedLocalizedName)))
 | |
|             {
 | |
|                 continue;
 | |
|             }
 | |
| 
 | |
|             // Add the series to the collection tag
 | |
|             collectionTag.Items.Add(series);
 | |
| 
 | |
|             // Update the collection age rating
 | |
|             await _unitOfWork.CollectionTagRepository.UpdateCollectionAgeRating(collectionTag);
 | |
|         }
 | |
| 
 | |
|         _logger.LogTrace("[TIME] Kavita took {Time} ms to process collections on Series: {Name}", sw.ElapsedMilliseconds, series.Name);
 | |
|     }
 | |
| 
 | |
| 
 | |
|     private static void UpdateSeriesMetadataTags(ICollection<Tag> metadataTags, IList<Tag> chapterTags)
 | |
|     {
 | |
|         // Create a HashSet of normalized titles for faster lookups
 | |
|         var chapterTagTitles = new HashSet<string>(chapterTags.Select(t => t.NormalizedTitle));
 | |
| 
 | |
|         // Remove any tags from metadataTags that are not part of chapterTags
 | |
|         var tagsToRemove = metadataTags
 | |
|             .Where(mt => !chapterTagTitles.Contains(mt.NormalizedTitle))
 | |
|             .ToList();
 | |
| 
 | |
|         if (tagsToRemove.Count > 0)
 | |
|         {
 | |
|             foreach (var tagToRemove in tagsToRemove)
 | |
|             {
 | |
|                 metadataTags.Remove(tagToRemove);
 | |
|             }
 | |
|         }
 | |
| 
 | |
|         // Create a HashSet of metadataTags normalized titles for faster lookup
 | |
|         var metadataTagTitles = new HashSet<string>(metadataTags.Select(mt => mt.NormalizedTitle));
 | |
| 
 | |
|         // Add any tags from chapterTags that do not already exist in metadataTags
 | |
|         foreach (var tag in chapterTags)
 | |
|         {
 | |
|             if (!metadataTagTitles.Contains(tag.NormalizedTitle))
 | |
|             {
 | |
|                 metadataTags.Add(tag);
 | |
|             }
 | |
|         }
 | |
|     }
 | |
| 
 | |
|     private static void UpdateSeriesMetadataGenres(ICollection<Genre> metadataGenres, IList<Genre> chapterGenres)
 | |
|     {
 | |
|         // Create a HashSet of normalized titles for chapterGenres for fast lookup
 | |
|         var chapterGenreTitles = new HashSet<string>(chapterGenres.Select(g => g.NormalizedTitle));
 | |
| 
 | |
|         // Remove any genres from metadataGenres that are not present in chapterGenres
 | |
|         var genresToRemove = metadataGenres
 | |
|             .Where(mg => !chapterGenreTitles.Contains(mg.NormalizedTitle))
 | |
|             .ToList();
 | |
| 
 | |
|         foreach (var genreToRemove in genresToRemove)
 | |
|         {
 | |
|             metadataGenres.Remove(genreToRemove);
 | |
|         }
 | |
| 
 | |
|         // Create a HashSet of metadataGenres normalized titles for fast lookup
 | |
|         var metadataGenreTitles = new HashSet<string>(metadataGenres.Select(mg => mg.NormalizedTitle));
 | |
| 
 | |
|         // Add any genres from chapterGenres that are not already in metadataGenres
 | |
|         foreach (var genre in chapterGenres)
 | |
|         {
 | |
|             if (!metadataGenreTitles.Contains(genre.NormalizedTitle))
 | |
|             {
 | |
|                 metadataGenres.Add(genre);
 | |
|             }
 | |
|         }
 | |
|     }
 | |
| 
 | |
| 
 | |
| 
 | |
|     private async Task UpdateSeriesMetadataPeople(SeriesMetadata metadata, ICollection<SeriesMetadataPeople> metadataPeople,
 | |
|         IEnumerable<ChapterPeople> chapterPeople, PersonRole role)
 | |
|     {
 | |
|         await PersonHelper.UpdateSeriesMetadataPeopleAsync(metadata, metadataPeople, chapterPeople, role, _unitOfWork);
 | |
|     }
 | |
| 
 | |
|     private void DeterminePublicationStatus(Series series, List<Chapter> chapters)
 | |
|     {
 | |
|         try
 | |
|         {
 | |
|             // Count (aka expected total number of chapters or volumes from metadata) across all chapters
 | |
|             series.Metadata.TotalCount = chapters.Max(chapter => chapter.TotalCount);
 | |
|             // The actual number of count's defined across all chapter's metadata
 | |
|             series.Metadata.MaxCount = chapters.Max(chapter => chapter.Count);
 | |
| 
 | |
|             var nonSpecialVolumes = series.Volumes
 | |
|                 .Where(v => v.MaxNumber.IsNot(Parser.Parser.SpecialVolumeNumber))
 | |
|                 .ToList();
 | |
| 
 | |
|             var maxVolume = (int)(nonSpecialVolumes.Any() ? nonSpecialVolumes.Max(v => v.MaxNumber) : 0);
 | |
|             var maxChapter = (int)chapters.Max(c => c.MaxNumber);
 | |
| 
 | |
|             // Single books usually don't have a number in their Range (filename)
 | |
|             if (series.Format == MangaFormat.Epub || series.Format == MangaFormat.Pdf && chapters.Count == 1)
 | |
|             {
 | |
|                 series.Metadata.MaxCount = 1;
 | |
|             }
 | |
|             else if (series.Metadata.TotalCount <= 1 && chapters.Count == 1 && chapters[0].IsSpecial)
 | |
|             {
 | |
|                 // If a series has a TotalCount of 1 (or no total count) and there is only a Special, mark it as Complete
 | |
|                 series.Metadata.MaxCount = series.Metadata.TotalCount;
 | |
|             }
 | |
|             else if ((maxChapter == Parser.Parser.DefaultChapterNumber || maxChapter > series.Metadata.TotalCount) &&
 | |
|                      maxVolume <= series.Metadata.TotalCount)
 | |
|             {
 | |
|                 series.Metadata.MaxCount = maxVolume;
 | |
|             }
 | |
|             else if (maxVolume == series.Metadata.TotalCount)
 | |
|             {
 | |
|                 series.Metadata.MaxCount = maxVolume;
 | |
|             }
 | |
|             else
 | |
|             {
 | |
|                 series.Metadata.MaxCount = maxChapter;
 | |
|             }
 | |
| 
 | |
|             if (!series.Metadata.PublicationStatusLocked)
 | |
|             {
 | |
|                 series.Metadata.PublicationStatus = PublicationStatus.OnGoing;
 | |
|                 if (series.Metadata.MaxCount == series.Metadata.TotalCount && series.Metadata.TotalCount > 0)
 | |
|                 {
 | |
|                     series.Metadata.PublicationStatus = PublicationStatus.Completed;
 | |
|                 }
 | |
|                 else if (series.Metadata.TotalCount > 0 && series.Metadata.MaxCount > 0)
 | |
|                 {
 | |
|                     series.Metadata.PublicationStatus = PublicationStatus.Ended;
 | |
|                 }
 | |
|             }
 | |
|         }
 | |
|         catch (Exception ex)
 | |
|         {
 | |
|             _logger.LogCritical(ex, "There was an issue determining Publication Status");
 | |
|             series.Metadata.PublicationStatus = PublicationStatus.OnGoing;
 | |
|         }
 | |
|     }
 | |
| 
 | |
|     private async Task UpdateVolumes(MetadataSettingsDto settings, Series series, IList<ParserInfo> parsedInfos, bool forceUpdate = false)
 | |
|     {
 | |
|         // Add new volumes and update chapters per volume
 | |
|         var distinctVolumes = parsedInfos.DistinctVolumes();
 | |
|         foreach (var volumeNumber in distinctVolumes)
 | |
|         {
 | |
|             Volume? volume;
 | |
|             try
 | |
|             {
 | |
|                 // With the Name change to be formatted, Name no longer working because Name returns "1" and volumeNumber is "1.0", so we use LookupName as the original
 | |
|                 volume = series.Volumes.SingleOrDefault(s => s.LookupName == volumeNumber);
 | |
|             }
 | |
|             catch (Exception ex)
 | |
|             {
 | |
|                 // TODO: Push this to UI in some way
 | |
|                 if (!ex.Message.Equals("Sequence contains more than one matching element")) throw;
 | |
|                 _logger.LogCritical(ex, "[ScannerService] Kavita found corrupted volume entries on {SeriesName}. Please delete the series from Kavita via UI and rescan", series.Name);
 | |
|                 throw new KavitaException(
 | |
|                     $"Kavita found corrupted volume entries on {series.Name}. Please delete the series from Kavita via UI and rescan");
 | |
|             }
 | |
|             if (volume == null)
 | |
|             {
 | |
|                 volume = new VolumeBuilder(volumeNumber)
 | |
|                     .WithSeriesId(series.Id)
 | |
|                     .Build();
 | |
|                 series.Volumes.Add(volume);
 | |
|             }
 | |
| 
 | |
|             volume.LookupName = volumeNumber;
 | |
|             volume.Name = volume.GetNumberTitle();
 | |
| 
 | |
|             var infos = parsedInfos.Where(p => p.Volumes == volumeNumber).ToArray();
 | |
| 
 | |
|             await UpdateChapters(settings, series, volume, infos, forceUpdate);
 | |
|             volume.Pages = volume.Chapters.Sum(c => c.Pages);
 | |
|         }
 | |
| 
 | |
|         // Remove existing volumes that aren't in parsedInfos
 | |
|         RemoveVolumes(series, parsedInfos);
 | |
|     }
 | |
| 
 | |
|     private void RemoveVolumes(Series series, IList<ParserInfo> parsedInfos)
 | |
|     {
 | |
| 
 | |
|         var nonDeletedVolumes = series.Volumes
 | |
|             .Where(v => parsedInfos.Select(p => p.Volumes).Contains(v.LookupName))
 | |
|             .ToList();
 | |
|         if (series.Volumes.Count == nonDeletedVolumes.Count) return;
 | |
| 
 | |
| 
 | |
|         _logger.LogDebug("[ScannerService] Removed {Count} volumes from {SeriesName} where parsed infos were not mapping with volume name",
 | |
|             (series.Volumes.Count - nonDeletedVolumes.Count), series.Name);
 | |
|         var deletedVolumes = series.Volumes.Except(nonDeletedVolumes);
 | |
|         foreach (var volume in deletedVolumes)
 | |
|         {
 | |
|             var file = volume.Chapters.FirstOrDefault()?.Files?.FirstOrDefault()?.FilePath ?? string.Empty;
 | |
|             if (!string.IsNullOrEmpty(file) && _directoryService.FileSystem.File.Exists(file))
 | |
|             {
 | |
|                 // This can happen when file is renamed and volume is removed
 | |
|                 _logger.LogInformation(
 | |
|                     "[ScannerService] Volume cleanup code was trying to remove a volume with a file still existing on disk (usually volume marker removed) File: {File}",
 | |
|                     file);
 | |
|             }
 | |
| 
 | |
|             _logger.LogDebug("[ScannerService] Removed {SeriesName} - Volume {Volume}: {File}", series.Name, volume.Name, file);
 | |
|         }
 | |
| 
 | |
|         series.Volumes = nonDeletedVolumes;
 | |
|     }
 | |
| 
 | |
|     private async Task UpdateChapters(MetadataSettingsDto settings, Series series, Volume volume, IList<ParserInfo> parsedInfos, bool forceUpdate = false)
 | |
|     {
 | |
|         // Add new chapters
 | |
|         foreach (var info in parsedInfos)
 | |
|         {
 | |
|             // Specials go into their own chapters with Range being their filename and IsSpecial = True. Non-Specials with Vol and Chap as 0
 | |
|             // also are treated like specials for UI grouping.
 | |
|             Chapter? chapter;
 | |
|             try
 | |
|             {
 | |
|                 chapter = volume.Chapters.GetChapterByRange(info);
 | |
|             }
 | |
|             catch (Exception ex)
 | |
|             {
 | |
|                 _logger.LogError(ex, "{FileName} mapped as '{Series} - Vol {Volume} Ch {Chapter}' is a duplicate, skipping", info.FullFilePath, info.Series, info.Volumes, info.Chapters);
 | |
|                 continue;
 | |
|             }
 | |
| 
 | |
|             if (chapter == null)
 | |
|             {
 | |
|                 _logger.LogDebug(
 | |
|                     "[ScannerService] Adding new chapter, {Series} - Vol {Volume} Ch {Chapter}", info.Series, info.Volumes, info.Chapters);
 | |
|                 chapter = ChapterBuilder.FromParserInfo(info).Build();
 | |
|                 volume.Chapters.Add(chapter);
 | |
|                 series.UpdateLastChapterAdded();
 | |
|             }
 | |
|             else
 | |
|             {
 | |
|                 chapter.UpdateFrom(info);
 | |
|             }
 | |
| 
 | |
| 
 | |
|             // Add files
 | |
|             AddOrUpdateFileForChapter(chapter, info, forceUpdate);
 | |
| 
 | |
|             chapter.Number = Parser.Parser.MinNumberFromRange(info.Chapters).ToString(CultureInfo.InvariantCulture);
 | |
|             chapter.MinNumber = Parser.Parser.MinNumberFromRange(info.Chapters);
 | |
|             chapter.MaxNumber = Parser.Parser.MaxNumberFromRange(info.Chapters);
 | |
|             chapter.Range = chapter.GetNumberTitle();
 | |
| 
 | |
|             if (!chapter.SortOrderLocked)
 | |
|             {
 | |
|                 chapter.SortOrder = info.IssueOrder;
 | |
|             }
 | |
| 
 | |
|             if (float.TryParse(chapter.Title, CultureInfo.InvariantCulture, out _))
 | |
|             {
 | |
|                 // If we have float based chapters, first scan can have the chapter formatted as Chapter 0.2 - .2 as the title is wrong.
 | |
|                 chapter.Title = chapter.GetNumberTitle();
 | |
|             }
 | |
| 
 | |
|             try
 | |
|             {
 | |
|                 await UpdateChapterFromComicInfo(settings, chapter, info.ComicInfo, forceUpdate);
 | |
|             }
 | |
|             catch (Exception ex)
 | |
|             {
 | |
|                 _logger.LogError(ex, "There was some issue when updating chapter's metadata");
 | |
|             }
 | |
| 
 | |
|         }
 | |
| 
 | |
|         RemoveChapters(volume, parsedInfos);
 | |
|     }
 | |
| 
 | |
|     private void RemoveChapters(Volume volume, IList<ParserInfo> parsedInfos)
 | |
|     {
 | |
|         // Chapters to remove after enumeration
 | |
|         var chaptersToRemove = new List<Chapter>();
 | |
| 
 | |
|         var existingChapters = volume.Chapters;
 | |
| 
 | |
|         // Extract the directories (without filenames) from parserInfos
 | |
|         var parsedDirectories = parsedInfos
 | |
|             .Select(p => Path.GetDirectoryName(p.FullFilePath))
 | |
|             .Distinct()
 | |
|             .ToList();
 | |
| 
 | |
|         foreach (var existingChapter in existingChapters)
 | |
|         {
 | |
|             var chapterFileDirectories = existingChapter.Files
 | |
|                 .Select(f => Path.GetDirectoryName(f.FilePath))
 | |
|                 .Distinct()
 | |
|                 .ToList();
 | |
| 
 | |
|             var hasMatchingDirectory = chapterFileDirectories.Exists(dir => parsedDirectories.Contains(dir));
 | |
| 
 | |
|             if (hasMatchingDirectory)
 | |
|             {
 | |
|                 existingChapter.Files = existingChapter.Files
 | |
|                     .Where(f => parsedInfos.Any(p => Parser.Parser.NormalizePath(p.FullFilePath) == Parser.Parser.NormalizePath(f.FilePath)))
 | |
|                     .OrderByNatural(f => f.FilePath)
 | |
|                     .ToList();
 | |
| 
 | |
|                 existingChapter.Pages = existingChapter.Files.Sum(f => f.Pages);
 | |
| 
 | |
|                 if (existingChapter.Files.Count != 0) continue;
 | |
| 
 | |
|                 _logger.LogDebug("[ScannerService] Removed chapter {Chapter} for Volume {VolumeNumber} on {SeriesName}",
 | |
|                     existingChapter.Range, volume.Name, parsedInfos[0].Series);
 | |
|                 chaptersToRemove.Add(existingChapter); // Mark chapter for removal
 | |
|             }
 | |
|             else
 | |
|             {
 | |
|                 var filesExist = existingChapter.Files.Any(f => File.Exists(f.FilePath));
 | |
|                 if (filesExist) continue;
 | |
| 
 | |
|                 _logger.LogDebug("[ScannerService] Removed chapter {Chapter} for Volume {VolumeNumber} on {SeriesName} as no files exist",
 | |
|                     existingChapter.Range, volume.Name, parsedInfos[0].Series);
 | |
|                 chaptersToRemove.Add(existingChapter); // Mark chapter for removal
 | |
|             }
 | |
|         }
 | |
| 
 | |
|         // Remove chapters after the loop to avoid modifying the collection during enumeration
 | |
|         foreach (var chapter in chaptersToRemove)
 | |
|         {
 | |
|             volume.Chapters.Remove(chapter);
 | |
|         }
 | |
|     }
 | |
| 
 | |
| 
 | |
|     private void AddOrUpdateFileForChapter(Chapter chapter, ParserInfo info, bool forceUpdate = false)
 | |
|     {
 | |
|         chapter.Files ??= new List<MangaFile>();
 | |
|         var existingFile = chapter.Files.SingleOrDefault(f => f.FilePath == info.FullFilePath);
 | |
|         var fileInfo = _directoryService.FileSystem.FileInfo.New(info.FullFilePath);
 | |
|         if (existingFile != null)
 | |
|         {
 | |
|             // TODO: I wonder if we can simplify this force check.
 | |
|             existingFile.Format = info.Format;
 | |
| 
 | |
|             if (!forceUpdate && !_fileService.HasFileBeenModifiedSince(existingFile.FilePath, existingFile.LastModified) && existingFile.Pages != 0) return;
 | |
| 
 | |
|             existingFile.Pages = _readingItemService.GetNumberOfPages(info.FullFilePath, info.Format);
 | |
|             existingFile.Extension = fileInfo.Extension.ToLowerInvariant();
 | |
|             existingFile.FileName = Parser.Parser.RemoveExtensionIfSupported(existingFile.FilePath);
 | |
|             existingFile.FilePath = Parser.Parser.NormalizePath(existingFile.FilePath);
 | |
|             existingFile.Bytes = fileInfo.Length;
 | |
|             existingFile.KoreaderHash = KoreaderHelper.HashContents(existingFile.FilePath);
 | |
| 
 | |
|             // We skip updating DB here with last modified time so that metadata refresh can do it
 | |
|         }
 | |
|         else
 | |
|         {
 | |
| 
 | |
|             var file = new MangaFileBuilder(info.FullFilePath, info.Format, _readingItemService.GetNumberOfPages(info.FullFilePath, info.Format))
 | |
|                 .WithExtension(fileInfo.Extension)
 | |
|                 .WithBytes(fileInfo.Length)
 | |
|                 .WithHash()
 | |
|                 .Build();
 | |
|             chapter.Files.Add(file);
 | |
|         }
 | |
|     }
 | |
| 
 | |
|     private async Task UpdateChapterFromComicInfo(MetadataSettingsDto settings, Chapter chapter, ComicInfo? comicInfo, bool forceUpdate = false)
 | |
|     {
 | |
|         if (comicInfo == null) return;
 | |
|         var firstFile = chapter.Files.MinBy(x => x.Chapter);
 | |
|         if (firstFile == null ||
 | |
|             _cacheHelper.IsFileUnmodifiedSinceCreationOrLastScan(chapter, forceUpdate, firstFile)) return;
 | |
| 
 | |
|         var sw = Stopwatch.StartNew();
 | |
|         if (!chapter.AgeRatingLocked)
 | |
|         {
 | |
|             chapter.AgeRating = ComicInfo.ConvertAgeRatingToEnum(comicInfo.AgeRating);
 | |
|         }
 | |
| 
 | |
|         if (!chapter.TitleNameLocked && !string.IsNullOrEmpty(comicInfo.Title))
 | |
|         {
 | |
|             chapter.TitleName = comicInfo.Title.Trim();
 | |
|         }
 | |
| 
 | |
|         if (!chapter.SummaryLocked && !string.IsNullOrEmpty(comicInfo.Summary))
 | |
|         {
 | |
|             chapter.Summary = comicInfo.Summary;
 | |
|         }
 | |
| 
 | |
|         if (!chapter.LanguageLocked && !string.IsNullOrEmpty(comicInfo.LanguageISO))
 | |
|         {
 | |
|             chapter.Language = comicInfo.LanguageISO;
 | |
|         }
 | |
| 
 | |
|         if (!string.IsNullOrEmpty(comicInfo.SeriesGroup))
 | |
|         {
 | |
|             chapter.SeriesGroup = comicInfo.SeriesGroup;
 | |
|         }
 | |
| 
 | |
|         if (!string.IsNullOrEmpty(comicInfo.StoryArc))
 | |
|         {
 | |
|             chapter.StoryArc = comicInfo.StoryArc;
 | |
|         }
 | |
| 
 | |
|         if (!string.IsNullOrEmpty(comicInfo.AlternateSeries))
 | |
|         {
 | |
|             chapter.AlternateSeries = comicInfo.AlternateSeries;
 | |
|         }
 | |
| 
 | |
|         if (!string.IsNullOrEmpty(comicInfo.AlternateNumber))
 | |
|         {
 | |
|             chapter.AlternateNumber = comicInfo.AlternateNumber;
 | |
|         }
 | |
| 
 | |
|         if (!string.IsNullOrEmpty(comicInfo.StoryArcNumber))
 | |
|         {
 | |
|             chapter.StoryArcNumber = comicInfo.StoryArcNumber;
 | |
|         }
 | |
| 
 | |
|         if (comicInfo.AlternateCount > 0)
 | |
|         {
 | |
|             chapter.AlternateCount = comicInfo.AlternateCount;
 | |
|         }
 | |
| 
 | |
|         if (!string.IsNullOrEmpty(comicInfo.Web))
 | |
|         {
 | |
|             chapter.WebLinks = string.Join(",", comicInfo.Web
 | |
|                 .Split(",", StringSplitOptions.RemoveEmptyEntries | StringSplitOptions.TrimEntries)
 | |
|             );
 | |
| 
 | |
|             // TODO: For each weblink, try to parse out some MetadataIds and store in the Chapter directly for matching (CBL)
 | |
|         }
 | |
| 
 | |
|         if (!chapter.ISBNLocked && !string.IsNullOrEmpty(comicInfo.Isbn))
 | |
|         {
 | |
|             chapter.ISBN = comicInfo.Isbn;
 | |
|         }
 | |
| 
 | |
|         if (comicInfo.Count > 0)
 | |
|         {
 | |
|             chapter.TotalCount = comicInfo.Count;
 | |
|         }
 | |
| 
 | |
|         // This needs to check against both Number and Volume to calculate Count
 | |
|         chapter.Count = comicInfo.CalculatedCount();
 | |
| 
 | |
| 
 | |
|         if (!chapter.ReleaseDateLocked && comicInfo.Year > 0)
 | |
|         {
 | |
|             var day = Math.Max(comicInfo.Day, 1);
 | |
|             var month = Math.Max(comicInfo.Month, 1);
 | |
|             chapter.ReleaseDate = new DateTime(comicInfo.Year, month, day);
 | |
|         }
 | |
| 
 | |
|         if (!chapter.IsPersonRoleLocked(PersonRole.Colorist))
 | |
|         {
 | |
|             var people = TagHelper.GetTagValues(comicInfo.Colorist);
 | |
|             await UpdateChapterPeopleAsync(chapter, people, PersonRole.Colorist);
 | |
|         }
 | |
| 
 | |
|         if (!chapter.IsPersonRoleLocked(PersonRole.Character))
 | |
|         {
 | |
|             var people = TagHelper.GetTagValues(comicInfo.Characters);
 | |
|             await UpdateChapterPeopleAsync(chapter, people, PersonRole.Character);
 | |
|         }
 | |
| 
 | |
| 
 | |
|         if (!chapter.IsPersonRoleLocked(PersonRole.Translator))
 | |
|         {
 | |
|             var people = TagHelper.GetTagValues(comicInfo.Translator);
 | |
|             await UpdateChapterPeopleAsync(chapter, people, PersonRole.Translator);
 | |
|         }
 | |
| 
 | |
|         if (!chapter.IsPersonRoleLocked(PersonRole.Writer))
 | |
|         {
 | |
|             var personSw = Stopwatch.StartNew();
 | |
|             var people = TagHelper.GetTagValues(comicInfo.Writer);
 | |
|             await UpdateChapterPeopleAsync(chapter, people, PersonRole.Writer);
 | |
|             _logger.LogTrace("[TIME] Kavita took {Time} ms to process writer on Chapter: {File} for {Count} people", personSw.ElapsedMilliseconds, chapter.Files.First().FileName, people.Count);
 | |
|         }
 | |
| 
 | |
|         if (!chapter.IsPersonRoleLocked(PersonRole.Editor))
 | |
|         {
 | |
|             var people = TagHelper.GetTagValues(comicInfo.Editor);
 | |
|             await UpdateChapterPeopleAsync(chapter, people, PersonRole.Editor);
 | |
|         }
 | |
| 
 | |
|         if (!chapter.IsPersonRoleLocked(PersonRole.Inker))
 | |
|         {
 | |
|             var people = TagHelper.GetTagValues(comicInfo.Inker);
 | |
|             await UpdateChapterPeopleAsync(chapter, people, PersonRole.Inker);
 | |
|         }
 | |
| 
 | |
|         if (!chapter.IsPersonRoleLocked(PersonRole.Letterer))
 | |
|         {
 | |
|             var people = TagHelper.GetTagValues(comicInfo.Letterer);
 | |
|             await UpdateChapterPeopleAsync(chapter, people, PersonRole.Letterer);
 | |
|         }
 | |
| 
 | |
|         if (!chapter.IsPersonRoleLocked(PersonRole.Penciller))
 | |
|         {
 | |
|             var people = TagHelper.GetTagValues(comicInfo.Penciller);
 | |
|             await UpdateChapterPeopleAsync(chapter, people, PersonRole.Penciller);
 | |
|         }
 | |
| 
 | |
|         if (!chapter.IsPersonRoleLocked(PersonRole.CoverArtist))
 | |
|         {
 | |
|             var people = TagHelper.GetTagValues(comicInfo.CoverArtist);
 | |
|             await UpdateChapterPeopleAsync(chapter, people, PersonRole.CoverArtist);
 | |
|         }
 | |
| 
 | |
|         if (!chapter.IsPersonRoleLocked(PersonRole.Publisher))
 | |
|         {
 | |
|             var people = TagHelper.GetTagValues(comicInfo.Publisher);
 | |
|             await UpdateChapterPeopleAsync(chapter, people, PersonRole.Publisher);
 | |
|         }
 | |
| 
 | |
|         if (!chapter.IsPersonRoleLocked(PersonRole.Imprint))
 | |
|         {
 | |
|             var people = TagHelper.GetTagValues(comicInfo.Imprint);
 | |
|             await UpdateChapterPeopleAsync(chapter, people, PersonRole.Imprint);
 | |
|         }
 | |
| 
 | |
|         if (!chapter.IsPersonRoleLocked(PersonRole.Team))
 | |
|         {
 | |
|             var people = TagHelper.GetTagValues(comicInfo.Teams);
 | |
|             await UpdateChapterPeopleAsync(chapter, people, PersonRole.Team);
 | |
|         }
 | |
| 
 | |
|         if (!chapter.IsPersonRoleLocked(PersonRole.Location))
 | |
|         {
 | |
|             var people = TagHelper.GetTagValues(comicInfo.Locations);
 | |
|             await UpdateChapterPeopleAsync(chapter, people, PersonRole.Location);
 | |
|         }
 | |
| 
 | |
|         if (!chapter.GenresLocked || !chapter.TagsLocked)
 | |
|         {
 | |
|             var genres = TagHelper.GetTagValues(comicInfo.Genre);
 | |
|             var tags = TagHelper.GetTagValues(comicInfo.Tags);
 | |
| 
 | |
|             ExternalMetadataService.GenerateExternalGenreAndTagsList(genres, tags, settings,
 | |
|                 out var finalTags, out var finalGenres);
 | |
| 
 | |
|             if (!chapter.GenresLocked)
 | |
|             {
 | |
|                 await UpdateChapterGenres(chapter, finalGenres);
 | |
|             }
 | |
| 
 | |
|             if (!chapter.TagsLocked)
 | |
|             {
 | |
|                 await UpdateChapterTags(chapter, finalTags);
 | |
|             }
 | |
| 
 | |
| 
 | |
|         }
 | |
| 
 | |
|         _logger.LogTrace("[TIME] Kavita took {Time} ms to create/update Chapter: {File}", sw.ElapsedMilliseconds, chapter.Files.First().FileName);
 | |
|     }
 | |
| 
 | |
|     private async Task UpdateChapterGenres(Chapter chapter, IEnumerable<string> genreNames)
 | |
|     {
 | |
|         try
 | |
|         {
 | |
|             await GenreHelper.UpdateChapterGenres(chapter, genreNames, _unitOfWork);
 | |
|         }
 | |
|         catch (Exception ex)
 | |
|         {
 | |
|             _logger.LogError(ex, "There was an error updating the chapter genres");
 | |
|         }
 | |
|     }
 | |
| 
 | |
| 
 | |
|     private async Task UpdateChapterTags(Chapter chapter, IEnumerable<string> tagNames)
 | |
|     {
 | |
|         try
 | |
|         {
 | |
|             await TagHelper.UpdateChapterTags(chapter, tagNames, _unitOfWork);
 | |
|         }
 | |
|         catch (Exception ex)
 | |
|         {
 | |
|             _logger.LogError(ex, "There was an error updating the chapter tags");
 | |
|         }
 | |
|     }
 | |
| 
 | |
|     private async Task UpdateChapterPeopleAsync(Chapter chapter, IList<string> people, PersonRole role)
 | |
|     {
 | |
|         try
 | |
|         {
 | |
|             await PersonHelper.UpdateChapterPeopleAsync(chapter, people, role, _unitOfWork);
 | |
|         }
 | |
|         catch (Exception ex)
 | |
|         {
 | |
|             _logger.LogError(ex, "[ScannerService] There was an issue adding/updating a person");
 | |
|         }
 | |
|     }
 | |
| }
 |