< Summary - Jellyfin

Information
Class: Jellyfin.Server.Implementations.Trickplay.TrickplayManager
Assembly: Jellyfin.Server.Implementations
File(s): /srv/git/jellyfin/Jellyfin.Server.Implementations/Trickplay/TrickplayManager.cs
Line coverage
13%
Covered lines: 11
Uncovered lines: 68
Coverable lines: 79
Total lines: 642
Line coverage: 13.9%
Branch coverage
0%
Covered branches: 0
Total branches: 34
Branch coverage: 0%
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
.cctor()100%210%
.ctor(...)100%11100%
MoveContent(...)0%2040%
CreateTiles(...)0%110100%
CanGenerateTrickplay(...)0%420200%
GetTrickplayDirectory(...)100%210%

File(s)

/srv/git/jellyfin/Jellyfin.Server.Implementations/Trickplay/TrickplayManager.cs

#LineLine coverage
 1using System;
 2using System.Collections.Generic;
 3using System.Globalization;
 4using System.IO;
 5using System.Linq;
 6using System.Text;
 7using System.Threading;
 8using System.Threading.Tasks;
 9using AsyncKeyedLock;
 10using Jellyfin.Database.Implementations;
 11using Jellyfin.Database.Implementations.Entities;
 12using MediaBrowser.Common.Configuration;
 13using MediaBrowser.Controller.Configuration;
 14using MediaBrowser.Controller.Drawing;
 15using MediaBrowser.Controller.Entities;
 16using MediaBrowser.Controller.IO;
 17using MediaBrowser.Controller.Library;
 18using MediaBrowser.Controller.MediaEncoding;
 19using MediaBrowser.Controller.Trickplay;
 20using MediaBrowser.Model.Configuration;
 21using MediaBrowser.Model.Entities;
 22using MediaBrowser.Model.IO;
 23using Microsoft.EntityFrameworkCore;
 24using Microsoft.Extensions.Logging;
 25
 26namespace Jellyfin.Server.Implementations.Trickplay;
 27
 28/// <summary>
 29/// ITrickplayManager implementation.
 30/// </summary>
 31public class TrickplayManager : ITrickplayManager
 32{
 33    private readonly ILogger<TrickplayManager> _logger;
 34    private readonly IMediaEncoder _mediaEncoder;
 35    private readonly IFileSystem _fileSystem;
 36    private readonly EncodingHelper _encodingHelper;
 37    private readonly ILibraryManager _libraryManager;
 38    private readonly IServerConfigurationManager _config;
 39    private readonly IImageEncoder _imageEncoder;
 40    private readonly IDbContextFactory<JellyfinDbContext> _dbProvider;
 41    private readonly IApplicationPaths _appPaths;
 42    private readonly IPathManager _pathManager;
 43
 044    private static readonly AsyncNonKeyedLocker _resourcePool = new(1);
 045    private static readonly string[] _trickplayImgExtensions = [".jpg"];
 46
 47    /// <summary>
 48    /// Initializes a new instance of the <see cref="TrickplayManager"/> class.
 49    /// </summary>
 50    /// <param name="logger">The logger.</param>
 51    /// <param name="mediaEncoder">The media encoder.</param>
 52    /// <param name="fileSystem">The file system.</param>
 53    /// <param name="encodingHelper">The encoding helper.</param>
 54    /// <param name="libraryManager">The library manager.</param>
 55    /// <param name="config">The server configuration manager.</param>
 56    /// <param name="imageEncoder">The image encoder.</param>
 57    /// <param name="dbProvider">The database provider.</param>
 58    /// <param name="appPaths">The application paths.</param>
 59    /// <param name="pathManager">The path manager.</param>
 60    public TrickplayManager(
 61        ILogger<TrickplayManager> logger,
 62        IMediaEncoder mediaEncoder,
 63        IFileSystem fileSystem,
 64        EncodingHelper encodingHelper,
 65        ILibraryManager libraryManager,
 66        IServerConfigurationManager config,
 67        IImageEncoder imageEncoder,
 68        IDbContextFactory<JellyfinDbContext> dbProvider,
 69        IApplicationPaths appPaths,
 70        IPathManager pathManager)
 71    {
 2172        _logger = logger;
 2173        _mediaEncoder = mediaEncoder;
 2174        _fileSystem = fileSystem;
 2175        _encodingHelper = encodingHelper;
 2176        _libraryManager = libraryManager;
 2177        _config = config;
 2178        _imageEncoder = imageEncoder;
 2179        _dbProvider = dbProvider;
 2180        _appPaths = appPaths;
 2181        _pathManager = pathManager;
 2182    }
 83
 84    /// <inheritdoc />
 85    public async Task MoveGeneratedTrickplayDataAsync(Video video, LibraryOptions? libraryOptions, CancellationToken can
 86    {
 87        var options = _config.Configuration.TrickplayOptions;
 88        if (!CanGenerateTrickplay(video, options.Interval))
 89        {
 90            return;
 91        }
 92
 93        var existingTrickplayResolutions = await GetTrickplayResolutions(video.Id).ConfigureAwait(false);
 94        foreach (var resolution in existingTrickplayResolutions)
 95        {
 96            cancellationToken.ThrowIfCancellationRequested();
 97            var existingResolution = resolution.Key;
 98            var tileWidth = resolution.Value.TileWidth;
 99            var tileHeight = resolution.Value.TileHeight;
 100            var shouldBeSavedWithMedia = libraryOptions is null ? false : libraryOptions.SaveTrickplayWithMedia;
 101            var localOutputDir = GetTrickplayDirectory(video, tileWidth, tileHeight, existingResolution, false);
 102            var mediaOutputDir = GetTrickplayDirectory(video, tileWidth, tileHeight, existingResolution, true);
 103            if (shouldBeSavedWithMedia && Directory.Exists(localOutputDir))
 104            {
 105                var localDirFiles = Directory.GetFiles(localOutputDir);
 106                var mediaDirExists = Directory.Exists(mediaOutputDir);
 107                if (localDirFiles.Length > 0 && ((mediaDirExists && Directory.GetFiles(mediaOutputDir).Length == 0) || !
 108                {
 109                    // Move images from local dir to media dir
 110                    MoveContent(localOutputDir, mediaOutputDir);
 111                    _logger.LogInformation("Moved trickplay images for {ItemName} to {Location}", video.Name, mediaOutpu
 112                }
 113            }
 114            else if (!shouldBeSavedWithMedia && Directory.Exists(mediaOutputDir))
 115            {
 116                var mediaDirFiles = Directory.GetFiles(mediaOutputDir);
 117                var localDirExists = Directory.Exists(localOutputDir);
 118                if (mediaDirFiles.Length > 0 && ((localDirExists && Directory.GetFiles(localOutputDir).Length == 0) || !
 119                {
 120                    // Move images from media dir to local dir
 121                    MoveContent(mediaOutputDir, localOutputDir);
 122                    _logger.LogInformation("Moved trickplay images for {ItemName} to {Location}", video.Name, localOutpu
 123                }
 124            }
 125        }
 126    }
 127
 128    private void MoveContent(string sourceFolder, string destinationFolder)
 129    {
 0130        _fileSystem.MoveDirectory(sourceFolder, destinationFolder);
 0131        var parent = Directory.GetParent(sourceFolder);
 0132        if (parent is not null)
 133        {
 0134            var parentContent = Directory.GetDirectories(parent.FullName);
 0135            if (parentContent.Length == 0)
 136            {
 0137                Directory.Delete(parent.FullName);
 138            }
 139        }
 0140    }
 141
 142    /// <inheritdoc />
 143    public async Task RefreshTrickplayDataAsync(Video video, bool replace, LibraryOptions? libraryOptions, CancellationT
 144    {
 145        _logger.LogDebug("Trickplay refresh for {ItemId} (replace existing: {Replace})", video.Id, replace);
 146
 147        var options = _config.Configuration.TrickplayOptions;
 148        if (options.Interval < 1000)
 149        {
 150            _logger.LogWarning("Trickplay image interval {Interval} is too small, reset to the minimum valid value of 10
 151            options.Interval = 1000;
 152        }
 153
 154        foreach (var width in options.WidthResolutions)
 155        {
 156            cancellationToken.ThrowIfCancellationRequested();
 157            await RefreshTrickplayDataInternal(
 158                video,
 159                replace,
 160                width,
 161                options,
 162                libraryOptions,
 163                cancellationToken).ConfigureAwait(false);
 164        }
 165    }
 166
 167    private async Task RefreshTrickplayDataInternal(
 168        Video video,
 169        bool replace,
 170        int width,
 171        TrickplayOptions options,
 172        LibraryOptions? libraryOptions,
 173        CancellationToken cancellationToken)
 174    {
 175        if (!CanGenerateTrickplay(video, options.Interval))
 176        {
 177            return;
 178        }
 179
 180        var imgTempDir = string.Empty;
 181
 182        using (await _resourcePool.LockAsync(cancellationToken).ConfigureAwait(false))
 183        {
 184            try
 185            {
 186                // Extract images
 187                // Note: Media sources under parent items exist as their own video/item as well. Only use this video str
 188                var mediaSource = video.GetMediaSources(false).FirstOrDefault(source => Guid.Parse(source.Id).Equals(vid
 189
 190                if (mediaSource is null)
 191                {
 192                    _logger.LogDebug("Found no matching media source for item {ItemId}", video.Id);
 193                    return;
 194                }
 195
 196                var mediaPath = mediaSource.Path;
 197                if (!File.Exists(mediaPath))
 198                {
 199                    _logger.LogWarning("Media not found at {Path} for item {ItemID}", mediaPath, video.Id);
 200                    return;
 201                }
 202
 203                // We support video backdrops, but we should not generate trickplay images for them
 204                var parentDirectory = Directory.GetParent(mediaPath);
 205                if (parentDirectory is not null && string.Equals(parentDirectory.Name, "backdrops", StringComparison.Ord
 206                {
 207                    _logger.LogDebug("Ignoring backdrop media found at {Path} for item {ItemID}", mediaPath, video.Id);
 208                    return;
 209                }
 210
 211                // The width has to be even, otherwise a lot of filters will not be able to sample it
 212                var actualWidth = 2 * (width / 2);
 213
 214                // Force using the video width when the trickplay setting has a too large width
 215                if (mediaSource.VideoStream.Width is not null && mediaSource.VideoStream.Width < width)
 216                {
 217                    _logger.LogWarning("Video width {VideoWidth} is smaller than trickplay setting {TrickPlayWidth}, usi
 218                    actualWidth = 2 * ((int)mediaSource.VideoStream.Width / 2);
 219                }
 220
 221                var tileWidth = options.TileWidth;
 222                var tileHeight = options.TileHeight;
 223                var saveWithMedia = libraryOptions is null ? false : libraryOptions.SaveTrickplayWithMedia;
 224                var outputDir = GetTrickplayDirectory(video, tileWidth, tileHeight, actualWidth, saveWithMedia);
 225
 226                // Import existing trickplay tiles
 227                if (!replace && Directory.Exists(outputDir))
 228                {
 229                    var existingFiles = Directory.GetFiles(outputDir);
 230                    if (existingFiles.Length > 0)
 231                    {
 232                        var hasTrickplayResolution = await HasTrickplayResolutionAsync(video.Id, actualWidth).ConfigureA
 233                        if (hasTrickplayResolution)
 234                        {
 235                            _logger.LogDebug("Found existing trickplay files for {ItemId}.", video.Id);
 236                            return;
 237                        }
 238
 239                        // Import tiles
 240                        var localTrickplayInfo = new TrickplayInfo
 241                        {
 242                            ItemId = video.Id,
 243                            Width = width,
 244                            Interval = options.Interval,
 245                            TileWidth = options.TileWidth,
 246                            TileHeight = options.TileHeight,
 247                            ThumbnailCount = existingFiles.Length,
 248                            Height = 0,
 249                            Bandwidth = 0
 250                        };
 251
 252                        foreach (var tile in existingFiles)
 253                        {
 254                            var image = _imageEncoder.GetImageSize(tile);
 255                            localTrickplayInfo.Height = Math.Max(localTrickplayInfo.Height, (int)Math.Ceiling((double)im
 256                            var bitrate = (int)Math.Ceiling((decimal)new FileInfo(tile).Length * 8 / localTrickplayInfo.
 257                            localTrickplayInfo.Bandwidth = Math.Max(localTrickplayInfo.Bandwidth, bitrate);
 258                        }
 259
 260                        await SaveTrickplayInfo(localTrickplayInfo).ConfigureAwait(false);
 261
 262                        _logger.LogDebug("Imported existing trickplay files for {ItemId}.", video.Id);
 263                        return;
 264                    }
 265                }
 266
 267                // Generate trickplay tiles
 268                var mediaStream = mediaSource.VideoStream;
 269                var container = mediaSource.Container;
 270
 271                _logger.LogInformation("Creating trickplay files at {Width} width, for {Path} [ID: {ItemId}]", actualWid
 272                imgTempDir = await _mediaEncoder.ExtractVideoImagesOnIntervalAccelerated(
 273                    mediaPath,
 274                    container,
 275                    mediaSource,
 276                    mediaStream,
 277                    actualWidth,
 278                    TimeSpan.FromMilliseconds(options.Interval),
 279                    options.EnableHwAcceleration,
 280                    options.EnableHwEncoding,
 281                    options.ProcessThreads,
 282                    options.Qscale,
 283                    options.ProcessPriority,
 284                    options.EnableKeyFrameOnlyExtraction,
 285                    _encodingHelper,
 286                    cancellationToken).ConfigureAwait(false);
 287
 288                if (string.IsNullOrEmpty(imgTempDir) || !Directory.Exists(imgTempDir))
 289                {
 290                    throw new InvalidOperationException("Null or invalid directory from media encoder.");
 291                }
 292
 293                var images = _fileSystem.GetFiles(imgTempDir, _trickplayImgExtensions, false, false)
 294                    .Select(i => i.FullName)
 295                    .OrderBy(i => i)
 296                    .ToList();
 297
 298                // Create tiles
 299                var trickplayInfo = CreateTiles(images, actualWidth, options, outputDir);
 300
 301                // Save tiles info
 302                try
 303                {
 304                    if (trickplayInfo is not null)
 305                    {
 306                        trickplayInfo.ItemId = video.Id;
 307                        await SaveTrickplayInfo(trickplayInfo).ConfigureAwait(false);
 308
 309                        _logger.LogInformation("Finished creation of trickplay files for {0}", mediaPath);
 310                    }
 311                    else
 312                    {
 313                        throw new InvalidOperationException("Null trickplay tiles info from CreateTiles.");
 314                    }
 315                }
 316                catch (Exception ex)
 317                {
 318                    _logger.LogError(ex, "Error while saving trickplay tiles info.");
 319
 320                    // Make sure no files stay in metadata folders on failure
 321                    // if tiles info wasn't saved.
 322                    Directory.Delete(outputDir, true);
 323                }
 324            }
 325            catch (Exception ex)
 326            {
 327                _logger.LogError(ex, "Error creating trickplay images.");
 328            }
 329            finally
 330            {
 331                if (!string.IsNullOrEmpty(imgTempDir))
 332                {
 333                    Directory.Delete(imgTempDir, true);
 334                }
 335            }
 336        }
 337    }
 338
 339    /// <inheritdoc />
 340    public TrickplayInfo CreateTiles(IReadOnlyList<string> images, int width, TrickplayOptions options, string outputDir
 341    {
 0342        if (images.Count == 0)
 343        {
 0344            throw new ArgumentException("Can't create trickplay from 0 images.");
 345        }
 346
 0347        var workDir = Path.Combine(_appPaths.TempDirectory, "trickplay_" + Guid.NewGuid().ToString("N"));
 0348        Directory.CreateDirectory(workDir);
 349
 0350        var trickplayInfo = new TrickplayInfo
 0351        {
 0352            Width = width,
 0353            Interval = options.Interval,
 0354            TileWidth = options.TileWidth,
 0355            TileHeight = options.TileHeight,
 0356            ThumbnailCount = images.Count,
 0357            // Set during image generation
 0358            Height = 0,
 0359            Bandwidth = 0
 0360        };
 361
 362        /*
 363         * Generate trickplay tiles from sets of thumbnails
 364         */
 0365        var imageOptions = new ImageCollageOptions
 0366        {
 0367            Width = trickplayInfo.TileWidth,
 0368            Height = trickplayInfo.TileHeight
 0369        };
 370
 0371        var thumbnailsPerTile = trickplayInfo.TileWidth * trickplayInfo.TileHeight;
 0372        var requiredTiles = (int)Math.Ceiling((double)images.Count / thumbnailsPerTile);
 373
 0374        for (int i = 0; i < requiredTiles; i++)
 375        {
 376            // Set output/input paths
 0377            var tilePath = Path.Combine(workDir, $"{i}.jpg");
 378
 0379            imageOptions.OutputPath = tilePath;
 0380            imageOptions.InputPaths = images.Skip(i * thumbnailsPerTile).Take(Math.Min(thumbnailsPerTile, images.Count -
 381
 382            // Generate image and use returned height for tiles info
 0383            var height = _imageEncoder.CreateTrickplayTile(imageOptions, options.JpegQuality, trickplayInfo.Width, trick
 0384            if (trickplayInfo.Height == 0)
 385            {
 0386                trickplayInfo.Height = height;
 387            }
 388
 389            // Update bitrate
 0390            var bitrate = (int)Math.Ceiling(new FileInfo(tilePath).Length * 8m / trickplayInfo.TileWidth / trickplayInfo
 0391            trickplayInfo.Bandwidth = Math.Max(trickplayInfo.Bandwidth, bitrate);
 392        }
 393
 394        /*
 395         * Move trickplay tiles to output directory
 396         */
 0397        Directory.CreateDirectory(Directory.GetParent(outputDir)!.FullName);
 398
 399        // Replace existing tiles if they already exist
 0400        if (Directory.Exists(outputDir))
 401        {
 0402            Directory.Delete(outputDir, true);
 403        }
 404
 0405        _fileSystem.MoveDirectory(workDir, outputDir);
 406
 0407        return trickplayInfo;
 408    }
 409
 410    private bool CanGenerateTrickplay(Video video, int interval)
 411    {
 0412        var videoType = video.VideoType;
 0413        if (videoType == VideoType.Iso || videoType == VideoType.Dvd || videoType == VideoType.BluRay)
 414        {
 0415            return false;
 416        }
 417
 0418        if (video.IsPlaceHolder)
 419        {
 0420            return false;
 421        }
 422
 0423        if (video.IsShortcut)
 424        {
 0425            return false;
 426        }
 427
 0428        if (!video.IsCompleteMedia)
 429        {
 0430            return false;
 431        }
 432
 0433        if (!video.RunTimeTicks.HasValue || video.RunTimeTicks.Value < TimeSpan.FromMilliseconds(interval).Ticks)
 434        {
 0435            return false;
 436        }
 437
 0438        var libraryOptions = _libraryManager.GetLibraryOptions(video);
 0439        if (libraryOptions is null || !libraryOptions.EnableTrickplayImageExtraction)
 440        {
 0441            return false;
 442        }
 443
 444        // Can't extract images if there are no video streams
 0445        return video.GetMediaStreams().Count > 0;
 446    }
 447
 448    /// <inheritdoc />
 449    public async Task<Dictionary<int, TrickplayInfo>> GetTrickplayResolutions(Guid itemId)
 450    {
 451        var trickplayResolutions = new Dictionary<int, TrickplayInfo>();
 452
 453        var dbContext = await _dbProvider.CreateDbContextAsync().ConfigureAwait(false);
 454        await using (dbContext.ConfigureAwait(false))
 455        {
 456            var trickplayInfos = await dbContext.TrickplayInfos
 457                .AsNoTracking()
 458                .Where(i => i.ItemId.Equals(itemId))
 459                .ToListAsync()
 460                .ConfigureAwait(false);
 461
 462            foreach (var info in trickplayInfos)
 463            {
 464                trickplayResolutions[info.Width] = info;
 465            }
 466        }
 467
 468        return trickplayResolutions;
 469    }
 470
 471    /// <inheritdoc />
 472    public async Task<IReadOnlyList<TrickplayInfo>> GetTrickplayItemsAsync(int limit, int offset)
 473    {
 474        IReadOnlyList<TrickplayInfo> trickplayItems;
 475
 476        var dbContext = await _dbProvider.CreateDbContextAsync().ConfigureAwait(false);
 477        await using (dbContext.ConfigureAwait(false))
 478        {
 479            trickplayItems = await dbContext.TrickplayInfos
 480                .AsNoTracking()
 481                .OrderBy(i => i.ItemId)
 482                .Skip(offset)
 483                .Take(limit)
 484                .ToListAsync()
 485                .ConfigureAwait(false);
 486        }
 487
 488        return trickplayItems;
 489    }
 490
 491    /// <inheritdoc />
 492    public async Task SaveTrickplayInfo(TrickplayInfo info)
 493    {
 494        var dbContext = await _dbProvider.CreateDbContextAsync().ConfigureAwait(false);
 495        await using (dbContext.ConfigureAwait(false))
 496        {
 497            var oldInfo = await dbContext.TrickplayInfos.FindAsync(info.ItemId, info.Width).ConfigureAwait(false);
 498            if (oldInfo is not null)
 499            {
 500                dbContext.TrickplayInfos.Remove(oldInfo);
 501            }
 502
 503            dbContext.Add(info);
 504
 505            await dbContext.SaveChangesAsync().ConfigureAwait(false);
 506        }
 507    }
 508
 509    /// <inheritdoc />
 510    public async Task<Dictionary<string, Dictionary<int, TrickplayInfo>>> GetTrickplayManifest(BaseItem item)
 511    {
 512        var trickplayManifest = new Dictionary<string, Dictionary<int, TrickplayInfo>>();
 513        foreach (var mediaSource in item.GetMediaSources(false))
 514        {
 515            if (mediaSource.IsRemote || !Guid.TryParse(mediaSource.Id, out var mediaSourceId))
 516            {
 517                continue;
 518            }
 519
 520            var trickplayResolutions = await GetTrickplayResolutions(mediaSourceId).ConfigureAwait(false);
 521
 522            if (trickplayResolutions.Count > 0)
 523            {
 524                trickplayManifest[mediaSource.Id] = trickplayResolutions;
 525            }
 526        }
 527
 528        return trickplayManifest;
 529    }
 530
 531    /// <inheritdoc />
 532    public async Task<string> GetTrickplayTilePathAsync(BaseItem item, int width, int index, bool saveWithMedia)
 533    {
 534        var trickplayResolutions = await GetTrickplayResolutions(item.Id).ConfigureAwait(false);
 535        if (trickplayResolutions is not null && trickplayResolutions.TryGetValue(width, out var trickplayInfo))
 536        {
 537            return Path.Combine(GetTrickplayDirectory(item, trickplayInfo.TileWidth, trickplayInfo.TileHeight, width, sa
 538        }
 539
 540        return string.Empty;
 541    }
 542
 543    /// <inheritdoc />
 544    public async Task<string?> GetHlsPlaylist(Guid itemId, int width, string? apiKey)
 545    {
 546        var trickplayResolutions = await GetTrickplayResolutions(itemId).ConfigureAwait(false);
 547        if (trickplayResolutions is not null && trickplayResolutions.TryGetValue(width, out var trickplayInfo))
 548        {
 549            var builder = new StringBuilder(128);
 550
 551            if (trickplayInfo.ThumbnailCount > 0)
 552            {
 553                const string urlFormat = "{0}.jpg?MediaSourceId={1}&ApiKey={2}";
 554                const string decimalFormat = "{0:0.###}";
 555
 556                var resolution = $"{trickplayInfo.Width}x{trickplayInfo.Height}";
 557                var layout = $"{trickplayInfo.TileWidth}x{trickplayInfo.TileHeight}";
 558                var thumbnailsPerTile = trickplayInfo.TileWidth * trickplayInfo.TileHeight;
 559                var thumbnailDuration = trickplayInfo.Interval / 1000d;
 560                var infDuration = thumbnailDuration * thumbnailsPerTile;
 561                var tileCount = (int)Math.Ceiling((decimal)trickplayInfo.ThumbnailCount / thumbnailsPerTile);
 562
 563                builder
 564                    .AppendLine("#EXTM3U")
 565                    .Append("#EXT-X-TARGETDURATION:")
 566                    .AppendLine(tileCount.ToString(CultureInfo.InvariantCulture))
 567                    .AppendLine("#EXT-X-VERSION:7")
 568                    .AppendLine("#EXT-X-MEDIA-SEQUENCE:1")
 569                    .AppendLine("#EXT-X-PLAYLIST-TYPE:VOD")
 570                    .AppendLine("#EXT-X-IMAGES-ONLY");
 571
 572                for (int i = 0; i < tileCount; i++)
 573                {
 574                    // All tiles prior to the last must contain full amount of thumbnails (no black).
 575                    if (i == tileCount - 1)
 576                    {
 577                        thumbnailsPerTile = trickplayInfo.ThumbnailCount - (i * thumbnailsPerTile);
 578                        infDuration = thumbnailDuration * thumbnailsPerTile;
 579                    }
 580
 581                    // EXTINF
 582                    builder
 583                        .Append("#EXTINF:")
 584                        .AppendFormat(CultureInfo.InvariantCulture, decimalFormat, infDuration)
 585                        .AppendLine(",");
 586
 587                    // EXT-X-TILES
 588                    builder
 589                        .Append("#EXT-X-TILES:RESOLUTION=")
 590                        .Append(resolution)
 591                        .Append(",LAYOUT=")
 592                        .Append(layout)
 593                        .Append(",DURATION=")
 594                        .AppendFormat(CultureInfo.InvariantCulture, decimalFormat, thumbnailDuration)
 595                        .AppendLine();
 596
 597                    // URL
 598                    builder
 599                        .AppendFormat(
 600                            CultureInfo.InvariantCulture,
 601                            urlFormat,
 602                            i.ToString(CultureInfo.InvariantCulture),
 603                            itemId.ToString("N"),
 604                            apiKey)
 605                        .AppendLine();
 606                }
 607
 608                builder.AppendLine("#EXT-X-ENDLIST");
 609                return builder.ToString();
 610            }
 611        }
 612
 613        return null;
 614    }
 615
 616    /// <inheritdoc />
 617    public string GetTrickplayDirectory(BaseItem item, int tileWidth, int tileHeight, int width, bool saveWithMedia = fa
 618    {
 0619        var path = _pathManager.GetTrickplayDirectory(item, saveWithMedia);
 0620        var subdirectory = string.Format(
 0621            CultureInfo.InvariantCulture,
 0622            "{0} - {1}x{2}",
 0623            width.ToString(CultureInfo.InvariantCulture),
 0624            tileWidth.ToString(CultureInfo.InvariantCulture),
 0625            tileHeight.ToString(CultureInfo.InvariantCulture));
 626
 0627        return Path.Combine(path, subdirectory);
 628    }
 629
 630    private async Task<bool> HasTrickplayResolutionAsync(Guid itemId, int width)
 631    {
 632        var dbContext = await _dbProvider.CreateDbContextAsync().ConfigureAwait(false);
 633        await using (dbContext.ConfigureAwait(false))
 634        {
 635            return await dbContext.TrickplayInfos
 636                .AsNoTracking()
 637                .Where(i => i.ItemId.Equals(itemId))
 638                .AnyAsync(i => i.Width == width)
 639                .ConfigureAwait(false);
 640        }
 641    }
 642}