more consolidation
This commit is contained in:
parent
ed4cc0990c
commit
198fc4c58d
@ -12,6 +12,14 @@ using Microsoft.Extensions.Logging;
|
|||||||
|
|
||||||
namespace Jellyfin.Plugin.SRFPlay.Tests
|
namespace Jellyfin.Plugin.SRFPlay.Tests
|
||||||
{
|
{
|
||||||
|
/// <summary>
|
||||||
|
/// Simple IHttpClientFactory implementation for tests.
|
||||||
|
/// </summary>
|
||||||
|
internal sealed class TestHttpClientFactory : IHttpClientFactory
|
||||||
|
{
|
||||||
|
public HttpClient CreateClient(string name) => new HttpClient();
|
||||||
|
}
|
||||||
|
|
||||||
class Program
|
class Program
|
||||||
{
|
{
|
||||||
static async Task Main(string[] args)
|
static async Task Main(string[] args)
|
||||||
@ -33,8 +41,9 @@ namespace Jellyfin.Plugin.SRFPlay.Tests
|
|||||||
builder.SetMinimumLevel(LogLevel.Warning); // Only show warnings and errors
|
builder.SetMinimumLevel(LogLevel.Warning); // Only show warnings and errors
|
||||||
});
|
});
|
||||||
|
|
||||||
|
var httpClientFactory = new TestHttpClientFactory();
|
||||||
var apiClient = new SRFApiClient(loggerFactory);
|
var apiClient = new SRFApiClient(loggerFactory);
|
||||||
var streamResolver = new StreamUrlResolver(loggerFactory.CreateLogger<StreamUrlResolver>());
|
var streamResolver = new StreamUrlResolver(loggerFactory.CreateLogger<StreamUrlResolver>(), httpClientFactory);
|
||||||
|
|
||||||
var cancellationToken = CancellationToken.None;
|
var cancellationToken = CancellationToken.None;
|
||||||
|
|
||||||
|
|||||||
@ -135,54 +135,11 @@ public class SRFApiClient : IDisposable
|
|||||||
{
|
{
|
||||||
try
|
try
|
||||||
{
|
{
|
||||||
var url = $"/mediaComposition/byUrn/{urn}.json";
|
var fullUrl = $"{ApiEndpoints.IntegrationLayerBaseUrl}/mediaComposition/byUrn/{urn}.json";
|
||||||
var fullUrl = $"{ApiEndpoints.IntegrationLayerBaseUrl}{url}";
|
_logger.LogDebug("Fetching media composition for URN: {Urn} from {Url}", urn, fullUrl);
|
||||||
_logger.LogInformation("Fetching media composition for URN: {Urn} from {Url}", urn, fullUrl);
|
|
||||||
|
|
||||||
// HttpClient consistently fails with 404, use curl directly
|
// Use curl - HttpClient returns 404 due to server routing/network configuration
|
||||||
// This is likely due to routing/network configuration on the Jellyfin server
|
|
||||||
return await FetchWithCurlAsync(fullUrl, cancellationToken).ConfigureAwait(false);
|
return await FetchWithCurlAsync(fullUrl, cancellationToken).ConfigureAwait(false);
|
||||||
|
|
||||||
/* HttpClient fallback disabled - always returns 404
|
|
||||||
var response = await _httpClient.GetAsync(url, cancellationToken).ConfigureAwait(false);
|
|
||||||
|
|
||||||
// Log response headers to diagnose geo-blocking
|
|
||||||
var xLocation = response.Headers.Contains("x-location")
|
|
||||||
? string.Join(", ", response.Headers.GetValues("x-location"))
|
|
||||||
: "not present";
|
|
||||||
|
|
||||||
_logger.LogInformation(
|
|
||||||
"Media composition response for URN {Urn}: StatusCode={StatusCode}, x-location={XLocation}",
|
|
||||||
urn,
|
|
||||||
response.StatusCode,
|
|
||||||
xLocation);
|
|
||||||
|
|
||||||
// If HttpClient fails, try curl as fallback
|
|
||||||
if (!response.IsSuccessStatusCode)
|
|
||||||
{
|
|
||||||
_logger.LogWarning("HttpClient failed with {StatusCode}, trying curl fallback", response.StatusCode);
|
|
||||||
return await FetchWithCurlAsync(fullUrl, cancellationToken).ConfigureAwait(false);
|
|
||||||
}
|
|
||||||
|
|
||||||
response.EnsureSuccessStatusCode();
|
|
||||||
|
|
||||||
var content = await response.Content.ReadAsStringAsync(cancellationToken).ConfigureAwait(false);
|
|
||||||
var result = JsonSerializer.Deserialize<MediaComposition>(content, _jsonOptions);
|
|
||||||
|
|
||||||
if (result?.ChapterList != null && result.ChapterList.Count > 0)
|
|
||||||
{
|
|
||||||
_logger.LogInformation(
|
|
||||||
"Successfully fetched media composition for URN: {Urn} - Chapters: {ChapterCount}",
|
|
||||||
urn,
|
|
||||||
result.ChapterList.Count);
|
|
||||||
}
|
|
||||||
else
|
|
||||||
{
|
|
||||||
_logger.LogWarning("Media composition for URN {Urn} has no chapters", urn);
|
|
||||||
}
|
|
||||||
|
|
||||||
return result;
|
|
||||||
*/
|
|
||||||
}
|
}
|
||||||
catch (Exception ex)
|
catch (Exception ex)
|
||||||
{
|
{
|
||||||
|
|||||||
@ -6,6 +6,7 @@ using System.Security.Cryptography;
|
|||||||
using System.Text;
|
using System.Text;
|
||||||
using System.Threading;
|
using System.Threading;
|
||||||
using System.Threading.Tasks;
|
using System.Threading.Tasks;
|
||||||
|
using Jellyfin.Plugin.SRFPlay.Api;
|
||||||
using Jellyfin.Plugin.SRFPlay.Constants;
|
using Jellyfin.Plugin.SRFPlay.Constants;
|
||||||
using Jellyfin.Plugin.SRFPlay.Services.Interfaces;
|
using Jellyfin.Plugin.SRFPlay.Services.Interfaces;
|
||||||
using MediaBrowser.Controller;
|
using MediaBrowser.Controller;
|
||||||
@ -24,11 +25,11 @@ namespace Jellyfin.Plugin.SRFPlay.Channels;
|
|||||||
public class SRFPlayChannel : IChannel, IHasCacheKey
|
public class SRFPlayChannel : IChannel, IHasCacheKey
|
||||||
{
|
{
|
||||||
private readonly ILogger<SRFPlayChannel> _logger;
|
private readonly ILogger<SRFPlayChannel> _logger;
|
||||||
private readonly ILoggerFactory _loggerFactory;
|
|
||||||
private readonly IContentRefreshService _contentRefreshService;
|
private readonly IContentRefreshService _contentRefreshService;
|
||||||
private readonly IStreamUrlResolver _streamResolver;
|
private readonly IStreamUrlResolver _streamResolver;
|
||||||
private readonly IMediaSourceFactory _mediaSourceFactory;
|
private readonly IMediaSourceFactory _mediaSourceFactory;
|
||||||
private readonly ICategoryService? _categoryService;
|
private readonly ICategoryService? _categoryService;
|
||||||
|
private readonly ISRFApiClientFactory _apiClientFactory;
|
||||||
|
|
||||||
/// <summary>
|
/// <summary>
|
||||||
/// Initializes a new instance of the <see cref="SRFPlayChannel"/> class.
|
/// Initializes a new instance of the <see cref="SRFPlayChannel"/> class.
|
||||||
@ -38,26 +39,28 @@ public class SRFPlayChannel : IChannel, IHasCacheKey
|
|||||||
/// <param name="streamResolver">The stream resolver.</param>
|
/// <param name="streamResolver">The stream resolver.</param>
|
||||||
/// <param name="mediaSourceFactory">The media source factory.</param>
|
/// <param name="mediaSourceFactory">The media source factory.</param>
|
||||||
/// <param name="categoryService">The category service (optional).</param>
|
/// <param name="categoryService">The category service (optional).</param>
|
||||||
|
/// <param name="apiClientFactory">The API client factory.</param>
|
||||||
public SRFPlayChannel(
|
public SRFPlayChannel(
|
||||||
ILoggerFactory loggerFactory,
|
ILoggerFactory loggerFactory,
|
||||||
IContentRefreshService contentRefreshService,
|
IContentRefreshService contentRefreshService,
|
||||||
IStreamUrlResolver streamResolver,
|
IStreamUrlResolver streamResolver,
|
||||||
IMediaSourceFactory mediaSourceFactory,
|
IMediaSourceFactory mediaSourceFactory,
|
||||||
ICategoryService? categoryService = null)
|
ICategoryService? categoryService,
|
||||||
|
ISRFApiClientFactory apiClientFactory)
|
||||||
{
|
{
|
||||||
_loggerFactory = loggerFactory;
|
|
||||||
_logger = loggerFactory.CreateLogger<SRFPlayChannel>();
|
_logger = loggerFactory.CreateLogger<SRFPlayChannel>();
|
||||||
_contentRefreshService = contentRefreshService;
|
_contentRefreshService = contentRefreshService;
|
||||||
_streamResolver = streamResolver;
|
_streamResolver = streamResolver;
|
||||||
_mediaSourceFactory = mediaSourceFactory;
|
_mediaSourceFactory = mediaSourceFactory;
|
||||||
_categoryService = categoryService;
|
_categoryService = categoryService;
|
||||||
|
_apiClientFactory = apiClientFactory;
|
||||||
|
|
||||||
if (_categoryService == null)
|
if (_categoryService == null)
|
||||||
{
|
{
|
||||||
_logger.LogWarning("CategoryService not available - category folders will be disabled");
|
_logger.LogWarning("CategoryService not available - category folders will be disabled");
|
||||||
}
|
}
|
||||||
|
|
||||||
_logger.LogInformation("=== SRFPlayChannel constructor called! Channel is being instantiated ===");
|
_logger.LogDebug("SRFPlayChannel initialized");
|
||||||
}
|
}
|
||||||
|
|
||||||
/// <inheritdoc />
|
/// <inheritdoc />
|
||||||
@ -236,7 +239,7 @@ public class SRFPlayChannel : IChannel, IHasCacheKey
|
|||||||
{
|
{
|
||||||
var businessUnit = config?.BusinessUnit.ToString().ToLowerInvariant() ?? "srf";
|
var businessUnit = config?.BusinessUnit.ToString().ToLowerInvariant() ?? "srf";
|
||||||
|
|
||||||
using var apiClient = new Api.SRFApiClient(_loggerFactory);
|
using var apiClient = _apiClientFactory.CreateClient();
|
||||||
var scheduledLivestreams = await apiClient.GetScheduledLivestreamsAsync(businessUnit, "SPORT", cancellationToken).ConfigureAwait(false);
|
var scheduledLivestreams = await apiClient.GetScheduledLivestreamsAsync(businessUnit, "SPORT", cancellationToken).ConfigureAwait(false);
|
||||||
|
|
||||||
if (scheduledLivestreams == null)
|
if (scheduledLivestreams == null)
|
||||||
@ -301,7 +304,7 @@ public class SRFPlayChannel : IChannel, IHasCacheKey
|
|||||||
var shows = await _categoryService.GetShowsByTopicAsync(topicId, businessUnit, 20, cancellationToken).ConfigureAwait(false);
|
var shows = await _categoryService.GetShowsByTopicAsync(topicId, businessUnit, 20, cancellationToken).ConfigureAwait(false);
|
||||||
var urns = new List<string>();
|
var urns = new List<string>();
|
||||||
|
|
||||||
using var apiClient = new Api.SRFApiClient(_loggerFactory);
|
using var apiClient = _apiClientFactory.CreateClient();
|
||||||
|
|
||||||
foreach (var show in shows)
|
foreach (var show in shows)
|
||||||
{
|
{
|
||||||
@ -407,7 +410,7 @@ public class SRFPlayChannel : IChannel, IHasCacheKey
|
|||||||
|
|
||||||
_logger.LogInformation("Converting {Count} URNs to channel items", urns.Count);
|
_logger.LogInformation("Converting {Count} URNs to channel items", urns.Count);
|
||||||
|
|
||||||
using var apiClient = new Api.SRFApiClient(_loggerFactory);
|
using var apiClient = _apiClientFactory.CreateClient();
|
||||||
int successCount = 0;
|
int successCount = 0;
|
||||||
int failedCount = 0;
|
int failedCount = 0;
|
||||||
int expiredCount = 0;
|
int expiredCount = 0;
|
||||||
|
|||||||
@ -52,6 +52,29 @@ public class StreamProxyController : ControllerBase
|
|||||||
Response.Headers["Access-Control-Max-Age"] = "86400"; // Cache preflight for 24 hours
|
Response.Headers["Access-Control-Max-Age"] = "86400"; // Cache preflight for 24 hours
|
||||||
}
|
}
|
||||||
|
|
||||||
|
/// <summary>
|
||||||
|
/// Adds Cache-Control headers appropriate for the stream type.
|
||||||
|
/// Livestreams need frequent manifest refresh, VOD can be cached longer.
|
||||||
|
/// </summary>
|
||||||
|
/// <param name="itemId">The item ID to check.</param>
|
||||||
|
private void AddManifestCacheHeaders(string itemId)
|
||||||
|
{
|
||||||
|
var metadata = _proxyService.GetStreamMetadata(itemId);
|
||||||
|
var isLiveStream = metadata?.IsLiveStream ?? false;
|
||||||
|
|
||||||
|
if (isLiveStream)
|
||||||
|
{
|
||||||
|
// Livestreams need frequent manifest refresh (segments rotate every ~6-10s)
|
||||||
|
Response.Headers["Cache-Control"] = "max-age=2, must-revalidate";
|
||||||
|
_logger.LogDebug("Setting livestream cache headers for {ItemId}", itemId);
|
||||||
|
}
|
||||||
|
else
|
||||||
|
{
|
||||||
|
// VOD manifests are static, can cache longer
|
||||||
|
Response.Headers["Cache-Control"] = "max-age=3600";
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
/// <summary>
|
/// <summary>
|
||||||
/// Handles CORS preflight OPTIONS requests for all proxy endpoints.
|
/// Handles CORS preflight OPTIONS requests for all proxy endpoints.
|
||||||
/// </summary>
|
/// </summary>
|
||||||
@ -120,6 +143,9 @@ public class StreamProxyController : ControllerBase
|
|||||||
return NotFound();
|
return NotFound();
|
||||||
}
|
}
|
||||||
|
|
||||||
|
// Set cache headers based on stream type (live vs VOD)
|
||||||
|
AddManifestCacheHeaders(actualItemId);
|
||||||
|
|
||||||
_logger.LogDebug("Returning master manifest for item {ItemId} ({Length} bytes)", itemId, manifestContent.Length);
|
_logger.LogDebug("Returning master manifest for item {ItemId} ({Length} bytes)", itemId, manifestContent.Length);
|
||||||
return Content(manifestContent, "application/vnd.apple.mpegurl");
|
return Content(manifestContent, "application/vnd.apple.mpegurl");
|
||||||
}
|
}
|
||||||
@ -170,6 +196,9 @@ public class StreamProxyController : ControllerBase
|
|||||||
var baseProxyUrl = $"{scheme}://{Request.Host}/Plugins/SRFPlay/Proxy/{itemId}";
|
var baseProxyUrl = $"{scheme}://{Request.Host}/Plugins/SRFPlay/Proxy/{itemId}";
|
||||||
var rewrittenContent = RewriteSegmentUrls(manifestContent, baseProxyUrl);
|
var rewrittenContent = RewriteSegmentUrls(manifestContent, baseProxyUrl);
|
||||||
|
|
||||||
|
// Set cache headers based on stream type (live vs VOD)
|
||||||
|
AddManifestCacheHeaders(actualItemId);
|
||||||
|
|
||||||
_logger.LogDebug("Returning variant manifest for item {ItemId} ({Length} bytes)", itemId, rewrittenContent.Length);
|
_logger.LogDebug("Returning variant manifest for item {ItemId} ({Length} bytes)", itemId, rewrittenContent.Length);
|
||||||
return Content(rewrittenContent, "application/vnd.apple.mpegurl");
|
return Content(rewrittenContent, "application/vnd.apple.mpegurl");
|
||||||
}
|
}
|
||||||
|
|||||||
@ -37,111 +37,20 @@ public class ContentRefreshService : IContentRefreshService
|
|||||||
/// <returns>List of URNs for new content.</returns>
|
/// <returns>List of URNs for new content.</returns>
|
||||||
public async Task<List<string>> RefreshLatestContentAsync(CancellationToken cancellationToken)
|
public async Task<List<string>> RefreshLatestContentAsync(CancellationToken cancellationToken)
|
||||||
{
|
{
|
||||||
var urns = new List<string>();
|
var config = Plugin.Instance?.Configuration;
|
||||||
|
if (config == null || !config.EnableLatestContent)
|
||||||
try
|
|
||||||
{
|
{
|
||||||
var config = Plugin.Instance?.Configuration;
|
_logger.LogDebug("Latest content refresh is disabled");
|
||||||
if (config == null || !config.EnableLatestContent)
|
return new List<string>();
|
||||||
{
|
|
||||||
_logger.LogDebug("Latest content refresh is disabled");
|
|
||||||
return urns;
|
|
||||||
}
|
|
||||||
|
|
||||||
_logger.LogInformation("Refreshing latest content for business unit: {BusinessUnit}", config.BusinessUnit);
|
|
||||||
|
|
||||||
using var apiClient = _apiClientFactory.CreateClient();
|
|
||||||
var businessUnit = config.BusinessUnit.ToString().ToLowerInvariant();
|
|
||||||
|
|
||||||
// Get all shows from Play v3 API
|
|
||||||
var shows = await apiClient.GetAllShowsAsync(businessUnit, cancellationToken).ConfigureAwait(false);
|
|
||||||
|
|
||||||
if (shows == null || shows.Count == 0)
|
|
||||||
{
|
|
||||||
_logger.LogWarning("No shows found for business unit: {BusinessUnit}", config.BusinessUnit);
|
|
||||||
return urns;
|
|
||||||
}
|
|
||||||
|
|
||||||
_logger.LogInformation("Found {Count} shows, fetching latest episodes from each", shows.Count);
|
|
||||||
|
|
||||||
// Get latest episodes from each show (limit to 20 shows to avoid overwhelming)
|
|
||||||
var showsToFetch = shows.Where(s => s.NumberOfEpisodes > 0)
|
|
||||||
.OrderByDescending(s => s.NumberOfEpisodes)
|
|
||||||
.Take(20)
|
|
||||||
.ToList();
|
|
||||||
|
|
||||||
foreach (var show in showsToFetch)
|
|
||||||
{
|
|
||||||
if (show.Id == null)
|
|
||||||
{
|
|
||||||
continue;
|
|
||||||
}
|
|
||||||
|
|
||||||
try
|
|
||||||
{
|
|
||||||
var videos = await apiClient.GetVideosForShowAsync(businessUnit, show.Id, cancellationToken).ConfigureAwait(false);
|
|
||||||
if (videos != null && videos.Count > 0)
|
|
||||||
{
|
|
||||||
_logger.LogDebug("Show {Show} ({ShowId}): Found {Count} videos", show.Title, show.Id, videos.Count);
|
|
||||||
|
|
||||||
// Filter to videos that are actually published (validFrom in the past)
|
|
||||||
var now = DateTime.UtcNow;
|
|
||||||
var publishedVideos = videos.Where(v =>
|
|
||||||
v.ValidFrom == null || v.ValidFrom.Value.ToUniversalTime() <= now).ToList();
|
|
||||||
|
|
||||||
_logger.LogDebug("Show {Show}: {PublishedCount} published out of {TotalCount} videos", show.Title, publishedVideos.Count, videos.Count);
|
|
||||||
|
|
||||||
if (publishedVideos.Count > 0)
|
|
||||||
{
|
|
||||||
// Take only the most recent published video from each show
|
|
||||||
var latestVideo = publishedVideos.OrderByDescending(v => v.Date).FirstOrDefault();
|
|
||||||
if (latestVideo?.Urn != null)
|
|
||||||
{
|
|
||||||
urns.Add(latestVideo.Urn);
|
|
||||||
_logger.LogInformation(
|
|
||||||
"Added latest video from show {Show}: {Title} (URN: {Urn}, Date: {Date}, ValidFrom: {ValidFrom}, ValidTo: {ValidTo})",
|
|
||||||
show.Title,
|
|
||||||
latestVideo.Title,
|
|
||||||
latestVideo.Urn,
|
|
||||||
latestVideo.Date,
|
|
||||||
latestVideo.ValidFrom,
|
|
||||||
latestVideo.ValidTo);
|
|
||||||
}
|
|
||||||
else
|
|
||||||
{
|
|
||||||
_logger.LogWarning("Show {Show}: Latest video has null URN", show.Title);
|
|
||||||
}
|
|
||||||
}
|
|
||||||
else
|
|
||||||
{
|
|
||||||
_logger.LogDebug("Show {Show} has no published videos yet", show.Title);
|
|
||||||
}
|
|
||||||
}
|
|
||||||
else
|
|
||||||
{
|
|
||||||
_logger.LogDebug("Show {Show} ({ShowId}): No videos returned from API", show.Title, show.Id);
|
|
||||||
}
|
|
||||||
}
|
|
||||||
catch (Exception ex)
|
|
||||||
{
|
|
||||||
_logger.LogWarning(ex, "Error fetching videos for show {ShowId}", show.Id);
|
|
||||||
}
|
|
||||||
|
|
||||||
// Respect cancellation
|
|
||||||
if (cancellationToken.IsCancellationRequested)
|
|
||||||
{
|
|
||||||
break;
|
|
||||||
}
|
|
||||||
}
|
|
||||||
|
|
||||||
_logger.LogInformation("Refreshed {Count} latest content items from {ShowCount} shows", urns.Count, showsToFetch.Count);
|
|
||||||
}
|
|
||||||
catch (Exception ex)
|
|
||||||
{
|
|
||||||
_logger.LogError(ex, "Error refreshing latest content");
|
|
||||||
}
|
}
|
||||||
|
|
||||||
return urns;
|
return await FetchVideosFromShowsAsync(
|
||||||
|
config.BusinessUnit.ToString().ToLowerInvariant(),
|
||||||
|
minEpisodeCount: 0,
|
||||||
|
maxShows: 20,
|
||||||
|
videosPerShow: 1,
|
||||||
|
contentType: "latest",
|
||||||
|
cancellationToken).ConfigureAwait(false);
|
||||||
}
|
}
|
||||||
|
|
||||||
/// <summary>
|
/// <summary>
|
||||||
@ -151,43 +60,62 @@ public class ContentRefreshService : IContentRefreshService
|
|||||||
/// <param name="cancellationToken">The cancellation token.</param>
|
/// <param name="cancellationToken">The cancellation token.</param>
|
||||||
/// <returns>List of URNs for trending content.</returns>
|
/// <returns>List of URNs for trending content.</returns>
|
||||||
public async Task<List<string>> RefreshTrendingContentAsync(CancellationToken cancellationToken)
|
public async Task<List<string>> RefreshTrendingContentAsync(CancellationToken cancellationToken)
|
||||||
|
{
|
||||||
|
var config = Plugin.Instance?.Configuration;
|
||||||
|
if (config == null || !config.EnableTrendingContent)
|
||||||
|
{
|
||||||
|
_logger.LogDebug("Trending content refresh is disabled");
|
||||||
|
return new List<string>();
|
||||||
|
}
|
||||||
|
|
||||||
|
return await FetchVideosFromShowsAsync(
|
||||||
|
config.BusinessUnit.ToString().ToLowerInvariant(),
|
||||||
|
minEpisodeCount: 10,
|
||||||
|
maxShows: 15,
|
||||||
|
videosPerShow: 2,
|
||||||
|
contentType: "trending",
|
||||||
|
cancellationToken).ConfigureAwait(false);
|
||||||
|
}
|
||||||
|
|
||||||
|
/// <summary>
|
||||||
|
/// Fetches videos from shows based on filter criteria.
|
||||||
|
/// </summary>
|
||||||
|
private async Task<List<string>> FetchVideosFromShowsAsync(
|
||||||
|
string businessUnit,
|
||||||
|
int minEpisodeCount,
|
||||||
|
int maxShows,
|
||||||
|
int videosPerShow,
|
||||||
|
string contentType,
|
||||||
|
CancellationToken cancellationToken)
|
||||||
{
|
{
|
||||||
var urns = new List<string>();
|
var urns = new List<string>();
|
||||||
|
|
||||||
try
|
try
|
||||||
{
|
{
|
||||||
var config = Plugin.Instance?.Configuration;
|
_logger.LogInformation("Refreshing {ContentType} content for business unit: {BusinessUnit}", contentType, businessUnit);
|
||||||
if (config == null || !config.EnableTrendingContent)
|
|
||||||
{
|
|
||||||
_logger.LogDebug("Trending content refresh is disabled");
|
|
||||||
return urns;
|
|
||||||
}
|
|
||||||
|
|
||||||
_logger.LogInformation("Refreshing trending content for business unit: {BusinessUnit}", config.BusinessUnit);
|
|
||||||
|
|
||||||
using var apiClient = _apiClientFactory.CreateClient();
|
using var apiClient = _apiClientFactory.CreateClient();
|
||||||
var businessUnit = config.BusinessUnit.ToString().ToLowerInvariant();
|
|
||||||
|
|
||||||
// Get all shows from Play v3 API
|
|
||||||
var shows = await apiClient.GetAllShowsAsync(businessUnit, cancellationToken).ConfigureAwait(false);
|
var shows = await apiClient.GetAllShowsAsync(businessUnit, cancellationToken).ConfigureAwait(false);
|
||||||
|
|
||||||
if (shows == null || shows.Count == 0)
|
if (shows == null || shows.Count == 0)
|
||||||
{
|
{
|
||||||
_logger.LogWarning("No shows found for business unit: {BusinessUnit}", config.BusinessUnit);
|
_logger.LogWarning("No shows found for business unit: {BusinessUnit}", businessUnit);
|
||||||
return urns;
|
return urns;
|
||||||
}
|
}
|
||||||
|
|
||||||
_logger.LogInformation("Found {Count} shows, fetching popular content", shows.Count);
|
_logger.LogInformation("Found {Count} shows, fetching {ContentType} content", shows.Count, contentType);
|
||||||
|
|
||||||
// Get videos from popular shows (those with many episodes)
|
var filteredShows = shows
|
||||||
var popularShows = shows.Where(s => s.NumberOfEpisodes > 10)
|
.Where(s => s.NumberOfEpisodes > minEpisodeCount)
|
||||||
.OrderByDescending(s => s.NumberOfEpisodes)
|
.OrderByDescending(s => s.NumberOfEpisodes)
|
||||||
.Take(15)
|
.Take(maxShows)
|
||||||
.ToList();
|
.ToList();
|
||||||
|
|
||||||
foreach (var show in popularShows)
|
var now = DateTime.UtcNow;
|
||||||
|
|
||||||
|
foreach (var show in filteredShows)
|
||||||
{
|
{
|
||||||
if (show.Id == null)
|
if (show.Id == null || cancellationToken.IsCancellationRequested)
|
||||||
{
|
{
|
||||||
continue;
|
continue;
|
||||||
}
|
}
|
||||||
@ -195,64 +123,46 @@ public class ContentRefreshService : IContentRefreshService
|
|||||||
try
|
try
|
||||||
{
|
{
|
||||||
var videos = await apiClient.GetVideosForShowAsync(businessUnit, show.Id, cancellationToken).ConfigureAwait(false);
|
var videos = await apiClient.GetVideosForShowAsync(businessUnit, show.Id, cancellationToken).ConfigureAwait(false);
|
||||||
if (videos != null && videos.Count > 0)
|
if (videos == null || videos.Count == 0)
|
||||||
{
|
{
|
||||||
_logger.LogDebug("Show {Show} ({ShowId}): Found {Count} videos for trending", show.Title, show.Id, videos.Count);
|
_logger.LogDebug("Show {Show} ({ShowId}): No videos returned from API", show.Title, show.Id);
|
||||||
|
continue;
|
||||||
// Filter to videos that are actually published (validFrom in the past)
|
|
||||||
var now = DateTime.UtcNow;
|
|
||||||
var publishedVideos = videos.Where(v =>
|
|
||||||
v.ValidFrom == null || v.ValidFrom.Value.ToUniversalTime() <= now).ToList();
|
|
||||||
|
|
||||||
_logger.LogDebug("Show {Show}: {PublishedCount} published out of {TotalCount} videos for trending", show.Title, publishedVideos.Count, videos.Count);
|
|
||||||
|
|
||||||
if (publishedVideos.Count > 0)
|
|
||||||
{
|
|
||||||
// Take 2 recent published videos from each popular show
|
|
||||||
var recentVideos = publishedVideos.OrderByDescending(v => v.Date).Take(2);
|
|
||||||
foreach (var video in recentVideos)
|
|
||||||
{
|
|
||||||
if (video.Urn != null)
|
|
||||||
{
|
|
||||||
urns.Add(video.Urn);
|
|
||||||
_logger.LogInformation(
|
|
||||||
"Added trending video from show {Show}: {Title} (URN: {Urn}, Date: {Date}, ValidFrom: {ValidFrom}, ValidTo: {ValidTo})",
|
|
||||||
show.Title,
|
|
||||||
video.Title,
|
|
||||||
video.Urn,
|
|
||||||
video.Date,
|
|
||||||
video.ValidFrom,
|
|
||||||
video.ValidTo);
|
|
||||||
}
|
|
||||||
else
|
|
||||||
{
|
|
||||||
_logger.LogWarning("Show {Show}: Trending video has null URN - {Title}", show.Title, video.Title);
|
|
||||||
}
|
|
||||||
}
|
|
||||||
}
|
|
||||||
}
|
}
|
||||||
else
|
|
||||||
|
_logger.LogDebug("Show {Show} ({ShowId}): Found {Count} videos", show.Title, show.Id, videos.Count);
|
||||||
|
|
||||||
|
// Filter to videos that are actually published (validFrom in the past)
|
||||||
|
var publishedVideos = videos
|
||||||
|
.Where(v => v.ValidFrom == null || v.ValidFrom.Value.ToUniversalTime() <= now)
|
||||||
|
.OrderByDescending(v => v.Date)
|
||||||
|
.Take(videosPerShow)
|
||||||
|
.ToList();
|
||||||
|
|
||||||
|
foreach (var video in publishedVideos)
|
||||||
{
|
{
|
||||||
_logger.LogDebug("Show {Show} ({ShowId}): No videos returned from API for trending", show.Title, show.Id);
|
if (video.Urn != null)
|
||||||
|
{
|
||||||
|
urns.Add(video.Urn);
|
||||||
|
_logger.LogDebug(
|
||||||
|
"Added {ContentType} video from show {Show}: {Title} (URN: {Urn})",
|
||||||
|
contentType,
|
||||||
|
show.Title,
|
||||||
|
video.Title,
|
||||||
|
video.Urn);
|
||||||
|
}
|
||||||
}
|
}
|
||||||
}
|
}
|
||||||
catch (Exception ex)
|
catch (Exception ex)
|
||||||
{
|
{
|
||||||
_logger.LogWarning(ex, "Error fetching videos for show {ShowId}", show.Id);
|
_logger.LogWarning(ex, "Error fetching videos for show {ShowId}", show.Id);
|
||||||
}
|
}
|
||||||
|
|
||||||
// Respect cancellation
|
|
||||||
if (cancellationToken.IsCancellationRequested)
|
|
||||||
{
|
|
||||||
break;
|
|
||||||
}
|
|
||||||
}
|
}
|
||||||
|
|
||||||
_logger.LogInformation("Refreshed {Count} trending content items from {ShowCount} shows", urns.Count, popularShows.Count);
|
_logger.LogInformation("Refreshed {Count} {ContentType} content items from {ShowCount} shows", urns.Count, contentType, filteredShows.Count);
|
||||||
}
|
}
|
||||||
catch (Exception ex)
|
catch (Exception ex)
|
||||||
{
|
{
|
||||||
_logger.LogError(ex, "Error refreshing trending content");
|
_logger.LogError(ex, "Error refreshing {ContentType} content", contentType);
|
||||||
}
|
}
|
||||||
|
|
||||||
return urns;
|
return urns;
|
||||||
|
|||||||
@ -38,8 +38,9 @@ public interface IStreamProxyService
|
|||||||
/// Gets the authenticated URL for an item.
|
/// Gets the authenticated URL for an item.
|
||||||
/// </summary>
|
/// </summary>
|
||||||
/// <param name="itemId">The item ID.</param>
|
/// <param name="itemId">The item ID.</param>
|
||||||
|
/// <param name="cancellationToken">Cancellation token.</param>
|
||||||
/// <returns>The authenticated URL, or null if not found or expired.</returns>
|
/// <returns>The authenticated URL, or null if not found or expired.</returns>
|
||||||
string? GetAuthenticatedUrl(string itemId);
|
Task<string?> GetAuthenticatedUrlAsync(string itemId, CancellationToken cancellationToken = default);
|
||||||
|
|
||||||
/// <summary>
|
/// <summary>
|
||||||
/// Fetches and rewrites an HLS manifest to use proxy URLs.
|
/// Fetches and rewrites an HLS manifest to use proxy URLs.
|
||||||
|
|||||||
@ -1,5 +1,6 @@
|
|||||||
using System;
|
using System;
|
||||||
using System.Collections.Generic;
|
using System.Collections.Generic;
|
||||||
|
using System.Linq;
|
||||||
using System.Threading;
|
using System.Threading;
|
||||||
using System.Threading.Tasks;
|
using System.Threading.Tasks;
|
||||||
using Jellyfin.Plugin.SRFPlay.Api.Models;
|
using Jellyfin.Plugin.SRFPlay.Api.Models;
|
||||||
@ -78,16 +79,18 @@ public class MediaSourceFactory : IMediaSourceFactory
|
|||||||
itemId,
|
itemId,
|
||||||
isLiveStream);
|
isLiveStream);
|
||||||
|
|
||||||
// Create MediaSourceInfo with minimal settings to let clients determine playback
|
// Create MediaSourceInfo with codec info so clients know they can direct play
|
||||||
// Don't specify Container or MediaStreams - let the .m3u8 path trigger HLS detection
|
// Provide MediaStreams with H.264+AAC so Android TV/ExoPlayer doesn't trigger transcoding
|
||||||
|
var mediaStreams = CreateMediaStreams(qualityPreference);
|
||||||
|
|
||||||
var mediaSource = new MediaSourceInfo
|
var mediaSource = new MediaSourceInfo
|
||||||
{
|
{
|
||||||
Id = itemId,
|
Id = itemId,
|
||||||
Name = chapter.Title,
|
Name = chapter.Title,
|
||||||
Path = proxyUrl,
|
Path = proxyUrl,
|
||||||
Protocol = MediaProtocol.Http,
|
Protocol = MediaProtocol.Http,
|
||||||
// Empty container - let clients detect HLS from .m3u8 extension
|
// Use "hls" to trigger hls.js player in web client
|
||||||
Container = string.Empty,
|
Container = "hls",
|
||||||
SupportsDirectStream = true,
|
SupportsDirectStream = true,
|
||||||
SupportsDirectPlay = true,
|
SupportsDirectPlay = true,
|
||||||
SupportsTranscoding = false,
|
SupportsTranscoding = false,
|
||||||
@ -98,15 +101,13 @@ public class MediaSourceFactory : IMediaSourceFactory
|
|||||||
IsInfiniteStream = isLiveStream,
|
IsInfiniteStream = isLiveStream,
|
||||||
RequiresOpening = false,
|
RequiresOpening = false,
|
||||||
RequiresClosing = false,
|
RequiresClosing = false,
|
||||||
|
// Disable probing - we provide stream info directly
|
||||||
SupportsProbing = false,
|
SupportsProbing = false,
|
||||||
ReadAtNativeFramerate = isLiveStream,
|
ReadAtNativeFramerate = isLiveStream,
|
||||||
// Don't specify MediaStreams - let client determine codec compatibility
|
// Provide codec info so clients know they can direct play H.264+AAC
|
||||||
MediaStreams = new List<MediaStream>(),
|
MediaStreams = mediaStreams.ToList(),
|
||||||
// Reduce analyze duration for faster startup (3000ms is Jellyfin default, 1000ms for live)
|
|
||||||
AnalyzeDurationMs = isLiveStream ? 1000 : 3000,
|
AnalyzeDurationMs = isLiveStream ? 1000 : 3000,
|
||||||
// Ignore DTS timestamps for live streams to avoid sync issues
|
|
||||||
IgnoreDts = isLiveStream,
|
IgnoreDts = isLiveStream,
|
||||||
// Ignore index for live streams
|
|
||||||
IgnoreIndex = isLiveStream,
|
IgnoreIndex = isLiveStream,
|
||||||
};
|
};
|
||||||
|
|
||||||
|
|||||||
@ -10,6 +10,7 @@ using System.Web;
|
|||||||
using Jellyfin.Plugin.SRFPlay.Api;
|
using Jellyfin.Plugin.SRFPlay.Api;
|
||||||
using Jellyfin.Plugin.SRFPlay.Configuration;
|
using Jellyfin.Plugin.SRFPlay.Configuration;
|
||||||
using Jellyfin.Plugin.SRFPlay.Services.Interfaces;
|
using Jellyfin.Plugin.SRFPlay.Services.Interfaces;
|
||||||
|
using MediaBrowser.Common.Net;
|
||||||
using Microsoft.Extensions.Logging;
|
using Microsoft.Extensions.Logging;
|
||||||
|
|
||||||
namespace Jellyfin.Plugin.SRFPlay.Services;
|
namespace Jellyfin.Plugin.SRFPlay.Services;
|
||||||
@ -17,14 +18,13 @@ namespace Jellyfin.Plugin.SRFPlay.Services;
|
|||||||
/// <summary>
|
/// <summary>
|
||||||
/// Service for proxying SRF Play streams and managing authentication.
|
/// Service for proxying SRF Play streams and managing authentication.
|
||||||
/// </summary>
|
/// </summary>
|
||||||
public class StreamProxyService : IStreamProxyService, IDisposable
|
public class StreamProxyService : IStreamProxyService
|
||||||
{
|
{
|
||||||
private readonly ILogger<StreamProxyService> _logger;
|
private readonly ILogger<StreamProxyService> _logger;
|
||||||
private readonly IStreamUrlResolver _streamResolver;
|
private readonly IStreamUrlResolver _streamResolver;
|
||||||
private readonly IMediaCompositionFetcher _compositionFetcher;
|
private readonly IMediaCompositionFetcher _compositionFetcher;
|
||||||
private readonly HttpClient _httpClient;
|
private readonly IHttpClientFactory _httpClientFactory;
|
||||||
private readonly ConcurrentDictionary<string, StreamInfo> _streamMappings;
|
private readonly ConcurrentDictionary<string, StreamInfo> _streamMappings;
|
||||||
private bool _disposed;
|
|
||||||
|
|
||||||
/// <summary>
|
/// <summary>
|
||||||
/// Initializes a new instance of the <see cref="StreamProxyService"/> class.
|
/// Initializes a new instance of the <see cref="StreamProxyService"/> class.
|
||||||
@ -32,18 +32,17 @@ public class StreamProxyService : IStreamProxyService, IDisposable
|
|||||||
/// <param name="logger">The logger.</param>
|
/// <param name="logger">The logger.</param>
|
||||||
/// <param name="streamResolver">The stream URL resolver.</param>
|
/// <param name="streamResolver">The stream URL resolver.</param>
|
||||||
/// <param name="compositionFetcher">The media composition fetcher.</param>
|
/// <param name="compositionFetcher">The media composition fetcher.</param>
|
||||||
|
/// <param name="httpClientFactory">The HTTP client factory.</param>
|
||||||
public StreamProxyService(
|
public StreamProxyService(
|
||||||
ILogger<StreamProxyService> logger,
|
ILogger<StreamProxyService> logger,
|
||||||
IStreamUrlResolver streamResolver,
|
IStreamUrlResolver streamResolver,
|
||||||
IMediaCompositionFetcher compositionFetcher)
|
IMediaCompositionFetcher compositionFetcher,
|
||||||
|
IHttpClientFactory httpClientFactory)
|
||||||
{
|
{
|
||||||
_logger = logger;
|
_logger = logger;
|
||||||
_streamResolver = streamResolver;
|
_streamResolver = streamResolver;
|
||||||
_compositionFetcher = compositionFetcher;
|
_compositionFetcher = compositionFetcher;
|
||||||
_httpClient = new HttpClient
|
_httpClientFactory = httpClientFactory;
|
||||||
{
|
|
||||||
Timeout = TimeSpan.FromSeconds(30)
|
|
||||||
};
|
|
||||||
_streamMappings = new ConcurrentDictionary<string, StreamInfo>();
|
_streamMappings = new ConcurrentDictionary<string, StreamInfo>();
|
||||||
}
|
}
|
||||||
|
|
||||||
@ -70,29 +69,7 @@ public class StreamProxyService : IStreamProxyService, IDisposable
|
|||||||
LastLivestreamFetchAt = isLiveStream ? DateTime.UtcNow : null
|
LastLivestreamFetchAt = isLiveStream ? DateTime.UtcNow : null
|
||||||
};
|
};
|
||||||
|
|
||||||
// Register with the provided item ID
|
RegisterWithGuidFormats(itemId, streamInfo);
|
||||||
_streamMappings.AddOrUpdate(itemId, streamInfo, (key, old) => streamInfo);
|
|
||||||
|
|
||||||
// Also register with alternative GUID formats to handle Jellyfin's ID transformations
|
|
||||||
if (Guid.TryParse(itemId, out var guid))
|
|
||||||
{
|
|
||||||
var formats = new[]
|
|
||||||
{
|
|
||||||
guid.ToString("N"), // Without dashes: 00000000000000000000000000000000
|
|
||||||
guid.ToString("D"), // With dashes: 00000000-0000-0000-0000-000000000000
|
|
||||||
guid.ToString("B"), // With braces: {00000000-0000-0000-0000-000000000000}
|
|
||||||
};
|
|
||||||
|
|
||||||
foreach (var format in formats)
|
|
||||||
{
|
|
||||||
if (format != itemId) // Don't duplicate the original
|
|
||||||
{
|
|
||||||
_streamMappings.AddOrUpdate(format, streamInfo, (key, old) => streamInfo);
|
|
||||||
}
|
|
||||||
}
|
|
||||||
|
|
||||||
_logger.LogDebug("Registered stream with {Count} GUID format variations", formats.Length);
|
|
||||||
}
|
|
||||||
|
|
||||||
if (tokenExpiry.HasValue)
|
if (tokenExpiry.HasValue)
|
||||||
{
|
{
|
||||||
@ -129,27 +106,7 @@ public class StreamProxyService : IStreamProxyService, IDisposable
|
|||||||
NeedsAuthentication = true
|
NeedsAuthentication = true
|
||||||
};
|
};
|
||||||
|
|
||||||
// Register with the provided item ID
|
RegisterWithGuidFormats(itemId, streamInfo);
|
||||||
_streamMappings.AddOrUpdate(itemId, streamInfo, (key, old) => streamInfo);
|
|
||||||
|
|
||||||
// Also register with alternative GUID formats
|
|
||||||
if (Guid.TryParse(itemId, out var guid))
|
|
||||||
{
|
|
||||||
var formats = new[]
|
|
||||||
{
|
|
||||||
guid.ToString("N"),
|
|
||||||
guid.ToString("D"),
|
|
||||||
guid.ToString("B"),
|
|
||||||
};
|
|
||||||
|
|
||||||
foreach (var format in formats)
|
|
||||||
{
|
|
||||||
if (format != itemId)
|
|
||||||
{
|
|
||||||
_streamMappings.AddOrUpdate(format, streamInfo, (key, old) => streamInfo);
|
|
||||||
}
|
|
||||||
}
|
|
||||||
}
|
|
||||||
|
|
||||||
_logger.LogDebug(
|
_logger.LogDebug(
|
||||||
"Registered deferred stream for item {ItemId} (URN: {Urn}, will authenticate on first access)",
|
"Registered deferred stream for item {ItemId} (URN: {Urn}, will authenticate on first access)",
|
||||||
@ -191,10 +148,11 @@ public class StreamProxyService : IStreamProxyService, IDisposable
|
|||||||
/// Gets the authenticated URL for an item.
|
/// Gets the authenticated URL for an item.
|
||||||
/// </summary>
|
/// </summary>
|
||||||
/// <param name="itemId">The item ID.</param>
|
/// <param name="itemId">The item ID.</param>
|
||||||
|
/// <param name="cancellationToken">Cancellation token.</param>
|
||||||
/// <returns>The authenticated URL, or null if not found or expired.</returns>
|
/// <returns>The authenticated URL, or null if not found or expired.</returns>
|
||||||
public string? GetAuthenticatedUrl(string itemId)
|
public async Task<string?> GetAuthenticatedUrlAsync(string itemId, CancellationToken cancellationToken = default)
|
||||||
{
|
{
|
||||||
_logger.LogInformation("GetAuthenticatedUrl called for itemId: {ItemId}", itemId);
|
_logger.LogInformation("GetAuthenticatedUrlAsync called for itemId: {ItemId}", itemId);
|
||||||
|
|
||||||
// Try direct lookup first
|
// Try direct lookup first
|
||||||
if (_streamMappings.TryGetValue(itemId, out var streamInfo))
|
if (_streamMappings.TryGetValue(itemId, out var streamInfo))
|
||||||
@ -204,7 +162,7 @@ public class StreamProxyService : IStreamProxyService, IDisposable
|
|||||||
? (streamInfo.TokenExpiresAt.Value - DateTime.UtcNow).TotalSeconds
|
? (streamInfo.TokenExpiresAt.Value - DateTime.UtcNow).TotalSeconds
|
||||||
: -1;
|
: -1;
|
||||||
_logger.LogInformation(
|
_logger.LogInformation(
|
||||||
"✅ Found stream by direct lookup for itemId: {ItemId} - NeedsAuth={NeedsAuth}, IsLive={IsLive}, Urn={Urn}, TokenLeft={TokenLeft:F0}s, AuthUrl={HasAuth}",
|
"Found stream by direct lookup for itemId: {ItemId} - NeedsAuth={NeedsAuth}, IsLive={IsLive}, Urn={Urn}, TokenLeft={TokenLeft:F0}s, AuthUrl={HasAuth}",
|
||||||
itemId,
|
itemId,
|
||||||
streamInfo.NeedsAuthentication,
|
streamInfo.NeedsAuthentication,
|
||||||
streamInfo.IsLiveStream,
|
streamInfo.IsLiveStream,
|
||||||
@ -225,14 +183,14 @@ public class StreamProxyService : IStreamProxyService, IDisposable
|
|||||||
itemId,
|
itemId,
|
||||||
freshStream.Value.Key);
|
freshStream.Value.Key);
|
||||||
_streamMappings.AddOrUpdate(itemId, freshStream.Value.Value, (key, old) => freshStream.Value.Value);
|
_streamMappings.AddOrUpdate(itemId, freshStream.Value.Value, (key, old) => freshStream.Value.Value);
|
||||||
return ValidateAndReturnStream(itemId, freshStream.Value.Value);
|
return await ValidateAndReturnStreamAsync(itemId, freshStream.Value.Value, cancellationToken).ConfigureAwait(false);
|
||||||
}
|
}
|
||||||
}
|
}
|
||||||
|
|
||||||
return ValidateAndReturnStream(itemId, streamInfo);
|
return await ValidateAndReturnStreamAsync(itemId, streamInfo, cancellationToken).ConfigureAwait(false);
|
||||||
}
|
}
|
||||||
|
|
||||||
_logger.LogWarning("❌ No direct match for itemId: {ItemId}, trying fallbacks... (Registered streams: {Count})", itemId, _streamMappings.Count);
|
_logger.LogWarning("No direct match for itemId: {ItemId}, trying fallbacks... (Registered streams: {Count})", itemId, _streamMappings.Count);
|
||||||
|
|
||||||
// Fallback: Try to find by GUID variations (with/without dashes)
|
// Fallback: Try to find by GUID variations (with/without dashes)
|
||||||
// This handles cases where Jellyfin uses different GUID formats
|
// This handles cases where Jellyfin uses different GUID formats
|
||||||
@ -248,7 +206,7 @@ public class StreamProxyService : IStreamProxyService, IDisposable
|
|||||||
"Found stream by GUID normalization - Requested: {RequestedId}, Registered: {RegisteredId}",
|
"Found stream by GUID normalization - Requested: {RequestedId}, Registered: {RegisteredId}",
|
||||||
itemId,
|
itemId,
|
||||||
kvp.Key);
|
kvp.Key);
|
||||||
var url = ValidateAndReturnStream(kvp.Key, kvp.Value);
|
var url = await ValidateAndReturnStreamAsync(kvp.Key, kvp.Value, cancellationToken).ConfigureAwait(false);
|
||||||
if (url != null)
|
if (url != null)
|
||||||
{
|
{
|
||||||
return url; // Found valid stream
|
return url; // Found valid stream
|
||||||
@ -282,7 +240,7 @@ public class StreamProxyService : IStreamProxyService, IDisposable
|
|||||||
// Register the transcoding session ID as an alias (update if stale alias exists)
|
// Register the transcoding session ID as an alias (update if stale alias exists)
|
||||||
_streamMappings.AddOrUpdate(itemId, activeStreams[0].Value, (key, old) => activeStreams[0].Value);
|
_streamMappings.AddOrUpdate(itemId, activeStreams[0].Value, (key, old) => activeStreams[0].Value);
|
||||||
|
|
||||||
return ValidateAndReturnStream(activeStreams[0].Key, activeStreams[0].Value);
|
return await ValidateAndReturnStreamAsync(activeStreams[0].Key, activeStreams[0].Value, cancellationToken).ConfigureAwait(false);
|
||||||
}
|
}
|
||||||
|
|
||||||
// If multiple active streams, use the most recently registered one (likely the one being transcoded)
|
// If multiple active streams, use the most recently registered one (likely the one being transcoded)
|
||||||
@ -305,7 +263,7 @@ public class StreamProxyService : IStreamProxyService, IDisposable
|
|||||||
// Register the transcoding session ID as an alias (update if stale alias exists)
|
// Register the transcoding session ID as an alias (update if stale alias exists)
|
||||||
_streamMappings.AddOrUpdate(itemId, mostRecent.Value, (key, old) => mostRecent.Value);
|
_streamMappings.AddOrUpdate(itemId, mostRecent.Value, (key, old) => mostRecent.Value);
|
||||||
|
|
||||||
return ValidateAndReturnStream(mostRecent.Key, mostRecent.Value);
|
return await ValidateAndReturnStreamAsync(mostRecent.Key, mostRecent.Value, cancellationToken).ConfigureAwait(false);
|
||||||
}
|
}
|
||||||
}
|
}
|
||||||
|
|
||||||
@ -320,7 +278,7 @@ public class StreamProxyService : IStreamProxyService, IDisposable
|
|||||||
/// <summary>
|
/// <summary>
|
||||||
/// Validates a stream and returns its URL if valid.
|
/// Validates a stream and returns its URL if valid.
|
||||||
/// </summary>
|
/// </summary>
|
||||||
private string? ValidateAndReturnStream(string itemId, StreamInfo streamInfo)
|
private async Task<string?> ValidateAndReturnStreamAsync(string itemId, StreamInfo streamInfo, CancellationToken cancellationToken)
|
||||||
{
|
{
|
||||||
// Handle deferred authentication (first playback after browsing)
|
// Handle deferred authentication (first playback after browsing)
|
||||||
if (streamInfo.NeedsAuthentication)
|
if (streamInfo.NeedsAuthentication)
|
||||||
@ -329,7 +287,7 @@ public class StreamProxyService : IStreamProxyService, IDisposable
|
|||||||
"First playback for item {ItemId} - authenticating stream on-demand",
|
"First playback for item {ItemId} - authenticating stream on-demand",
|
||||||
itemId);
|
itemId);
|
||||||
|
|
||||||
var authenticatedUrl = AuthenticateOnDemand(itemId, streamInfo);
|
var authenticatedUrl = await AuthenticateOnDemandAsync(itemId, streamInfo, cancellationToken).ConfigureAwait(false);
|
||||||
if (authenticatedUrl != null)
|
if (authenticatedUrl != null)
|
||||||
{
|
{
|
||||||
return authenticatedUrl;
|
return authenticatedUrl;
|
||||||
@ -369,7 +327,7 @@ public class StreamProxyService : IStreamProxyService, IDisposable
|
|||||||
tokenTimeLeft,
|
tokenTimeLeft,
|
||||||
timeSinceLastFetch);
|
timeSinceLastFetch);
|
||||||
|
|
||||||
var freshUrl = FetchFreshStreamUrl(itemId, streamInfo);
|
var freshUrl = await FetchFreshStreamUrlAsync(itemId, streamInfo, cancellationToken).ConfigureAwait(false);
|
||||||
if (freshUrl != null)
|
if (freshUrl != null)
|
||||||
{
|
{
|
||||||
return freshUrl;
|
return freshUrl;
|
||||||
@ -403,7 +361,7 @@ public class StreamProxyService : IStreamProxyService, IDisposable
|
|||||||
now);
|
now);
|
||||||
|
|
||||||
// Try to refresh the token
|
// Try to refresh the token
|
||||||
var refreshedUrl = RefreshToken(itemId, streamInfo);
|
var refreshedUrl = await RefreshTokenAsync(itemId, streamInfo, cancellationToken).ConfigureAwait(false);
|
||||||
if (refreshedUrl != null)
|
if (refreshedUrl != null)
|
||||||
{
|
{
|
||||||
_logger.LogInformation("Successfully refreshed token for item {ItemId}", itemId);
|
_logger.LogInformation("Successfully refreshed token for item {ItemId}", itemId);
|
||||||
@ -428,7 +386,7 @@ public class StreamProxyService : IStreamProxyService, IDisposable
|
|||||||
/// <summary>
|
/// <summary>
|
||||||
/// Fetches a fresh stream URL from the SRF API for livestreams.
|
/// Fetches a fresh stream URL from the SRF API for livestreams.
|
||||||
/// </summary>
|
/// </summary>
|
||||||
private string? FetchFreshStreamUrl(string itemId, StreamInfo streamInfo)
|
private async Task<string?> FetchFreshStreamUrlAsync(string itemId, StreamInfo streamInfo, CancellationToken cancellationToken)
|
||||||
{
|
{
|
||||||
if (string.IsNullOrEmpty(streamInfo.Urn))
|
if (string.IsNullOrEmpty(streamInfo.Urn))
|
||||||
{
|
{
|
||||||
@ -438,8 +396,7 @@ public class StreamProxyService : IStreamProxyService, IDisposable
|
|||||||
try
|
try
|
||||||
{
|
{
|
||||||
// Use short cache duration (5 min) for livestreams
|
// Use short cache duration (5 min) for livestreams
|
||||||
var mediaComposition = _compositionFetcher.GetMediaCompositionAsync(streamInfo.Urn, CancellationToken.None, 5)
|
var mediaComposition = await _compositionFetcher.GetMediaCompositionAsync(streamInfo.Urn, cancellationToken, 5).ConfigureAwait(false);
|
||||||
.GetAwaiter().GetResult();
|
|
||||||
|
|
||||||
if (mediaComposition?.ChapterList == null || mediaComposition.ChapterList.Count == 0)
|
if (mediaComposition?.ChapterList == null || mediaComposition.ChapterList.Count == 0)
|
||||||
{
|
{
|
||||||
@ -458,8 +415,7 @@ public class StreamProxyService : IStreamProxyService, IDisposable
|
|||||||
}
|
}
|
||||||
|
|
||||||
// Authenticate the fresh URL
|
// Authenticate the fresh URL
|
||||||
var authenticatedUrl = _streamResolver.GetAuthenticatedStreamUrlAsync(streamUrl, CancellationToken.None)
|
var authenticatedUrl = await _streamResolver.GetAuthenticatedStreamUrlAsync(streamUrl, cancellationToken).ConfigureAwait(false);
|
||||||
.GetAwaiter().GetResult();
|
|
||||||
|
|
||||||
// Update the stored stream info with the fresh data
|
// Update the stored stream info with the fresh data
|
||||||
var newTokenExpiry = ExtractTokenExpiry(authenticatedUrl);
|
var newTokenExpiry = ExtractTokenExpiry(authenticatedUrl);
|
||||||
@ -486,7 +442,7 @@ public class StreamProxyService : IStreamProxyService, IDisposable
|
|||||||
/// <summary>
|
/// <summary>
|
||||||
/// Attempts to refresh an expired token.
|
/// Attempts to refresh an expired token.
|
||||||
/// </summary>
|
/// </summary>
|
||||||
private string? RefreshToken(string itemId, StreamInfo streamInfo)
|
private async Task<string?> RefreshTokenAsync(string itemId, StreamInfo streamInfo, CancellationToken cancellationToken)
|
||||||
{
|
{
|
||||||
if (string.IsNullOrEmpty(streamInfo.UnauthenticatedUrl))
|
if (string.IsNullOrEmpty(streamInfo.UnauthenticatedUrl))
|
||||||
{
|
{
|
||||||
@ -496,10 +452,10 @@ public class StreamProxyService : IStreamProxyService, IDisposable
|
|||||||
|
|
||||||
try
|
try
|
||||||
{
|
{
|
||||||
// Re-authenticate the stream URL synchronously (blocking call)
|
// Re-authenticate the stream URL
|
||||||
var newAuthenticatedUrl = _streamResolver.GetAuthenticatedStreamUrlAsync(
|
var newAuthenticatedUrl = await _streamResolver.GetAuthenticatedStreamUrlAsync(
|
||||||
streamInfo.UnauthenticatedUrl,
|
streamInfo.UnauthenticatedUrl,
|
||||||
CancellationToken.None).GetAwaiter().GetResult();
|
cancellationToken).ConfigureAwait(false);
|
||||||
|
|
||||||
if (string.IsNullOrEmpty(newAuthenticatedUrl))
|
if (string.IsNullOrEmpty(newAuthenticatedUrl))
|
||||||
{
|
{
|
||||||
@ -528,7 +484,7 @@ public class StreamProxyService : IStreamProxyService, IDisposable
|
|||||||
/// <summary>
|
/// <summary>
|
||||||
/// Authenticates a stream on-demand (first playback after browsing).
|
/// Authenticates a stream on-demand (first playback after browsing).
|
||||||
/// </summary>
|
/// </summary>
|
||||||
private string? AuthenticateOnDemand(string itemId, StreamInfo streamInfo)
|
private async Task<string?> AuthenticateOnDemandAsync(string itemId, StreamInfo streamInfo, CancellationToken cancellationToken)
|
||||||
{
|
{
|
||||||
if (string.IsNullOrEmpty(streamInfo.UnauthenticatedUrl))
|
if (string.IsNullOrEmpty(streamInfo.UnauthenticatedUrl))
|
||||||
{
|
{
|
||||||
@ -539,9 +495,9 @@ public class StreamProxyService : IStreamProxyService, IDisposable
|
|||||||
try
|
try
|
||||||
{
|
{
|
||||||
// Authenticate the stream URL
|
// Authenticate the stream URL
|
||||||
var authenticatedUrl = _streamResolver.GetAuthenticatedStreamUrlAsync(
|
var authenticatedUrl = await _streamResolver.GetAuthenticatedStreamUrlAsync(
|
||||||
streamInfo.UnauthenticatedUrl,
|
streamInfo.UnauthenticatedUrl,
|
||||||
CancellationToken.None).GetAwaiter().GetResult();
|
cancellationToken).ConfigureAwait(false);
|
||||||
|
|
||||||
if (string.IsNullOrEmpty(authenticatedUrl))
|
if (string.IsNullOrEmpty(authenticatedUrl))
|
||||||
{
|
{
|
||||||
@ -669,7 +625,7 @@ public class StreamProxyService : IStreamProxyService, IDisposable
|
|||||||
string baseProxyUrl,
|
string baseProxyUrl,
|
||||||
CancellationToken cancellationToken = default)
|
CancellationToken cancellationToken = default)
|
||||||
{
|
{
|
||||||
var authenticatedUrl = GetAuthenticatedUrl(itemId);
|
var authenticatedUrl = await GetAuthenticatedUrlAsync(itemId, cancellationToken).ConfigureAwait(false);
|
||||||
if (authenticatedUrl == null)
|
if (authenticatedUrl == null)
|
||||||
{
|
{
|
||||||
return null;
|
return null;
|
||||||
@ -678,14 +634,15 @@ public class StreamProxyService : IStreamProxyService, IDisposable
|
|||||||
try
|
try
|
||||||
{
|
{
|
||||||
_logger.LogInformation("Fetching manifest from: {Url}", authenticatedUrl);
|
_logger.LogInformation("Fetching manifest from: {Url}", authenticatedUrl);
|
||||||
var manifestContent = await _httpClient.GetStringAsync(authenticatedUrl, cancellationToken).ConfigureAwait(false);
|
using var httpClient = _httpClientFactory.CreateClient(NamedClient.Default);
|
||||||
|
var manifestContent = await httpClient.GetStringAsync(authenticatedUrl, cancellationToken).ConfigureAwait(false);
|
||||||
|
|
||||||
_logger.LogInformation("Original manifest ({Length} bytes):\n{Content}", manifestContent.Length, manifestContent);
|
_logger.LogDebug("Original manifest ({Length} bytes):\n{Content}", manifestContent.Length, manifestContent);
|
||||||
|
|
||||||
// Rewrite the manifest to replace Akamai URLs with proxy URLs
|
// Rewrite the manifest to replace Akamai URLs with proxy URLs
|
||||||
var rewrittenContent = RewriteManifestUrls(manifestContent, authenticatedUrl, baseProxyUrl);
|
var rewrittenContent = RewriteManifestUrls(manifestContent, authenticatedUrl, baseProxyUrl);
|
||||||
|
|
||||||
_logger.LogInformation("Rewritten manifest for item {ItemId} ({Length} bytes):\n{Content}", itemId, rewrittenContent.Length, rewrittenContent);
|
_logger.LogDebug("Rewritten manifest for item {ItemId} ({Length} bytes):\n{Content}", itemId, rewrittenContent.Length, rewrittenContent);
|
||||||
return rewrittenContent;
|
return rewrittenContent;
|
||||||
}
|
}
|
||||||
catch (Exception ex)
|
catch (Exception ex)
|
||||||
@ -707,7 +664,7 @@ public class StreamProxyService : IStreamProxyService, IDisposable
|
|||||||
string segmentPath,
|
string segmentPath,
|
||||||
CancellationToken cancellationToken = default)
|
CancellationToken cancellationToken = default)
|
||||||
{
|
{
|
||||||
var authenticatedUrl = GetAuthenticatedUrl(itemId);
|
var authenticatedUrl = await GetAuthenticatedUrlAsync(itemId, cancellationToken).ConfigureAwait(false);
|
||||||
if (authenticatedUrl == null)
|
if (authenticatedUrl == null)
|
||||||
{
|
{
|
||||||
return null;
|
return null;
|
||||||
@ -725,13 +682,14 @@ public class StreamProxyService : IStreamProxyService, IDisposable
|
|||||||
// Build full segment URL
|
// Build full segment URL
|
||||||
var segmentUrl = $"{baseUrl}/{segmentPath}{queryParams}";
|
var segmentUrl = $"{baseUrl}/{segmentPath}{queryParams}";
|
||||||
|
|
||||||
_logger.LogInformation(
|
_logger.LogDebug(
|
||||||
"Fetching segment - BaseUri: {BaseUri}, BaseUrl: {BaseUrl}, SegmentPath: {SegmentPath}, FullUrl: {FullUrl}",
|
"Fetching segment - BaseUri: {BaseUri}, BaseUrl: {BaseUrl}, SegmentPath: {SegmentPath}, FullUrl: {FullUrl}",
|
||||||
authenticatedUrl,
|
authenticatedUrl,
|
||||||
baseUrl,
|
baseUrl,
|
||||||
segmentPath,
|
segmentPath,
|
||||||
segmentUrl);
|
segmentUrl);
|
||||||
var segmentData = await _httpClient.GetByteArrayAsync(segmentUrl, cancellationToken).ConfigureAwait(false);
|
using var httpClient = _httpClientFactory.CreateClient(NamedClient.Default);
|
||||||
|
var segmentData = await httpClient.GetByteArrayAsync(segmentUrl, cancellationToken).ConfigureAwait(false);
|
||||||
|
|
||||||
_logger.LogDebug("Successfully fetched segment {SegmentPath} ({Size} bytes)", segmentPath, segmentData.Length);
|
_logger.LogDebug("Successfully fetched segment {SegmentPath} ({Size} bytes)", segmentPath, segmentData.Length);
|
||||||
return segmentData;
|
return segmentData;
|
||||||
@ -892,31 +850,33 @@ public class StreamProxyService : IStreamProxyService, IDisposable
|
|||||||
}
|
}
|
||||||
|
|
||||||
/// <summary>
|
/// <summary>
|
||||||
/// Disposes the service.
|
/// Registers a stream with multiple GUID format variations to handle Jellyfin's ID transformations.
|
||||||
/// </summary>
|
/// </summary>
|
||||||
public void Dispose()
|
/// <param name="itemId">The item ID.</param>
|
||||||
|
/// <param name="streamInfo">The stream information to register.</param>
|
||||||
|
private void RegisterWithGuidFormats(string itemId, StreamInfo streamInfo)
|
||||||
{
|
{
|
||||||
Dispose(true);
|
_streamMappings.AddOrUpdate(itemId, streamInfo, (key, old) => streamInfo);
|
||||||
GC.SuppressFinalize(this);
|
|
||||||
}
|
|
||||||
|
|
||||||
/// <summary>
|
if (Guid.TryParse(itemId, out var guid))
|
||||||
/// Disposes the service.
|
|
||||||
/// </summary>
|
|
||||||
/// <param name="disposing">True if disposing.</param>
|
|
||||||
protected virtual void Dispose(bool disposing)
|
|
||||||
{
|
|
||||||
if (_disposed)
|
|
||||||
{
|
{
|
||||||
return;
|
var formats = new[]
|
||||||
}
|
{
|
||||||
|
guid.ToString("N"), // Without dashes: 00000000000000000000000000000000
|
||||||
|
guid.ToString("D"), // With dashes: 00000000-0000-0000-0000-000000000000
|
||||||
|
guid.ToString("B"), // With braces: {00000000-0000-0000-0000-000000000000}
|
||||||
|
};
|
||||||
|
|
||||||
if (disposing)
|
foreach (var format in formats)
|
||||||
{
|
{
|
||||||
_httpClient?.Dispose();
|
if (format != itemId) // Don't duplicate the original
|
||||||
}
|
{
|
||||||
|
_streamMappings.AddOrUpdate(format, streamInfo, (key, old) => streamInfo);
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
_disposed = true;
|
_logger.LogDebug("Registered stream with {Count} GUID format variations", formats.Length);
|
||||||
|
}
|
||||||
}
|
}
|
||||||
|
|
||||||
/// <summary>
|
/// <summary>
|
||||||
|
|||||||
@ -8,6 +8,7 @@ using Jellyfin.Plugin.SRFPlay.Api.Models;
|
|||||||
using Jellyfin.Plugin.SRFPlay.Configuration;
|
using Jellyfin.Plugin.SRFPlay.Configuration;
|
||||||
using Jellyfin.Plugin.SRFPlay.Constants;
|
using Jellyfin.Plugin.SRFPlay.Constants;
|
||||||
using Jellyfin.Plugin.SRFPlay.Services.Interfaces;
|
using Jellyfin.Plugin.SRFPlay.Services.Interfaces;
|
||||||
|
using MediaBrowser.Common.Net;
|
||||||
using Microsoft.Extensions.Logging;
|
using Microsoft.Extensions.Logging;
|
||||||
|
|
||||||
namespace Jellyfin.Plugin.SRFPlay.Services;
|
namespace Jellyfin.Plugin.SRFPlay.Services;
|
||||||
@ -15,20 +16,20 @@ namespace Jellyfin.Plugin.SRFPlay.Services;
|
|||||||
/// <summary>
|
/// <summary>
|
||||||
/// Service for resolving stream URLs from media composition resources.
|
/// Service for resolving stream URLs from media composition resources.
|
||||||
/// </summary>
|
/// </summary>
|
||||||
public class StreamUrlResolver : IStreamUrlResolver, IDisposable
|
public class StreamUrlResolver : IStreamUrlResolver
|
||||||
{
|
{
|
||||||
private readonly ILogger<StreamUrlResolver> _logger;
|
private readonly ILogger<StreamUrlResolver> _logger;
|
||||||
private readonly HttpClient _httpClient;
|
private readonly IHttpClientFactory _httpClientFactory;
|
||||||
private bool _disposed;
|
|
||||||
|
|
||||||
/// <summary>
|
/// <summary>
|
||||||
/// Initializes a new instance of the <see cref="StreamUrlResolver"/> class.
|
/// Initializes a new instance of the <see cref="StreamUrlResolver"/> class.
|
||||||
/// </summary>
|
/// </summary>
|
||||||
/// <param name="logger">The logger instance.</param>
|
/// <param name="logger">The logger instance.</param>
|
||||||
public StreamUrlResolver(ILogger<StreamUrlResolver> logger)
|
/// <param name="httpClientFactory">The HTTP client factory.</param>
|
||||||
|
public StreamUrlResolver(ILogger<StreamUrlResolver> logger, IHttpClientFactory httpClientFactory)
|
||||||
{
|
{
|
||||||
_logger = logger;
|
_logger = logger;
|
||||||
_httpClient = new HttpClient();
|
_httpClientFactory = httpClientFactory;
|
||||||
}
|
}
|
||||||
|
|
||||||
/// <summary>
|
/// <summary>
|
||||||
@ -247,7 +248,8 @@ public class StreamUrlResolver : IStreamUrlResolver, IDisposable
|
|||||||
|
|
||||||
_logger.LogDebug("Fetching auth token from: {TokenUrl}", tokenUrl);
|
_logger.LogDebug("Fetching auth token from: {TokenUrl}", tokenUrl);
|
||||||
|
|
||||||
var response = await _httpClient.GetAsync(tokenUrl, cancellationToken).ConfigureAwait(false);
|
using var httpClient = _httpClientFactory.CreateClient(NamedClient.Default);
|
||||||
|
var response = await httpClient.GetAsync(tokenUrl, cancellationToken).ConfigureAwait(false);
|
||||||
response.EnsureSuccessStatusCode();
|
response.EnsureSuccessStatusCode();
|
||||||
|
|
||||||
var jsonContent = await response.Content.ReadAsStringAsync(cancellationToken).ConfigureAwait(false);
|
var jsonContent = await response.Content.ReadAsStringAsync(cancellationToken).ConfigureAwait(false);
|
||||||
@ -278,28 +280,4 @@ public class StreamUrlResolver : IStreamUrlResolver, IDisposable
|
|||||||
return streamUrl; // Return original URL as fallback
|
return streamUrl; // Return original URL as fallback
|
||||||
}
|
}
|
||||||
}
|
}
|
||||||
|
|
||||||
/// <inheritdoc/>
|
|
||||||
public void Dispose()
|
|
||||||
{
|
|
||||||
Dispose(true);
|
|
||||||
GC.SuppressFinalize(this);
|
|
||||||
}
|
|
||||||
|
|
||||||
/// <summary>
|
|
||||||
/// Releases the unmanaged resources and optionally releases the managed resources.
|
|
||||||
/// </summary>
|
|
||||||
/// <param name="disposing">True to release both managed and unmanaged resources; false to release only unmanaged resources.</param>
|
|
||||||
protected virtual void Dispose(bool disposing)
|
|
||||||
{
|
|
||||||
if (!_disposed)
|
|
||||||
{
|
|
||||||
if (disposing)
|
|
||||||
{
|
|
||||||
_httpClient?.Dispose();
|
|
||||||
}
|
|
||||||
|
|
||||||
_disposed = true;
|
|
||||||
}
|
|
||||||
}
|
|
||||||
}
|
}
|
||||||
|
|||||||
Loading…
x
Reference in New Issue
Block a user