< Summary - Jellyfin

Information
Class: Jellyfin.LiveTv.Recordings.RecordingsManager
Assembly: Jellyfin.LiveTv
File(s): /srv/git/jellyfin/src/Jellyfin.LiveTv/Recordings/RecordingsManager.cs
Line coverage
16%
Covered lines: 28
Uncovered lines: 141
Coverable lines: 169
Total lines: 838
Line coverage: 16.5%
Branch coverage
6%
Covered branches: 6
Total branches: 100
Branch coverage: 6%
Method coverage

Feature is only available for sponsors

Upgrade to PRO version

Coverage history

Coverage history 0 25 50 75 100

Metrics

File(s)

/srv/git/jellyfin/src/Jellyfin.LiveTv/Recordings/RecordingsManager.cs

#LineLine coverage
 1using System;
 2using System.Collections.Concurrent;
 3using System.Collections.Generic;
 4using System.Diagnostics;
 5using System.Globalization;
 6using System.IO;
 7using System.Linq;
 8using System.Net.Http;
 9using System.Threading;
 10using System.Threading.Tasks;
 11using AsyncKeyedLock;
 12using Jellyfin.Data.Enums;
 13using Jellyfin.Database.Implementations.Enums;
 14using Jellyfin.LiveTv.Configuration;
 15using Jellyfin.LiveTv.IO;
 16using Jellyfin.LiveTv.Timers;
 17using MediaBrowser.Common.Configuration;
 18using MediaBrowser.Controller.Configuration;
 19using MediaBrowser.Controller.Dto;
 20using MediaBrowser.Controller.Entities;
 21using MediaBrowser.Controller.Entities.TV;
 22using MediaBrowser.Controller.Library;
 23using MediaBrowser.Controller.LiveTv;
 24using MediaBrowser.Controller.MediaEncoding;
 25using MediaBrowser.Controller.Providers;
 26using MediaBrowser.Model.Configuration;
 27using MediaBrowser.Model.Dto;
 28using MediaBrowser.Model.Entities;
 29using MediaBrowser.Model.IO;
 30using MediaBrowser.Model.LiveTv;
 31using MediaBrowser.Model.MediaInfo;
 32using MediaBrowser.Model.Providers;
 33using Microsoft.Extensions.Logging;
 34
 35namespace Jellyfin.LiveTv.Recordings;
 36
 37/// <inheritdoc cref="IRecordingsManager" />
 38public sealed class RecordingsManager : IRecordingsManager, IDisposable
 39{
 40    private readonly ILogger<RecordingsManager> _logger;
 41    private readonly IServerConfigurationManager _config;
 42    private readonly IHttpClientFactory _httpClientFactory;
 43    private readonly IFileSystem _fileSystem;
 44    private readonly ILibraryManager _libraryManager;
 45    private readonly ILibraryMonitor _libraryMonitor;
 46    private readonly IProviderManager _providerManager;
 47    private readonly IMediaEncoder _mediaEncoder;
 48    private readonly IMediaSourceManager _mediaSourceManager;
 49    private readonly IStreamHelper _streamHelper;
 50    private readonly TimerManager _timerManager;
 51    private readonly SeriesTimerManager _seriesTimerManager;
 52    private readonly RecordingsMetadataManager _recordingsMetadataManager;
 53
 2154    private readonly ConcurrentDictionary<string, ActiveRecordingInfo> _activeRecordings = new(StringComparer.OrdinalIgn
 2155    private readonly AsyncNonKeyedLocker _recordingDeleteSemaphore = new();
 56    private bool _disposed;
 57
 58    /// <summary>
 59    /// Initializes a new instance of the <see cref="RecordingsManager"/> class.
 60    /// </summary>
 61    /// <param name="logger">The <see cref="ILogger"/>.</param>
 62    /// <param name="config">The <see cref="IServerConfigurationManager"/>.</param>
 63    /// <param name="httpClientFactory">The <see cref="IHttpClientFactory"/>.</param>
 64    /// <param name="fileSystem">The <see cref="IFileSystem"/>.</param>
 65    /// <param name="libraryManager">The <see cref="ILibraryManager"/>.</param>
 66    /// <param name="libraryMonitor">The <see cref="ILibraryMonitor"/>.</param>
 67    /// <param name="providerManager">The <see cref="IProviderManager"/>.</param>
 68    /// <param name="mediaEncoder">The <see cref="IMediaEncoder"/>.</param>
 69    /// <param name="mediaSourceManager">The <see cref="IMediaSourceManager"/>.</param>
 70    /// <param name="streamHelper">The <see cref="IStreamHelper"/>.</param>
 71    /// <param name="timerManager">The <see cref="TimerManager"/>.</param>
 72    /// <param name="seriesTimerManager">The <see cref="SeriesTimerManager"/>.</param>
 73    /// <param name="recordingsMetadataManager">The <see cref="RecordingsMetadataManager"/>.</param>
 74    public RecordingsManager(
 75        ILogger<RecordingsManager> logger,
 76        IServerConfigurationManager config,
 77        IHttpClientFactory httpClientFactory,
 78        IFileSystem fileSystem,
 79        ILibraryManager libraryManager,
 80        ILibraryMonitor libraryMonitor,
 81        IProviderManager providerManager,
 82        IMediaEncoder mediaEncoder,
 83        IMediaSourceManager mediaSourceManager,
 84        IStreamHelper streamHelper,
 85        TimerManager timerManager,
 86        SeriesTimerManager seriesTimerManager,
 87        RecordingsMetadataManager recordingsMetadataManager)
 88    {
 2189        _logger = logger;
 2190        _config = config;
 2191        _httpClientFactory = httpClientFactory;
 2192        _fileSystem = fileSystem;
 2193        _libraryManager = libraryManager;
 2194        _libraryMonitor = libraryMonitor;
 2195        _providerManager = providerManager;
 2196        _mediaEncoder = mediaEncoder;
 2197        _mediaSourceManager = mediaSourceManager;
 2198        _streamHelper = streamHelper;
 2199        _timerManager = timerManager;
 21100        _seriesTimerManager = seriesTimerManager;
 21101        _recordingsMetadataManager = recordingsMetadataManager;
 102
 21103        _config.NamedConfigurationUpdated += OnNamedConfigurationUpdated;
 21104    }
 105
 106    private string DefaultRecordingPath
 107    {
 108        get
 109        {
 23110            var path = _config.GetLiveTvConfiguration().RecordingPath;
 111
 23112            return string.IsNullOrWhiteSpace(path)
 23113                ? Path.Combine(_config.CommonApplicationPaths.DataPath, "livetv", "recordings")
 23114                : path;
 115        }
 116    }
 117
 118    /// <inheritdoc />
 119    public string? GetActiveRecordingPath(string id)
 0120        => _activeRecordings.GetValueOrDefault(id)?.Path;
 121
 122    /// <inheritdoc />
 123    public ActiveRecordingInfo? GetActiveRecordingInfo(string path)
 124    {
 9125        if (string.IsNullOrWhiteSpace(path) || _activeRecordings.IsEmpty)
 126        {
 9127            return null;
 128        }
 129
 0130        foreach (var (_, recordingInfo) in _activeRecordings)
 131        {
 0132            if (string.Equals(recordingInfo.Path, path, StringComparison.Ordinal)
 0133                && !recordingInfo.CancellationTokenSource.IsCancellationRequested)
 134            {
 0135                return recordingInfo.Timer.Status == RecordingStatus.InProgress ? recordingInfo : null;
 136            }
 137        }
 138
 0139        return null;
 0140    }
 141
 142    /// <inheritdoc />
 143    public IEnumerable<VirtualFolderInfo> GetRecordingFolders()
 144    {
 145        if (Directory.Exists(DefaultRecordingPath))
 146        {
 147            yield return new VirtualFolderInfo
 148            {
 149                Locations = [DefaultRecordingPath],
 150                Name = "Recordings"
 151            };
 152        }
 153
 154        var customPath = _config.GetLiveTvConfiguration().MovieRecordingPath;
 155        if (!string.IsNullOrWhiteSpace(customPath)
 156            && !string.Equals(customPath, DefaultRecordingPath, StringComparison.OrdinalIgnoreCase)
 157            && Directory.Exists(customPath))
 158        {
 159            yield return new VirtualFolderInfo
 160            {
 161                Locations = [customPath],
 162                Name = "Recorded Movies",
 163                CollectionType = CollectionTypeOptions.movies
 164            };
 165        }
 166
 167        customPath = _config.GetLiveTvConfiguration().SeriesRecordingPath;
 168        if (!string.IsNullOrWhiteSpace(customPath)
 169            && !string.Equals(customPath, DefaultRecordingPath, StringComparison.OrdinalIgnoreCase)
 170            && Directory.Exists(customPath))
 171        {
 172            yield return new VirtualFolderInfo
 173            {
 174                Locations = [customPath],
 175                Name = "Recorded Shows",
 176                CollectionType = CollectionTypeOptions.tvshows
 177            };
 178        }
 179    }
 180
 181    /// <inheritdoc />
 182    public async Task CreateRecordingFolders()
 183    {
 184        try
 185        {
 186            var recordingFolders = GetRecordingFolders().ToArray();
 187            var virtualFolders = _libraryManager.GetVirtualFolders();
 188
 189            var allExistingPaths = virtualFolders.SelectMany(i => i.Locations).ToList();
 190
 191            var pathsAdded = new List<string>();
 192
 193            foreach (var recordingFolder in recordingFolders)
 194            {
 195                var pathsToCreate = recordingFolder.Locations
 196                    .Where(i => !allExistingPaths.Any(p => _fileSystem.AreEqual(p, i)))
 197                    .ToList();
 198
 199                if (pathsToCreate.Count == 0)
 200                {
 201                    continue;
 202                }
 203
 204                var mediaPathInfos = pathsToCreate.Select(i => new MediaPathInfo(i)).ToArray();
 205                var libraryOptions = new LibraryOptions
 206                {
 207                    PathInfos = mediaPathInfos
 208                };
 209
 210                try
 211                {
 212                    await _libraryManager
 213                        .AddVirtualFolder(recordingFolder.Name, recordingFolder.CollectionType, libraryOptions, true)
 214                        .ConfigureAwait(false);
 215                }
 216                catch (Exception ex)
 217                {
 218                    _logger.LogError(ex, "Error creating virtual folder");
 219                }
 220
 221                pathsAdded.AddRange(pathsToCreate);
 222            }
 223
 224            var config = _config.GetLiveTvConfiguration();
 225
 226            var pathsToRemove = config.MediaLocationsCreated
 227                .Except(recordingFolders.SelectMany(i => i.Locations))
 228                .ToList();
 229
 230            if (pathsAdded.Count > 0 || pathsToRemove.Count > 0)
 231            {
 232                pathsAdded.InsertRange(0, config.MediaLocationsCreated);
 233                config.MediaLocationsCreated = pathsAdded.Except(pathsToRemove).Distinct(StringComparer.OrdinalIgnoreCas
 234                _config.SaveConfiguration("livetv", config);
 235            }
 236
 237            foreach (var path in pathsToRemove)
 238            {
 239                await RemovePathFromLibraryAsync(path).ConfigureAwait(false);
 240            }
 241        }
 242        catch (Exception ex)
 243        {
 244            _logger.LogError(ex, "Error creating recording folders");
 245        }
 246    }
 247
 248    private async Task RemovePathFromLibraryAsync(string path)
 249    {
 250        _logger.LogDebug("Removing path from library: {0}", path);
 251
 252        var requiresRefresh = false;
 253        var virtualFolders = _libraryManager.GetVirtualFolders();
 254
 255        foreach (var virtualFolder in virtualFolders)
 256        {
 257            if (!virtualFolder.Locations.Contains(path, StringComparer.OrdinalIgnoreCase))
 258            {
 259                continue;
 260            }
 261
 262            if (virtualFolder.Locations.Length == 1)
 263            {
 264                try
 265                {
 266                    await _libraryManager.RemoveVirtualFolder(virtualFolder.Name, true).ConfigureAwait(false);
 267                }
 268                catch (Exception ex)
 269                {
 270                    _logger.LogError(ex, "Error removing virtual folder");
 271                }
 272            }
 273            else
 274            {
 275                try
 276                {
 277                    _libraryManager.RemoveMediaPath(virtualFolder.Name, path);
 278                    requiresRefresh = true;
 279                }
 280                catch (Exception ex)
 281                {
 282                    _logger.LogError(ex, "Error removing media path");
 283                }
 284            }
 285        }
 286
 287        if (requiresRefresh)
 288        {
 289            await _libraryManager.ValidateMediaLibrary(new Progress<double>(), CancellationToken.None).ConfigureAwait(fa
 290        }
 291    }
 292
 293    /// <inheritdoc />
 294    public void CancelRecording(string timerId, TimerInfo? timer)
 295    {
 0296        if (_activeRecordings.TryGetValue(timerId, out var activeRecordingInfo))
 297        {
 0298            activeRecordingInfo.Timer = timer;
 0299            activeRecordingInfo.CancellationTokenSource.Cancel();
 300        }
 0301    }
 302
 303    /// <inheritdoc />
 304    public async Task RecordStream(ActiveRecordingInfo recordingInfo, BaseItem channel, DateTime recordingEndDate)
 305    {
 306        ArgumentNullException.ThrowIfNull(recordingInfo);
 307        ArgumentNullException.ThrowIfNull(channel);
 308
 309        var timer = recordingInfo.Timer;
 310        var remoteMetadata = await FetchInternetMetadata(timer, CancellationToken.None).ConfigureAwait(false);
 311        var recordingPath = GetRecordingPath(timer, remoteMetadata, out var seriesPath);
 312
 313        string? liveStreamId = null;
 314        RecordingStatus recordingStatus;
 315        try
 316        {
 317            var allMediaSources = await _mediaSourceManager
 318                .GetPlaybackMediaSources(channel, null, true, false, CancellationToken.None).ConfigureAwait(false);
 319
 320            var mediaStreamInfo = allMediaSources[0];
 321            IDirectStreamProvider? directStreamProvider = null;
 322            if (mediaStreamInfo.RequiresOpening)
 323            {
 324                var liveStreamResponse = await _mediaSourceManager.OpenLiveStreamInternal(
 325                    new LiveStreamRequest
 326                    {
 327                        ItemId = channel.Id,
 328                        OpenToken = mediaStreamInfo.OpenToken
 329                    },
 330                    CancellationToken.None).ConfigureAwait(false);
 331
 332                mediaStreamInfo = liveStreamResponse.Item1.MediaSource;
 333                liveStreamId = mediaStreamInfo.LiveStreamId;
 334                directStreamProvider = liveStreamResponse.Item2;
 335            }
 336
 337            using var recorder = GetRecorder(mediaStreamInfo);
 338
 339            recordingPath = recorder.GetOutputPath(mediaStreamInfo, recordingPath);
 340            recordingPath = EnsureFileUnique(recordingPath, timer.Id);
 341
 342            _libraryMonitor.ReportFileSystemChangeBeginning(recordingPath);
 343
 344            var duration = recordingEndDate - DateTime.UtcNow;
 345
 346            _logger.LogInformation("Beginning recording. Will record for {Duration} minutes.", duration.TotalMinutes);
 347            _logger.LogInformation("Writing file to: {Path}", recordingPath);
 348
 349            async void OnStarted()
 350            {
 351                recordingInfo.Path = recordingPath;
 352                _activeRecordings.TryAdd(timer.Id, recordingInfo);
 353
 354                timer.Status = RecordingStatus.InProgress;
 355                _timerManager.AddOrUpdate(timer, false);
 356
 357                await _recordingsMetadataManager.SaveRecordingMetadata(timer, recordingPath, seriesPath).ConfigureAwait(
 358                await CreateRecordingFolders().ConfigureAwait(false);
 359
 360                TriggerRefresh(recordingPath);
 361                await EnforceKeepUpTo(timer, seriesPath).ConfigureAwait(false);
 362            }
 363
 364            await recorder.Record(
 365                directStreamProvider,
 366                mediaStreamInfo,
 367                recordingPath,
 368                duration,
 369                OnStarted,
 370                recordingInfo.CancellationTokenSource.Token).ConfigureAwait(false);
 371
 372            recordingStatus = RecordingStatus.Completed;
 373            _logger.LogInformation("Recording completed: {RecordPath}", recordingPath);
 374        }
 375        catch (OperationCanceledException)
 376        {
 377            _logger.LogInformation("Recording stopped: {RecordPath}", recordingPath);
 378            recordingStatus = RecordingStatus.Completed;
 379        }
 380        catch (Exception ex)
 381        {
 382            _logger.LogError(ex, "Error recording to {RecordPath}", recordingPath);
 383            recordingStatus = RecordingStatus.Error;
 384        }
 385
 386        if (!string.IsNullOrWhiteSpace(liveStreamId))
 387        {
 388            try
 389            {
 390                await _mediaSourceManager.CloseLiveStream(liveStreamId).ConfigureAwait(false);
 391            }
 392            catch (Exception ex)
 393            {
 394                _logger.LogError(ex, "Error closing live stream");
 395            }
 396        }
 397
 398        DeleteFileIfEmpty(recordingPath);
 399        TriggerRefresh(recordingPath);
 400        _libraryMonitor.ReportFileSystemChangeComplete(recordingPath, false);
 401        _activeRecordings.TryRemove(timer.Id, out _);
 402
 403        if (recordingStatus != RecordingStatus.Completed && DateTime.UtcNow < timer.EndDate && timer.RetryCount < 10)
 404        {
 405            const int RetryIntervalSeconds = 60;
 406            _logger.LogInformation("Retrying recording in {0} seconds.", RetryIntervalSeconds);
 407
 408            timer.Status = RecordingStatus.New;
 409            timer.PrePaddingSeconds = 0;
 410            timer.StartDate = DateTime.UtcNow.AddSeconds(RetryIntervalSeconds);
 411            timer.RetryCount++;
 412            _timerManager.AddOrUpdate(timer);
 413        }
 414        else if (File.Exists(recordingPath))
 415        {
 416            timer.RecordingPath = recordingPath;
 417            timer.Status = RecordingStatus.Completed;
 418            _timerManager.AddOrUpdate(timer, false);
 419            await PostProcessRecording(recordingPath).ConfigureAwait(false);
 420        }
 421        else
 422        {
 423            _timerManager.Delete(timer);
 424        }
 425    }
 426
 427    /// <inheritdoc />
 428    public void Dispose()
 429    {
 21430        if (_disposed)
 431        {
 0432            return;
 433        }
 434
 21435        _recordingDeleteSemaphore.Dispose();
 436
 42437        foreach (var pair in _activeRecordings.ToList())
 438        {
 0439            pair.Value.CancellationTokenSource.Cancel();
 440        }
 441
 21442        _disposed = true;
 21443    }
 444
 445    private async void OnNamedConfigurationUpdated(object? sender, ConfigurationUpdateEventArgs e)
 446    {
 447        if (string.Equals(e.Key, "livetv", StringComparison.OrdinalIgnoreCase))
 448        {
 449            await CreateRecordingFolders().ConfigureAwait(false);
 450        }
 451    }
 452
 453    private async Task<RemoteSearchResult?> FetchInternetMetadata(TimerInfo timer, CancellationToken cancellationToken)
 454    {
 455        if (!timer.IsSeries || timer.SeriesProviderIds.Count == 0)
 456        {
 457            return null;
 458        }
 459
 460        var query = new RemoteSearchQuery<SeriesInfo>
 461        {
 462            SearchInfo = new SeriesInfo
 463            {
 464                ProviderIds = timer.SeriesProviderIds,
 465                Name = timer.Name,
 466                MetadataCountryCode = _config.Configuration.MetadataCountryCode,
 467                MetadataLanguage = _config.Configuration.PreferredMetadataLanguage
 468            }
 469        };
 470
 471        var results = await _providerManager.GetRemoteSearchResults<Series, SeriesInfo>(query, cancellationToken).Config
 472
 473        return results.FirstOrDefault();
 474    }
 475
 476    private string GetRecordingPath(TimerInfo timer, RemoteSearchResult? metadata, out string? seriesPath)
 477    {
 0478        var recordingPath = DefaultRecordingPath;
 0479        var config = _config.GetLiveTvConfiguration();
 0480        seriesPath = null;
 481
 0482        if (timer.IsProgramSeries)
 483        {
 0484            var customRecordingPath = config.SeriesRecordingPath;
 0485            var allowSubfolder = true;
 0486            if (!string.IsNullOrWhiteSpace(customRecordingPath))
 487            {
 0488                allowSubfolder = string.Equals(customRecordingPath, recordingPath, StringComparison.OrdinalIgnoreCase);
 0489                recordingPath = customRecordingPath;
 490            }
 491
 0492            if (allowSubfolder && config.EnableRecordingSubfolders)
 493            {
 0494                recordingPath = Path.Combine(recordingPath, "Series");
 495            }
 496
 497            // trim trailing period from the folder name
 0498            var folderName = _fileSystem.GetValidFilename(timer.Name).Trim().TrimEnd('.').Trim();
 499
 0500            if (metadata is not null && metadata.ProductionYear.HasValue)
 501            {
 0502                folderName += " (" + metadata.ProductionYear.Value.ToString(CultureInfo.InvariantCulture) + ")";
 503            }
 504
 505            // Can't use the year here in the folder name because it is the year of the episode, not the series.
 0506            recordingPath = Path.Combine(recordingPath, folderName);
 507
 0508            seriesPath = recordingPath;
 509
 0510            if (timer.SeasonNumber.HasValue)
 511            {
 0512                folderName = string.Format(
 0513                    CultureInfo.InvariantCulture,
 0514                    "Season {0}",
 0515                    timer.SeasonNumber.Value);
 0516                recordingPath = Path.Combine(recordingPath, folderName);
 517            }
 518        }
 0519        else if (timer.IsMovie)
 520        {
 0521            var customRecordingPath = config.MovieRecordingPath;
 0522            var allowSubfolder = true;
 0523            if (!string.IsNullOrWhiteSpace(customRecordingPath))
 524            {
 0525                allowSubfolder = string.Equals(customRecordingPath, recordingPath, StringComparison.OrdinalIgnoreCase);
 0526                recordingPath = customRecordingPath;
 527            }
 528
 0529            if (allowSubfolder && config.EnableRecordingSubfolders)
 530            {
 0531                recordingPath = Path.Combine(recordingPath, "Movies");
 532            }
 533
 0534            var folderName = _fileSystem.GetValidFilename(timer.Name).Trim();
 0535            if (timer.ProductionYear.HasValue)
 536            {
 0537                folderName += " (" + timer.ProductionYear.Value.ToString(CultureInfo.InvariantCulture) + ")";
 538            }
 539
 540            // trim trailing period from the folder name
 0541            folderName = folderName.TrimEnd('.').Trim();
 542
 0543            recordingPath = Path.Combine(recordingPath, folderName);
 544        }
 0545        else if (timer.IsKids)
 546        {
 0547            if (config.EnableRecordingSubfolders)
 548            {
 0549                recordingPath = Path.Combine(recordingPath, "Kids");
 550            }
 551
 0552            var folderName = _fileSystem.GetValidFilename(timer.Name).Trim();
 0553            if (timer.ProductionYear.HasValue)
 554            {
 0555                folderName += " (" + timer.ProductionYear.Value.ToString(CultureInfo.InvariantCulture) + ")";
 556            }
 557
 558            // trim trailing period from the folder name
 0559            folderName = folderName.TrimEnd('.').Trim();
 560
 0561            recordingPath = Path.Combine(recordingPath, folderName);
 562        }
 0563        else if (timer.IsSports)
 564        {
 0565            if (config.EnableRecordingSubfolders)
 566            {
 0567                recordingPath = Path.Combine(recordingPath, "Sports");
 568            }
 569
 0570            recordingPath = Path.Combine(recordingPath, _fileSystem.GetValidFilename(timer.Name).Trim());
 571        }
 572        else
 573        {
 0574            if (config.EnableRecordingSubfolders)
 575            {
 0576                recordingPath = Path.Combine(recordingPath, "Other");
 577            }
 578
 0579            recordingPath = Path.Combine(recordingPath, _fileSystem.GetValidFilename(timer.Name).Trim());
 580        }
 581
 0582        var recordingFileName = _fileSystem.GetValidFilename(RecordingHelper.GetRecordingName(timer)).Trim() + ".ts";
 583
 0584        return Path.Combine(recordingPath, recordingFileName);
 585    }
 586
 587    private void DeleteFileIfEmpty(string path)
 588    {
 0589        var file = _fileSystem.GetFileInfo(path);
 590
 0591        if (file.Exists && file.Length == 0)
 592        {
 593            try
 594            {
 0595                _fileSystem.DeleteFile(path);
 0596            }
 0597            catch (Exception ex)
 598            {
 0599                _logger.LogError(ex, "Error deleting 0-byte failed recording file {Path}", path);
 0600            }
 601        }
 0602    }
 603
 604    private void TriggerRefresh(string path)
 605    {
 0606        _logger.LogInformation("Triggering refresh on {Path}", path);
 607
 0608        var item = GetAffectedBaseItem(Path.GetDirectoryName(path));
 0609        if (item is null)
 610        {
 0611            return;
 612        }
 613
 0614        _logger.LogInformation("Refreshing recording parent {Path}", item.Path);
 0615        _providerManager.QueueRefresh(
 0616            item.Id,
 0617            new MetadataRefreshOptions(new DirectoryService(_fileSystem))
 0618            {
 0619                RefreshPaths =
 0620                [
 0621                    path,
 0622                    Path.GetDirectoryName(path),
 0623                    Path.GetDirectoryName(Path.GetDirectoryName(path))
 0624                ]
 0625            },
 0626            RefreshPriority.High);
 0627    }
 628
 629    private BaseItem? GetAffectedBaseItem(string? path)
 630    {
 0631        BaseItem? item = null;
 0632        var parentPath = Path.GetDirectoryName(path);
 0633        while (item is null && !string.IsNullOrEmpty(path))
 634        {
 0635            item = _libraryManager.FindByPath(path, null);
 0636            path = Path.GetDirectoryName(path);
 637        }
 638
 0639        if (item is not null
 0640            && item.GetType() == typeof(Folder)
 0641            && string.Equals(item.Path, parentPath, StringComparison.OrdinalIgnoreCase))
 642        {
 0643            var parentItem = item.GetParent();
 0644            if (parentItem is not null && parentItem is not AggregateFolder)
 645            {
 0646                item = parentItem;
 647            }
 648        }
 649
 0650        return item;
 651    }
 652
 653    private async Task EnforceKeepUpTo(TimerInfo timer, string? seriesPath)
 654    {
 655        if (string.IsNullOrWhiteSpace(timer.SeriesTimerId)
 656            || string.IsNullOrWhiteSpace(seriesPath))
 657        {
 658            return;
 659        }
 660
 661        var seriesTimerId = timer.SeriesTimerId;
 662        var seriesTimer = _seriesTimerManager.GetAll()
 663            .FirstOrDefault(i => string.Equals(i.Id, seriesTimerId, StringComparison.OrdinalIgnoreCase));
 664
 665        if (seriesTimer is null || seriesTimer.KeepUpTo <= 0)
 666        {
 667            return;
 668        }
 669
 670        if (_disposed)
 671        {
 672            return;
 673        }
 674
 675        using (await _recordingDeleteSemaphore.LockAsync().ConfigureAwait(false))
 676        {
 677            if (_disposed)
 678            {
 679                return;
 680            }
 681
 682            var timersToDelete = _timerManager.GetAll()
 683                .Where(timerInfo => timerInfo.Status == RecordingStatus.Completed
 684                    && !string.IsNullOrWhiteSpace(timerInfo.RecordingPath)
 685                    && string.Equals(timerInfo.SeriesTimerId, seriesTimerId, StringComparison.OrdinalIgnoreCase)
 686                    && File.Exists(timerInfo.RecordingPath))
 687                .OrderByDescending(i => i.EndDate)
 688                .Skip(seriesTimer.KeepUpTo - 1)
 689                .ToList();
 690
 691            DeleteLibraryItemsForTimers(timersToDelete);
 692
 693            if (_libraryManager.FindByPath(seriesPath, true) is not Folder librarySeries)
 694            {
 695                return;
 696            }
 697
 698            var episodesToDelete = librarySeries.GetItemList(
 699                    new InternalItemsQuery
 700                    {
 701                        OrderBy = [(ItemSortBy.DateCreated, SortOrder.Descending)],
 702                        IsVirtualItem = false,
 703                        IsFolder = false,
 704                        Recursive = true,
 705                        DtoOptions = new DtoOptions(true)
 706                    })
 707                .Where(i => i.IsFileProtocol && File.Exists(i.Path))
 708                .Skip(seriesTimer.KeepUpTo - 1);
 709
 710            foreach (var item in episodesToDelete)
 711            {
 712                try
 713                {
 714                    _libraryManager.DeleteItem(
 715                        item,
 716                        new DeleteOptions
 717                        {
 718                            DeleteFileLocation = true
 719                        },
 720                        true);
 721                }
 722                catch (Exception ex)
 723                {
 724                    _logger.LogError(ex, "Error deleting item");
 725                }
 726            }
 727        }
 728    }
 729
 730    private void DeleteLibraryItemsForTimers(List<TimerInfo> timers)
 731    {
 0732        foreach (var timer in timers)
 733        {
 0734            if (_disposed)
 735            {
 0736                return;
 737            }
 738
 739            try
 740            {
 0741                DeleteLibraryItemForTimer(timer);
 0742            }
 0743            catch (Exception ex)
 744            {
 0745                _logger.LogError(ex, "Error deleting recording");
 0746            }
 747        }
 0748    }
 749
 750    private void DeleteLibraryItemForTimer(TimerInfo timer)
 751    {
 0752        var libraryItem = _libraryManager.FindByPath(timer.RecordingPath, false);
 0753        if (libraryItem is not null)
 754        {
 0755            _libraryManager.DeleteItem(
 0756                libraryItem,
 0757                new DeleteOptions
 0758                {
 0759                    DeleteFileLocation = true
 0760                },
 0761                true);
 762        }
 0763        else if (File.Exists(timer.RecordingPath))
 764        {
 0765            _fileSystem.DeleteFile(timer.RecordingPath);
 766        }
 767
 0768        _timerManager.Delete(timer);
 0769    }
 770
 771    private string EnsureFileUnique(string path, string timerId)
 772    {
 0773        var parent = Path.GetDirectoryName(path)!;
 0774        var name = Path.GetFileNameWithoutExtension(path);
 0775        var extension = Path.GetExtension(path);
 776
 0777        var index = 1;
 0778        while (File.Exists(path) || _activeRecordings.Any(i
 0779                   => string.Equals(i.Value.Path, path, StringComparison.OrdinalIgnoreCase)
 0780                      && !string.Equals(i.Value.Timer.Id, timerId, StringComparison.OrdinalIgnoreCase)))
 781        {
 0782            name += " - " + index.ToString(CultureInfo.InvariantCulture);
 783
 0784            path = Path.ChangeExtension(Path.Combine(parent, name), extension);
 0785            index++;
 786        }
 787
 0788        return path;
 789    }
 790
 791    private IRecorder GetRecorder(MediaSourceInfo mediaSource)
 792    {
 0793        if (mediaSource.RequiresLooping
 0794            || !(mediaSource.Container ?? string.Empty).EndsWith("ts", StringComparison.OrdinalIgnoreCase)
 0795            || (mediaSource.Protocol != MediaProtocol.File && mediaSource.Protocol != MediaProtocol.Http))
 796        {
 0797            return new EncodedRecorder(_logger, _mediaEncoder, _config.ApplicationPaths, _config);
 798        }
 799
 0800        return new DirectRecorder(_logger, _httpClientFactory, _streamHelper);
 801    }
 802
 803    private async Task PostProcessRecording(string path)
 804    {
 805        var options = _config.GetLiveTvConfiguration();
 806        if (string.IsNullOrWhiteSpace(options.RecordingPostProcessor))
 807        {
 808            return;
 809        }
 810
 811        try
 812        {
 813            using var process = new Process();
 814            process.StartInfo = new ProcessStartInfo
 815            {
 816                Arguments = options.RecordingPostProcessorArguments
 817                    .Replace("{path}", path, StringComparison.OrdinalIgnoreCase),
 818                CreateNoWindow = true,
 819                ErrorDialog = false,
 820                FileName = options.RecordingPostProcessor,
 821                WindowStyle = ProcessWindowStyle.Hidden,
 822                UseShellExecute = false
 823            };
 824            process.EnableRaisingEvents = true;
 825
 826            _logger.LogInformation("Running recording post processor {0} {1}", process.StartInfo.FileName, process.Start
 827
 828            process.Start();
 829            await process.WaitForExitAsync(CancellationToken.None).ConfigureAwait(false);
 830
 831            _logger.LogInformation("Recording post-processing script completed with exit code {ExitCode}", process.ExitC
 832        }
 833        catch (Exception ex)
 834        {
 835            _logger.LogError(ex, "Error running recording post processor");
 836        }
 837    }
 838}