< Summary - Jellyfin

Information
Class: MediaBrowser.Providers.MediaInfo.FFProbeVideoInfo
Assembly: MediaBrowser.Providers
File(s): /srv/git/jellyfin/MediaBrowser.Providers/MediaInfo/FFProbeVideoInfo.cs
Line coverage
24%
Covered lines: 38
Uncovered lines: 117
Coverable lines: 155
Total lines: 672
Line coverage: 24.5%
Branch coverage
6%
Covered branches: 8
Total branches: 116
Branch coverage: 6.8%
Method coverage

Feature is only available for sponsors

Upgrade to PRO version

Coverage history

Coverage history 0 25 50 75 100

Metrics

MethodBranch coverage Crap Score Cyclomatic complexity Line coverage
.ctor(...)100%11100%
GetMediaInfo(...)0%620%
NormalizeChapterNames(...)0%4260%
FetchBdInfo(...)0%420200%
GetBDInfo(...)100%210%
FetchEmbeddedInfo(...)0%4692680%
FetchPeople(...)0%156120%
CreateDummyChapters(...)100%88100%

File(s)

/srv/git/jellyfin/MediaBrowser.Providers/MediaInfo/FFProbeVideoInfo.cs

#LineLine coverage
 1#pragma warning disable CA1068, CS1591
 2
 3using System;
 4using System.Collections.Generic;
 5using System.Globalization;
 6using System.Linq;
 7using System.Threading;
 8using System.Threading.Tasks;
 9using Jellyfin.Extensions;
 10using MediaBrowser.Common.Configuration;
 11using MediaBrowser.Controller.Chapters;
 12using MediaBrowser.Controller.Configuration;
 13using MediaBrowser.Controller.Entities;
 14using MediaBrowser.Controller.Entities.Movies;
 15using MediaBrowser.Controller.Entities.TV;
 16using MediaBrowser.Controller.Library;
 17using MediaBrowser.Controller.MediaEncoding;
 18using MediaBrowser.Controller.Persistence;
 19using MediaBrowser.Controller.Providers;
 20using MediaBrowser.Controller.Subtitles;
 21using MediaBrowser.Model.Configuration;
 22using MediaBrowser.Model.Dlna;
 23using MediaBrowser.Model.Dto;
 24using MediaBrowser.Model.Entities;
 25using MediaBrowser.Model.Globalization;
 26using MediaBrowser.Model.MediaInfo;
 27using MediaBrowser.Model.Providers;
 28using Microsoft.Extensions.Logging;
 29
 30namespace MediaBrowser.Providers.MediaInfo
 31{
 32    public class FFProbeVideoInfo
 33    {
 34        private readonly ILogger<FFProbeVideoInfo> _logger;
 35        private readonly IMediaSourceManager _mediaSourceManager;
 36        private readonly IMediaEncoder _mediaEncoder;
 37        private readonly IItemRepository _itemRepo;
 38        private readonly IBlurayExaminer _blurayExaminer;
 39        private readonly ILocalizationManager _localization;
 40        private readonly IEncodingManager _encodingManager;
 41        private readonly IServerConfigurationManager _config;
 42        private readonly ISubtitleManager _subtitleManager;
 43        private readonly IChapterRepository _chapterManager;
 44        private readonly ILibraryManager _libraryManager;
 45        private readonly AudioResolver _audioResolver;
 46        private readonly SubtitleResolver _subtitleResolver;
 47        private readonly IMediaAttachmentRepository _mediaAttachmentRepository;
 48        private readonly IMediaStreamRepository _mediaStreamRepository;
 49
 50        public FFProbeVideoInfo(
 51            ILogger<FFProbeVideoInfo> logger,
 52            IMediaSourceManager mediaSourceManager,
 53            IMediaEncoder mediaEncoder,
 54            IItemRepository itemRepo,
 55            IBlurayExaminer blurayExaminer,
 56            ILocalizationManager localization,
 57            IEncodingManager encodingManager,
 58            IServerConfigurationManager config,
 59            ISubtitleManager subtitleManager,
 60            IChapterRepository chapterManager,
 61            ILibraryManager libraryManager,
 62            AudioResolver audioResolver,
 63            SubtitleResolver subtitleResolver,
 64            IMediaAttachmentRepository mediaAttachmentRepository,
 65            IMediaStreamRepository mediaStreamRepository)
 66        {
 3067            _logger = logger;
 3068            _mediaSourceManager = mediaSourceManager;
 3069            _mediaEncoder = mediaEncoder;
 3070            _itemRepo = itemRepo;
 3071            _blurayExaminer = blurayExaminer;
 3072            _localization = localization;
 3073            _encodingManager = encodingManager;
 3074            _config = config;
 3075            _subtitleManager = subtitleManager;
 3076            _chapterManager = chapterManager;
 3077            _libraryManager = libraryManager;
 3078            _audioResolver = audioResolver;
 3079            _subtitleResolver = subtitleResolver;
 3080            _mediaAttachmentRepository = mediaAttachmentRepository;
 3081            _mediaStreamRepository = mediaStreamRepository;
 3082            _mediaStreamRepository = mediaStreamRepository;
 3083        }
 84
 85        public async Task<ItemUpdateType> ProbeVideo<T>(
 86            T item,
 87            MetadataRefreshOptions options,
 88            CancellationToken cancellationToken)
 89            where T : Video
 90        {
 91            BlurayDiscInfo? blurayDiscInfo = null;
 92
 93            Model.MediaInfo.MediaInfo? mediaInfoResult = null;
 94
 95            if (!item.IsShortcut || options.EnableRemoteContentProbe)
 96            {
 97                if (item.VideoType == VideoType.Dvd)
 98                {
 99                    // Get list of playable .vob files
 100                    var vobs = _mediaEncoder.GetPrimaryPlaylistVobFiles(item.Path, null);
 101
 102                    // Return if no playable .vob files are found
 103                    if (vobs.Count == 0)
 104                    {
 105                        _logger.LogError("No playable .vob files found in DVD structure, skipping FFprobe.");
 106                        return ItemUpdateType.MetadataImport;
 107                    }
 108
 109                    // Fetch metadata of first .vob file
 110                    mediaInfoResult = await GetMediaInfo(
 111                        new Video
 112                        {
 113                            Path = vobs[0]
 114                        },
 115                        cancellationToken).ConfigureAwait(false);
 116
 117                    // Sum up the runtime of all .vob files skipping the first .vob
 118                    for (var i = 1; i < vobs.Count; i++)
 119                    {
 120                        var tmpMediaInfo = await GetMediaInfo(
 121                            new Video
 122                            {
 123                                Path = vobs[i]
 124                            },
 125                            cancellationToken).ConfigureAwait(false);
 126
 127                        mediaInfoResult.RunTimeTicks += tmpMediaInfo.RunTimeTicks;
 128                    }
 129                }
 130                else if (item.VideoType == VideoType.BluRay)
 131                {
 132                    // Get BD disc information
 133                    blurayDiscInfo = GetBDInfo(item.Path);
 134
 135                    // Return if no playable .m2ts files are found
 136                    if (blurayDiscInfo is null || blurayDiscInfo.Files.Length == 0)
 137                    {
 138                        _logger.LogError("No playable .m2ts files found in Blu-ray structure, skipping FFprobe.");
 139                        return ItemUpdateType.MetadataImport;
 140                    }
 141
 142                    // Fetch metadata of first .m2ts file
 143                    mediaInfoResult = await GetMediaInfo(
 144                        new Video
 145                        {
 146                            Path = blurayDiscInfo.Files[0]
 147                        },
 148                        cancellationToken).ConfigureAwait(false);
 149                }
 150                else
 151                {
 152                    mediaInfoResult = await GetMediaInfo(item, cancellationToken).ConfigureAwait(false);
 153                }
 154
 155                cancellationToken.ThrowIfCancellationRequested();
 156            }
 157
 158            await Fetch(item, cancellationToken, mediaInfoResult, blurayDiscInfo, options).ConfigureAwait(false);
 159
 160            return ItemUpdateType.MetadataImport;
 161        }
 162
 163        private Task<Model.MediaInfo.MediaInfo> GetMediaInfo(
 164            Video item,
 165            CancellationToken cancellationToken)
 166        {
 0167            cancellationToken.ThrowIfCancellationRequested();
 168
 0169            var path = item.Path;
 0170            var protocol = item.PathProtocol ?? MediaProtocol.File;
 171
 0172            if (item.IsShortcut)
 173            {
 0174                path = item.ShortcutPath;
 0175                protocol = _mediaSourceManager.GetPathProtocol(path);
 176            }
 177
 0178            return _mediaEncoder.GetMediaInfo(
 0179                new MediaInfoRequest
 0180                {
 0181                    ExtractChapters = true,
 0182                    MediaType = DlnaProfileType.Video,
 0183                    MediaSource = new MediaSourceInfo
 0184                    {
 0185                        Path = path,
 0186                        Protocol = protocol,
 0187                        VideoType = item.VideoType,
 0188                        IsoType = item.IsoType
 0189                    }
 0190                },
 0191                cancellationToken);
 192        }
 193
 194        protected async Task Fetch(
 195            Video video,
 196            CancellationToken cancellationToken,
 197            Model.MediaInfo.MediaInfo? mediaInfo,
 198            BlurayDiscInfo? blurayInfo,
 199            MetadataRefreshOptions options)
 200        {
 201            List<MediaStream> mediaStreams = new List<MediaStream>();
 202            IReadOnlyList<MediaAttachment> mediaAttachments;
 203            ChapterInfo[] chapters;
 204
 205            // Add external streams before adding the streams from the file to preserve stream IDs on remote videos
 206            await AddExternalSubtitlesAsync(video, mediaStreams, options, cancellationToken).ConfigureAwait(false);
 207
 208            await AddExternalAudioAsync(video, mediaStreams, options, cancellationToken).ConfigureAwait(false);
 209
 210            var startIndex = mediaStreams.Count == 0 ? 0 : (mediaStreams.Max(i => i.Index) + 1);
 211
 212            if (mediaInfo is not null)
 213            {
 214                foreach (var mediaStream in mediaInfo.MediaStreams)
 215                {
 216                    mediaStream.Index = startIndex++;
 217                    mediaStreams.Add(mediaStream);
 218                }
 219
 220                mediaAttachments = mediaInfo.MediaAttachments;
 221                video.TotalBitrate = mediaInfo.Bitrate;
 222                video.RunTimeTicks = mediaInfo.RunTimeTicks;
 223                video.Size = mediaInfo.Size;
 224                video.Container = mediaInfo.Container;
 225
 226                chapters = mediaInfo.Chapters ?? Array.Empty<ChapterInfo>();
 227                if (blurayInfo is not null)
 228                {
 229                    FetchBdInfo(video, ref chapters, mediaStreams, blurayInfo);
 230                }
 231            }
 232            else
 233            {
 234                foreach (var mediaStream in video.GetMediaStreams())
 235                {
 236                    if (!mediaStream.IsExternal)
 237                    {
 238                        mediaStream.Index = startIndex++;
 239                        mediaStreams.Add(mediaStream);
 240                    }
 241                }
 242
 243                mediaAttachments = Array.Empty<MediaAttachment>();
 244                chapters = Array.Empty<ChapterInfo>();
 245            }
 246
 247            var libraryOptions = _libraryManager.GetLibraryOptions(video);
 248
 249            if (mediaInfo is not null)
 250            {
 251                FetchEmbeddedInfo(video, mediaInfo, options, libraryOptions);
 252                FetchPeople(video, mediaInfo, options);
 253                video.Timestamp = mediaInfo.Timestamp;
 254                video.Video3DFormat ??= mediaInfo.Video3DFormat;
 255            }
 256
 257            if (libraryOptions.AllowEmbeddedSubtitles == EmbeddedSubtitleOptions.AllowText || libraryOptions.AllowEmbedd
 258            {
 259                _logger.LogDebug("Disabling embedded image subtitles for {Path} due to DisableEmbeddedImageSubtitles set
 260                mediaStreams.RemoveAll(i => i.Type == MediaStreamType.Subtitle && !i.IsExternal && !i.IsTextSubtitleStre
 261            }
 262
 263            if (libraryOptions.AllowEmbeddedSubtitles == EmbeddedSubtitleOptions.AllowImage || libraryOptions.AllowEmbed
 264            {
 265                _logger.LogDebug("Disabling embedded text subtitles for {Path} due to DisableEmbeddedTextSubtitles setti
 266                mediaStreams.RemoveAll(i => i.Type == MediaStreamType.Subtitle && !i.IsExternal && i.IsTextSubtitleStrea
 267            }
 268
 269            var videoStream = mediaStreams.FirstOrDefault(i => i.Type == MediaStreamType.Video);
 270
 271            video.Height = videoStream?.Height ?? 0;
 272            video.Width = videoStream?.Width ?? 0;
 273
 274            video.DefaultVideoStreamIndex = videoStream?.Index;
 275
 276            video.HasSubtitles = mediaStreams.Any(i => i.Type == MediaStreamType.Subtitle);
 277
 278            _mediaStreamRepository.SaveMediaStreams(video.Id, mediaStreams, cancellationToken);
 279
 280            if (mediaAttachments.Any())
 281            {
 282                _mediaAttachmentRepository.SaveMediaAttachments(video.Id, mediaAttachments, cancellationToken);
 283            }
 284
 285            if (options.MetadataRefreshMode == MetadataRefreshMode.FullRefresh
 286                || options.MetadataRefreshMode == MetadataRefreshMode.Default)
 287            {
 288                if (_config.Configuration.DummyChapterDuration > 0 && chapters.Length == 0 && mediaStreams.Any(i => i.Ty
 289                {
 290                    chapters = CreateDummyChapters(video);
 291                }
 292
 293                NormalizeChapterNames(chapters);
 294
 295                var extractDuringScan = false;
 296                if (libraryOptions is not null)
 297                {
 298                    extractDuringScan = libraryOptions.ExtractChapterImagesDuringLibraryScan;
 299                }
 300
 301                await _encodingManager.RefreshChapterImages(video, options.DirectoryService, chapters, extractDuringScan
 302
 303                _chapterManager.SaveChapters(video.Id, chapters);
 304            }
 305        }
 306
 307        private void NormalizeChapterNames(ChapterInfo[] chapters)
 308        {
 0309            for (int i = 0; i < chapters.Length; i++)
 310            {
 0311                string? name = chapters[i].Name;
 312                // Check if the name is empty and/or if the name is a time
 313                // Some ripping programs do that.
 0314                if (string.IsNullOrWhiteSpace(name)
 0315                    || TimeSpan.TryParse(name, out _))
 316                {
 0317                    chapters[i].Name = string.Format(
 0318                        CultureInfo.InvariantCulture,
 0319                        _localization.GetLocalizedString("ChapterNameValue"),
 0320                        (i + 1).ToString(CultureInfo.InvariantCulture));
 321                }
 322            }
 0323        }
 324
 325        private void FetchBdInfo(Video video, ref ChapterInfo[] chapters, List<MediaStream> mediaStreams, BlurayDiscInfo
 326        {
 0327            if (blurayInfo.Files.Length <= 1)
 328            {
 0329                return;
 330            }
 331
 0332            var ffmpegVideoStream = mediaStreams.FirstOrDefault(s => s.Type == MediaStreamType.Video);
 333
 334            // Fill video properties from the BDInfo result
 0335            mediaStreams.Clear();
 0336            mediaStreams.AddRange(blurayInfo.MediaStreams);
 337
 0338            if (blurayInfo.RunTimeTicks.HasValue && blurayInfo.RunTimeTicks.Value > 0)
 339            {
 0340                video.RunTimeTicks = blurayInfo.RunTimeTicks;
 341            }
 342
 0343            if (blurayInfo.Chapters is not null)
 344            {
 0345                double[] brChapter = blurayInfo.Chapters;
 0346                chapters = new ChapterInfo[brChapter.Length];
 0347                for (int i = 0; i < brChapter.Length; i++)
 348                {
 0349                    chapters[i] = new ChapterInfo
 0350                    {
 0351                        StartPositionTicks = TimeSpan.FromSeconds(brChapter[i]).Ticks
 0352                    };
 353                }
 354            }
 355
 0356            var blurayVideoStream = mediaStreams.FirstOrDefault(s => s.Type == MediaStreamType.Video);
 357
 358            // Use the ffprobe values if these are empty
 0359            if (blurayVideoStream is not null && ffmpegVideoStream is not null)
 360            {
 361                // Always use ffmpeg's detected codec since that is what the rest of the codebase expects.
 0362                blurayVideoStream.Codec = ffmpegVideoStream.Codec;
 0363                blurayVideoStream.BitRate = blurayVideoStream.BitRate.GetValueOrDefault() == 0 ? ffmpegVideoStream.BitRa
 0364                blurayVideoStream.Width = blurayVideoStream.Width.GetValueOrDefault() == 0 ? ffmpegVideoStream.Width : b
 0365                blurayVideoStream.Height = blurayVideoStream.Height.GetValueOrDefault() == 0 ? ffmpegVideoStream.Height 
 0366                blurayVideoStream.ColorRange = ffmpegVideoStream.ColorRange;
 0367                blurayVideoStream.ColorSpace = ffmpegVideoStream.ColorSpace;
 0368                blurayVideoStream.ColorTransfer = ffmpegVideoStream.ColorTransfer;
 0369                blurayVideoStream.ColorPrimaries = ffmpegVideoStream.ColorPrimaries;
 370            }
 0371        }
 372
 373        /// <summary>
 374        /// Gets information about the longest playlist on a bdrom.
 375        /// </summary>
 376        /// <param name="path">The path.</param>
 377        /// <returns>VideoStream.</returns>
 378        private BlurayDiscInfo? GetBDInfo(string path)
 379        {
 0380            ArgumentException.ThrowIfNullOrEmpty(path);
 381
 382            try
 383            {
 0384                return _blurayExaminer.GetDiscInfo(path);
 385            }
 0386            catch (Exception ex)
 387            {
 0388                _logger.LogError(ex, "Error getting BDInfo");
 0389                return null;
 390            }
 0391        }
 392
 393        private void FetchEmbeddedInfo(Video video, Model.MediaInfo.MediaInfo data, MetadataRefreshOptions refreshOption
 394        {
 0395            var replaceData = refreshOptions.ReplaceAllMetadata;
 396
 0397            if (!video.IsLocked && !video.LockedFields.Contains(MetadataField.OfficialRating))
 398            {
 0399                if (string.IsNullOrWhiteSpace(video.OfficialRating) || replaceData)
 400                {
 0401                    video.OfficialRating = data.OfficialRating;
 402                }
 403            }
 404
 0405            if (!video.IsLocked && !video.LockedFields.Contains(MetadataField.Genres))
 406            {
 0407                if (video.Genres.Length == 0 || replaceData)
 408                {
 0409                    video.Genres = Array.Empty<string>();
 410
 0411                    foreach (var genre in data.Genres.Trimmed())
 412                    {
 0413                        video.AddGenre(genre);
 414                    }
 415                }
 416            }
 417
 0418            if (!video.IsLocked && !video.LockedFields.Contains(MetadataField.Studios))
 419            {
 0420                if (video.Studios.Length == 0 || replaceData)
 421                {
 0422                    video.SetStudios(data.Studios);
 423                }
 424            }
 425
 0426            if (!video.IsLocked && video is MusicVideo musicVideo)
 427            {
 0428                if (string.IsNullOrEmpty(musicVideo.Album) || replaceData)
 429                {
 0430                    musicVideo.Album = data.Album;
 431                }
 432
 0433                if (musicVideo.Artists.Count == 0 || replaceData)
 434                {
 0435                    musicVideo.Artists = data.Artists;
 436                }
 437            }
 438
 0439            if (data.ProductionYear.HasValue)
 440            {
 0441                if (!video.ProductionYear.HasValue || replaceData)
 442                {
 0443                    video.ProductionYear = data.ProductionYear;
 444                }
 445            }
 446
 0447            if (data.PremiereDate.HasValue)
 448            {
 0449                if (!video.PremiereDate.HasValue || replaceData)
 450                {
 0451                    video.PremiereDate = data.PremiereDate;
 452                }
 453            }
 454
 0455            if (data.IndexNumber.HasValue)
 456            {
 0457                if (!video.IndexNumber.HasValue || replaceData)
 458                {
 0459                    video.IndexNumber = data.IndexNumber;
 460                }
 461            }
 462
 0463            if (data.ParentIndexNumber.HasValue)
 464            {
 0465                if (!video.ParentIndexNumber.HasValue || replaceData)
 466                {
 0467                    video.ParentIndexNumber = data.ParentIndexNumber;
 468                }
 469            }
 470
 0471            if (!video.IsLocked && !video.LockedFields.Contains(MetadataField.Name))
 472            {
 0473                if (!string.IsNullOrWhiteSpace(data.Name) && libraryOptions.EnableEmbeddedTitles)
 474                {
 475                    // Separate option to use the embedded name for extras because it will often be the same name as the
 0476                    if (!video.ExtraType.HasValue || libraryOptions.EnableEmbeddedExtrasTitles)
 477                    {
 0478                        video.Name = data.Name;
 479                    }
 480                }
 481
 0482                if (!string.IsNullOrWhiteSpace(data.ForcedSortName))
 483                {
 0484                    video.ForcedSortName = data.ForcedSortName;
 485                }
 486            }
 487
 488            // If we don't have a ProductionYear try and get it from PremiereDate
 0489            if (video.PremiereDate.HasValue && !video.ProductionYear.HasValue)
 490            {
 0491                video.ProductionYear = video.PremiereDate.Value.ToLocalTime().Year;
 492            }
 493
 0494            if (!video.IsLocked && !video.LockedFields.Contains(MetadataField.Overview))
 495            {
 0496                if (string.IsNullOrWhiteSpace(video.Overview) || replaceData)
 497                {
 0498                    video.Overview = data.Overview;
 499                }
 500            }
 0501        }
 502
 503        private void FetchPeople(Video video, Model.MediaInfo.MediaInfo data, MetadataRefreshOptions options)
 504        {
 0505            if (video.IsLocked
 0506                || video.LockedFields.Contains(MetadataField.Cast)
 0507                || data.People.Length == 0)
 508            {
 0509                return;
 510            }
 511
 0512            if (options.ReplaceAllMetadata || _libraryManager.GetPeople(video).Count == 0)
 513            {
 0514                var people = new List<PersonInfo>();
 515
 0516                foreach (var person in data.People)
 517                {
 0518                    PeopleHelper.AddPerson(people, new PersonInfo
 0519                    {
 0520                        Name = person.Name.Trim(),
 0521                        Type = person.Type,
 0522                        Role = person.Role.Trim()
 0523                    });
 524                }
 525
 0526                _libraryManager.UpdatePeople(video, people);
 527            }
 0528        }
 529
 530        /// <summary>
 531        /// Adds the external subtitles.
 532        /// </summary>
 533        /// <param name="video">The video.</param>
 534        /// <param name="currentStreams">The current streams.</param>
 535        /// <param name="options">The refreshOptions.</param>
 536        /// <param name="cancellationToken">The cancellation token.</param>
 537        /// <returns>Task.</returns>
 538        private async Task AddExternalSubtitlesAsync(
 539            Video video,
 540            List<MediaStream> currentStreams,
 541            MetadataRefreshOptions options,
 542            CancellationToken cancellationToken)
 543        {
 544            var startIndex = currentStreams.Count == 0 ? 0 : (currentStreams.Select(i => i.Index).Max() + 1);
 545            var externalSubtitleStreams = await _subtitleResolver.GetExternalStreamsAsync(video, startIndex, options.Dir
 546
 547            var enableSubtitleDownloading = options.MetadataRefreshMode == MetadataRefreshMode.Default ||
 548                                            options.MetadataRefreshMode == MetadataRefreshMode.FullRefresh;
 549
 550            var subtitleOptions = _config.GetConfiguration<SubtitleOptions>("subtitles");
 551
 552            var libraryOptions = _libraryManager.GetLibraryOptions(video);
 553
 554            string[] subtitleDownloadLanguages;
 555            bool skipIfEmbeddedSubtitlesPresent;
 556            bool skipIfAudioTrackMatches;
 557            bool requirePerfectMatch;
 558            bool enabled;
 559
 560            if (libraryOptions.SubtitleDownloadLanguages is null)
 561            {
 562                subtitleDownloadLanguages = subtitleOptions.DownloadLanguages;
 563                skipIfEmbeddedSubtitlesPresent = subtitleOptions.SkipIfEmbeddedSubtitlesPresent;
 564                skipIfAudioTrackMatches = subtitleOptions.SkipIfAudioTrackMatches;
 565                requirePerfectMatch = subtitleOptions.RequirePerfectMatch;
 566                enabled = (subtitleOptions.DownloadEpisodeSubtitles &&
 567                video is Episode) ||
 568                (subtitleOptions.DownloadMovieSubtitles &&
 569                video is Movie);
 570            }
 571            else
 572            {
 573                subtitleDownloadLanguages = libraryOptions.SubtitleDownloadLanguages;
 574                skipIfEmbeddedSubtitlesPresent = libraryOptions.SkipSubtitlesIfEmbeddedSubtitlesPresent;
 575                skipIfAudioTrackMatches = libraryOptions.SkipSubtitlesIfAudioTrackMatches;
 576                requirePerfectMatch = libraryOptions.RequirePerfectSubtitleMatch;
 577                enabled = true;
 578            }
 579
 580            if (enableSubtitleDownloading && enabled)
 581            {
 582                var downloadedLanguages = await new SubtitleDownloader(
 583                    _logger,
 584                    _subtitleManager).DownloadSubtitles(
 585                        video,
 586                        currentStreams.Concat(externalSubtitleStreams).ToList(),
 587                        skipIfEmbeddedSubtitlesPresent,
 588                        skipIfAudioTrackMatches,
 589                        requirePerfectMatch,
 590                        subtitleDownloadLanguages,
 591                        libraryOptions.DisabledSubtitleFetchers,
 592                        libraryOptions.SubtitleFetcherOrder,
 593                        true,
 594                        cancellationToken).ConfigureAwait(false);
 595
 596                // Rescan
 597                if (downloadedLanguages.Count > 0)
 598                {
 599                    externalSubtitleStreams = await _subtitleResolver.GetExternalStreamsAsync(video, startIndex, options
 600                }
 601            }
 602
 603            video.SubtitleFiles = externalSubtitleStreams.Select(i => i.Path).Distinct().ToArray();
 604
 605            currentStreams.AddRange(externalSubtitleStreams);
 606        }
 607
 608        /// <summary>
 609        /// Adds the external audio.
 610        /// </summary>
 611        /// <param name="video">The video.</param>
 612        /// <param name="currentStreams">The current streams.</param>
 613        /// <param name="options">The refreshOptions.</param>
 614        /// <param name="cancellationToken">The cancellation token.</param>
 615        private async Task AddExternalAudioAsync(
 616            Video video,
 617            List<MediaStream> currentStreams,
 618            MetadataRefreshOptions options,
 619            CancellationToken cancellationToken)
 620        {
 621            var startIndex = currentStreams.Count == 0 ? 0 : currentStreams.Max(i => i.Index) + 1;
 622            var externalAudioStreams = await _audioResolver.GetExternalStreamsAsync(video, startIndex, options.Directory
 623
 624            video.AudioFiles = externalAudioStreams.Select(i => i.Path).Distinct().ToArray();
 625
 626            currentStreams.AddRange(externalAudioStreams);
 627        }
 628
 629        /// <summary>
 630        /// Creates dummy chapters.
 631        /// </summary>
 632        /// <param name="video">The video.</param>
 633        /// <returns>An array of dummy chapters.</returns>
 634        internal ChapterInfo[] CreateDummyChapters(Video video)
 635        {
 9636            var runtime = video.RunTimeTicks.GetValueOrDefault();
 637
 638            // Only process files with a runtime greater than 0 and less than 12h. The latter are likely corrupted.
 9639            if (runtime < 0 || runtime > TimeSpan.FromHours(12).Ticks)
 640            {
 3641                throw new ArgumentException(
 3642                    string.Format(
 3643                        CultureInfo.InvariantCulture,
 3644                        "{0} has an invalid runtime of {1} minutes",
 3645                        video.Name,
 3646                        TimeSpan.FromTicks(runtime).TotalMinutes));
 647            }
 648
 6649            long dummyChapterDuration = TimeSpan.FromSeconds(_config.Configuration.DummyChapterDuration).Ticks;
 6650            if (runtime <= dummyChapterDuration)
 651            {
 4652                return Array.Empty<ChapterInfo>();
 653            }
 654
 2655            int chapterCount = (int)(runtime / dummyChapterDuration);
 2656            var chapters = new ChapterInfo[chapterCount];
 657
 2658            long currentChapterTicks = 0;
 26659            for (int i = 0; i < chapterCount; i++)
 660            {
 11661                chapters[i] = new ChapterInfo
 11662                {
 11663                    StartPositionTicks = currentChapterTicks
 11664                };
 665
 11666                currentChapterTicks += dummyChapterDuration;
 667            }
 668
 2669            return chapters;
 670        }
 671    }
 672}

Methods/Properties

.ctor(Microsoft.Extensions.Logging.ILogger`1<MediaBrowser.Providers.MediaInfo.FFProbeVideoInfo>,MediaBrowser.Controller.Library.IMediaSourceManager,MediaBrowser.Controller.MediaEncoding.IMediaEncoder,MediaBrowser.Controller.Persistence.IItemRepository,MediaBrowser.Model.MediaInfo.IBlurayExaminer,MediaBrowser.Model.Globalization.ILocalizationManager,MediaBrowser.Controller.MediaEncoding.IEncodingManager,MediaBrowser.Controller.Configuration.IServerConfigurationManager,MediaBrowser.Controller.Subtitles.ISubtitleManager,MediaBrowser.Controller.Chapters.IChapterRepository,MediaBrowser.Controller.Library.ILibraryManager,MediaBrowser.Providers.MediaInfo.AudioResolver,MediaBrowser.Providers.MediaInfo.SubtitleResolver,MediaBrowser.Controller.Persistence.IMediaAttachmentRepository,MediaBrowser.Controller.Persistence.IMediaStreamRepository)
GetMediaInfo(MediaBrowser.Controller.Entities.Video,System.Threading.CancellationToken)
NormalizeChapterNames(MediaBrowser.Model.Entities.ChapterInfo[])
FetchBdInfo(MediaBrowser.Controller.Entities.Video,MediaBrowser.Model.Entities.ChapterInfo[]&,System.Collections.Generic.List`1<MediaBrowser.Model.Entities.MediaStream>,MediaBrowser.Model.MediaInfo.BlurayDiscInfo)
GetBDInfo(System.String)
FetchEmbeddedInfo(MediaBrowser.Controller.Entities.Video,MediaBrowser.Model.MediaInfo.MediaInfo,MediaBrowser.Controller.Providers.MetadataRefreshOptions,MediaBrowser.Model.Configuration.LibraryOptions)
FetchPeople(MediaBrowser.Controller.Entities.Video,MediaBrowser.Model.MediaInfo.MediaInfo,MediaBrowser.Controller.Providers.MetadataRefreshOptions)
CreateDummyChapters(MediaBrowser.Controller.Entities.Video)