Compare commits
No commits in common. "master" and "v0.0.3" have entirely different histories.
@ -1,7 +1,6 @@
|
||||
using System;
|
||||
using System.Collections.Generic;
|
||||
using System.Linq;
|
||||
using System.Net.Http;
|
||||
using System.Net.Mime;
|
||||
using System.Threading.Tasks;
|
||||
using Jellyfin.Plugin.Jellypod.Api.Models;
|
||||
@ -27,8 +26,6 @@ public class JellypodController : ControllerBase
|
||||
private readonly IRssFeedService _rssFeedService;
|
||||
private readonly IPodcastStorageService _storageService;
|
||||
private readonly IPodcastDownloadService _downloadService;
|
||||
private readonly IOpmlService _opmlService;
|
||||
private readonly IHttpClientFactory _httpClientFactory;
|
||||
|
||||
/// <summary>
|
||||
/// Initializes a new instance of the <see cref="JellypodController"/> class.
|
||||
@ -37,22 +34,16 @@ public class JellypodController : ControllerBase
|
||||
/// <param name="rssFeedService">RSS feed service.</param>
|
||||
/// <param name="storageService">Storage service.</param>
|
||||
/// <param name="downloadService">Download service.</param>
|
||||
/// <param name="opmlService">OPML service.</param>
|
||||
/// <param name="httpClientFactory">HTTP client factory.</param>
|
||||
public JellypodController(
|
||||
ILogger<JellypodController> logger,
|
||||
IRssFeedService rssFeedService,
|
||||
IPodcastStorageService storageService,
|
||||
IPodcastDownloadService downloadService,
|
||||
IOpmlService opmlService,
|
||||
IHttpClientFactory httpClientFactory)
|
||||
IPodcastDownloadService downloadService)
|
||||
{
|
||||
_logger = logger;
|
||||
_rssFeedService = rssFeedService;
|
||||
_storageService = storageService;
|
||||
_downloadService = downloadService;
|
||||
_opmlService = opmlService;
|
||||
_httpClientFactory = httpClientFactory;
|
||||
}
|
||||
|
||||
/// <summary>
|
||||
@ -483,102 +474,4 @@ public class JellypodController : ControllerBase
|
||||
PlayCount = episode.PlayCount
|
||||
});
|
||||
}
|
||||
|
||||
/// <summary>
|
||||
/// Exports all podcast subscriptions as OPML.
|
||||
/// </summary>
|
||||
/// <returns>OPML XML file.</returns>
|
||||
[HttpGet("opml/export")]
|
||||
[Produces("application/xml")]
|
||||
[ProducesResponseType(StatusCodes.Status200OK)]
|
||||
public async Task<IActionResult> ExportOpml()
|
||||
{
|
||||
var opml = await _opmlService.ExportToOpmlAsync().ConfigureAwait(false);
|
||||
var bytes = System.Text.Encoding.UTF8.GetBytes(opml);
|
||||
|
||||
var fileName = $"jellypod-subscriptions-{DateTime.UtcNow:yyyy-MM-dd}.opml";
|
||||
return File(bytes, "application/xml", fileName);
|
||||
}
|
||||
|
||||
/// <summary>
|
||||
/// Imports podcasts from an uploaded OPML file.
|
||||
/// </summary>
|
||||
/// <param name="file">The OPML file to import.</param>
|
||||
/// <returns>Import results.</returns>
|
||||
[HttpPost("opml/import")]
|
||||
[ProducesResponseType(StatusCodes.Status200OK)]
|
||||
[ProducesResponseType(StatusCodes.Status400BadRequest)]
|
||||
public async Task<ActionResult<OpmlImportResult>> ImportOpmlFile(IFormFile file)
|
||||
{
|
||||
if (file == null || file.Length == 0)
|
||||
{
|
||||
return BadRequest("No file uploaded");
|
||||
}
|
||||
|
||||
if (file.Length > 5 * 1024 * 1024) // 5MB limit
|
||||
{
|
||||
return BadRequest("File too large. Maximum size is 5MB.");
|
||||
}
|
||||
|
||||
try
|
||||
{
|
||||
using var stream = file.OpenReadStream();
|
||||
var outlines = _opmlService.ParseOpml(stream);
|
||||
|
||||
if (outlines.Count == 0)
|
||||
{
|
||||
return BadRequest("No podcast feeds found in OPML file");
|
||||
}
|
||||
|
||||
var result = await _opmlService.ImportPodcastsAsync(outlines).ConfigureAwait(false);
|
||||
return Ok(result);
|
||||
}
|
||||
catch (System.Xml.XmlException ex)
|
||||
{
|
||||
_logger.LogWarning(ex, "Invalid OPML XML");
|
||||
return BadRequest("Invalid OPML file format");
|
||||
}
|
||||
}
|
||||
|
||||
/// <summary>
|
||||
/// Imports podcasts from an OPML URL.
|
||||
/// </summary>
|
||||
/// <param name="request">Request containing the OPML URL.</param>
|
||||
/// <returns>Import results.</returns>
|
||||
[HttpPost("opml/import-url")]
|
||||
[ProducesResponseType(StatusCodes.Status200OK)]
|
||||
[ProducesResponseType(StatusCodes.Status400BadRequest)]
|
||||
public async Task<ActionResult<OpmlImportResult>> ImportOpmlUrl([FromBody] OpmlImportRequest request)
|
||||
{
|
||||
if (string.IsNullOrWhiteSpace(request.Url))
|
||||
{
|
||||
return BadRequest("URL is required");
|
||||
}
|
||||
|
||||
try
|
||||
{
|
||||
var httpClient = _httpClientFactory.CreateClient("Jellypod");
|
||||
var opmlContent = await httpClient.GetStringAsync(request.Url).ConfigureAwait(false);
|
||||
|
||||
var outlines = _opmlService.ParseOpml(opmlContent);
|
||||
|
||||
if (outlines.Count == 0)
|
||||
{
|
||||
return BadRequest("No podcast feeds found in OPML");
|
||||
}
|
||||
|
||||
var result = await _opmlService.ImportPodcastsAsync(outlines).ConfigureAwait(false);
|
||||
return Ok(result);
|
||||
}
|
||||
catch (HttpRequestException ex)
|
||||
{
|
||||
_logger.LogWarning(ex, "Failed to fetch OPML from URL");
|
||||
return BadRequest("Failed to fetch OPML from URL");
|
||||
}
|
||||
catch (System.Xml.XmlException ex)
|
||||
{
|
||||
_logger.LogWarning(ex, "Invalid OPML XML from URL");
|
||||
return BadRequest("Invalid OPML format");
|
||||
}
|
||||
}
|
||||
}
|
||||
|
||||
@ -1,22 +0,0 @@
|
||||
namespace Jellyfin.Plugin.Jellypod.Api.Models;
|
||||
|
||||
/// <summary>
|
||||
/// Details about a failed OPML feed import.
|
||||
/// </summary>
|
||||
public class OpmlImportError
|
||||
{
|
||||
/// <summary>
|
||||
/// Gets or sets the feed URL that failed.
|
||||
/// </summary>
|
||||
public string FeedUrl { get; set; } = string.Empty;
|
||||
|
||||
/// <summary>
|
||||
/// Gets or sets the feed title from OPML (if available).
|
||||
/// </summary>
|
||||
public string? Title { get; set; }
|
||||
|
||||
/// <summary>
|
||||
/// Gets or sets the error message.
|
||||
/// </summary>
|
||||
public string Error { get; set; } = string.Empty;
|
||||
}
|
||||
@ -1,12 +0,0 @@
|
||||
namespace Jellyfin.Plugin.Jellypod.Api.Models;
|
||||
|
||||
/// <summary>
|
||||
/// Request to import podcasts from an OPML URL.
|
||||
/// </summary>
|
||||
public class OpmlImportRequest
|
||||
{
|
||||
/// <summary>
|
||||
/// Gets or sets the URL to fetch OPML from.
|
||||
/// </summary>
|
||||
public string Url { get; set; } = string.Empty;
|
||||
}
|
||||
@ -1,44 +0,0 @@
|
||||
using System.Collections.ObjectModel;
|
||||
|
||||
namespace Jellyfin.Plugin.Jellypod.Api.Models;
|
||||
|
||||
/// <summary>
|
||||
/// Result of an OPML import operation.
|
||||
/// </summary>
|
||||
public class OpmlImportResult
|
||||
{
|
||||
/// <summary>
|
||||
/// Gets or sets the total number of feeds found in the OPML.
|
||||
/// </summary>
|
||||
public int TotalFeeds { get; set; }
|
||||
|
||||
/// <summary>
|
||||
/// Gets or sets the number of feeds successfully imported.
|
||||
/// </summary>
|
||||
public int ImportedCount { get; set; }
|
||||
|
||||
/// <summary>
|
||||
/// Gets or sets the number of feeds skipped (already subscribed).
|
||||
/// </summary>
|
||||
public int SkippedCount { get; set; }
|
||||
|
||||
/// <summary>
|
||||
/// Gets or sets the number of feeds that failed to import.
|
||||
/// </summary>
|
||||
public int FailedCount { get; set; }
|
||||
|
||||
/// <summary>
|
||||
/// Gets the list of imported podcast titles.
|
||||
/// </summary>
|
||||
public Collection<string> ImportedPodcasts { get; } = new();
|
||||
|
||||
/// <summary>
|
||||
/// Gets the list of skipped feed URLs (already subscribed).
|
||||
/// </summary>
|
||||
public Collection<string> SkippedFeeds { get; } = new();
|
||||
|
||||
/// <summary>
|
||||
/// Gets the list of failed imports with error details.
|
||||
/// </summary>
|
||||
public Collection<OpmlImportError> Errors { get; } = new();
|
||||
}
|
||||
@ -179,19 +179,6 @@
|
||||
<div class="verticalSection">
|
||||
<h2 class="sectionTitle">Podcast Subscriptions</h2>
|
||||
|
||||
<!-- OPML Import/Export -->
|
||||
<div class="opml-actions" style="margin-bottom: 1em; display: flex; gap: 0.5em; align-items: center;">
|
||||
<button is="emby-button" type="button" id="btnExportOpml" class="raised emby-button">
|
||||
<span class="material-icons" style="margin-right: 0.25em;">download</span>
|
||||
<span>Export OPML</span>
|
||||
</button>
|
||||
<button is="emby-button" type="button" id="btnImportOpml" class="raised emby-button">
|
||||
<span class="material-icons" style="margin-right: 0.25em;">upload</span>
|
||||
<span>Import OPML</span>
|
||||
</button>
|
||||
<input type="file" id="opmlFileInput" accept=".opml,.xml" style="display: none;" />
|
||||
</div>
|
||||
|
||||
<!-- Add Podcast Form -->
|
||||
<div class="add-podcast-form">
|
||||
<div class="inputContainer">
|
||||
@ -423,102 +410,6 @@
|
||||
addPodcast();
|
||||
}
|
||||
});
|
||||
|
||||
// Export OPML
|
||||
document.querySelector('#btnExportOpml').addEventListener('click', function() {
|
||||
Dashboard.showLoadingMsg();
|
||||
|
||||
fetch(ApiClient.getUrl('Jellypod/opml/export'), {
|
||||
method: 'GET',
|
||||
headers: {
|
||||
'Authorization': ApiClient.accessToken() ? ('MediaBrowser Token="' + ApiClient.accessToken() + '"') : ''
|
||||
}
|
||||
})
|
||||
.then(function(response) {
|
||||
if (!response.ok) {
|
||||
throw new Error('Export failed');
|
||||
}
|
||||
return response.blob();
|
||||
})
|
||||
.then(function(blob) {
|
||||
Dashboard.hideLoadingMsg();
|
||||
|
||||
// Create download link
|
||||
var url = window.URL.createObjectURL(blob);
|
||||
var a = document.createElement('a');
|
||||
a.href = url;
|
||||
a.download = 'jellypod-subscriptions-' + new Date().toISOString().split('T')[0] + '.opml';
|
||||
document.body.appendChild(a);
|
||||
a.click();
|
||||
window.URL.revokeObjectURL(url);
|
||||
document.body.removeChild(a);
|
||||
})
|
||||
.catch(function(err) {
|
||||
Dashboard.hideLoadingMsg();
|
||||
Dashboard.alert('Export failed: ' + err.message);
|
||||
});
|
||||
});
|
||||
|
||||
// Import OPML - trigger file picker
|
||||
document.querySelector('#btnImportOpml').addEventListener('click', function() {
|
||||
document.querySelector('#opmlFileInput').click();
|
||||
});
|
||||
|
||||
// Handle file selection
|
||||
document.querySelector('#opmlFileInput').addEventListener('change', function(e) {
|
||||
var file = e.target.files[0];
|
||||
if (!file) return;
|
||||
|
||||
// Reset input so same file can be selected again
|
||||
e.target.value = '';
|
||||
|
||||
Dashboard.showLoadingMsg();
|
||||
|
||||
var formData = new FormData();
|
||||
formData.append('file', file);
|
||||
|
||||
// Use fetch for multipart/form-data upload
|
||||
fetch(ApiClient.getUrl('Jellypod/opml/import'), {
|
||||
method: 'POST',
|
||||
headers: {
|
||||
'Authorization': ApiClient.accessToken() ? ('MediaBrowser Token="' + ApiClient.accessToken() + '"') : ''
|
||||
},
|
||||
body: formData
|
||||
})
|
||||
.then(function(response) {
|
||||
if (!response.ok) {
|
||||
return response.text().then(function(text) {
|
||||
throw new Error(text || 'Import failed');
|
||||
});
|
||||
}
|
||||
return response.json();
|
||||
})
|
||||
.then(function(result) {
|
||||
Dashboard.hideLoadingMsg();
|
||||
loadPodcasts();
|
||||
|
||||
var message = 'Import complete!\n\n' +
|
||||
'Imported: ' + result.importedCount + '\n' +
|
||||
'Skipped (already subscribed): ' + result.skippedCount + '\n' +
|
||||
'Failed: ' + result.failedCount;
|
||||
|
||||
if (result.errors && result.errors.length > 0) {
|
||||
message += '\n\nFailed feeds:\n';
|
||||
result.errors.slice(0, 5).forEach(function(err) {
|
||||
message += '- ' + (err.title || err.feedUrl) + ': ' + err.error + '\n';
|
||||
});
|
||||
if (result.errors.length > 5) {
|
||||
message += '... and ' + (result.errors.length - 5) + ' more';
|
||||
}
|
||||
}
|
||||
|
||||
Dashboard.alert(message);
|
||||
})
|
||||
.catch(function(err) {
|
||||
Dashboard.hideLoadingMsg();
|
||||
Dashboard.alert('Import failed: ' + err.message);
|
||||
});
|
||||
});
|
||||
</script>
|
||||
</div>
|
||||
</body>
|
||||
|
||||
@ -1,42 +0,0 @@
|
||||
namespace Jellyfin.Plugin.Jellypod.Models;
|
||||
|
||||
/// <summary>
|
||||
/// Represents an outline element from an OPML file.
|
||||
/// </summary>
|
||||
public class OpmlOutline
|
||||
{
|
||||
/// <summary>
|
||||
/// Gets or sets the outline title (text attribute).
|
||||
/// </summary>
|
||||
public string? Text { get; set; }
|
||||
|
||||
/// <summary>
|
||||
/// Gets or sets the outline title (title attribute).
|
||||
/// </summary>
|
||||
public string? Title { get; set; }
|
||||
|
||||
/// <summary>
|
||||
/// Gets or sets the RSS feed URL (xmlUrl attribute).
|
||||
/// </summary>
|
||||
public string? XmlUrl { get; set; }
|
||||
|
||||
/// <summary>
|
||||
/// Gets or sets the website URL (htmlUrl attribute).
|
||||
/// </summary>
|
||||
public string? HtmlUrl { get; set; }
|
||||
|
||||
/// <summary>
|
||||
/// Gets or sets the description.
|
||||
/// </summary>
|
||||
public string? Description { get; set; }
|
||||
|
||||
/// <summary>
|
||||
/// Gets or sets the category.
|
||||
/// </summary>
|
||||
public string? Category { get; set; }
|
||||
|
||||
/// <summary>
|
||||
/// Gets the display title (prefers Title over Text).
|
||||
/// </summary>
|
||||
public string DisplayTitle => Title ?? Text ?? "Unknown";
|
||||
}
|
||||
@ -26,7 +26,6 @@ public class PluginServiceRegistrator : IPluginServiceRegistrator
|
||||
serviceCollection.AddSingleton<IRssFeedService, RssFeedService>();
|
||||
serviceCollection.AddSingleton<IPodcastStorageService, PodcastStorageService>();
|
||||
serviceCollection.AddSingleton<IPodcastDownloadService, PodcastDownloadService>();
|
||||
serviceCollection.AddSingleton<IOpmlService, OpmlService>();
|
||||
|
||||
// Register channel
|
||||
serviceCollection.AddSingleton<IChannel, JellypodChannel>();
|
||||
|
||||
@ -1,44 +0,0 @@
|
||||
using System.Collections.Generic;
|
||||
using System.IO;
|
||||
using System.Threading;
|
||||
using System.Threading.Tasks;
|
||||
using Jellyfin.Plugin.Jellypod.Api.Models;
|
||||
using Jellyfin.Plugin.Jellypod.Models;
|
||||
|
||||
namespace Jellyfin.Plugin.Jellypod.Services;
|
||||
|
||||
/// <summary>
|
||||
/// Service for handling OPML import and export.
|
||||
/// </summary>
|
||||
public interface IOpmlService
|
||||
{
|
||||
/// <summary>
|
||||
/// Parses OPML content and extracts podcast outlines.
|
||||
/// </summary>
|
||||
/// <param name="opmlContent">The OPML XML content.</param>
|
||||
/// <returns>List of parsed outlines.</returns>
|
||||
IReadOnlyList<OpmlOutline> ParseOpml(string opmlContent);
|
||||
|
||||
/// <summary>
|
||||
/// Parses OPML from a stream.
|
||||
/// </summary>
|
||||
/// <param name="stream">The input stream containing OPML XML.</param>
|
||||
/// <returns>List of parsed outlines.</returns>
|
||||
IReadOnlyList<OpmlOutline> ParseOpml(Stream stream);
|
||||
|
||||
/// <summary>
|
||||
/// Imports podcasts from parsed OPML outlines.
|
||||
/// </summary>
|
||||
/// <param name="outlines">The parsed OPML outlines.</param>
|
||||
/// <param name="cancellationToken">Cancellation token.</param>
|
||||
/// <returns>Import result with statistics.</returns>
|
||||
Task<OpmlImportResult> ImportPodcastsAsync(
|
||||
IReadOnlyList<OpmlOutline> outlines,
|
||||
CancellationToken cancellationToken = default);
|
||||
|
||||
/// <summary>
|
||||
/// Exports all subscribed podcasts to OPML format.
|
||||
/// </summary>
|
||||
/// <returns>OPML XML string.</returns>
|
||||
Task<string> ExportToOpmlAsync();
|
||||
}
|
||||
@ -1,263 +0,0 @@
|
||||
using System;
|
||||
using System.Collections.Generic;
|
||||
using System.Globalization;
|
||||
using System.IO;
|
||||
using System.Linq;
|
||||
using System.Text;
|
||||
using System.Threading;
|
||||
using System.Threading.Tasks;
|
||||
using System.Xml;
|
||||
using System.Xml.Linq;
|
||||
using Jellyfin.Plugin.Jellypod.Api.Models;
|
||||
using Jellyfin.Plugin.Jellypod.Models;
|
||||
using Microsoft.Extensions.Logging;
|
||||
|
||||
namespace Jellyfin.Plugin.Jellypod.Services;
|
||||
|
||||
/// <summary>
|
||||
/// Service for handling OPML import and export operations.
|
||||
/// </summary>
|
||||
public class OpmlService : IOpmlService
|
||||
{
|
||||
private readonly ILogger<OpmlService> _logger;
|
||||
private readonly IRssFeedService _rssFeedService;
|
||||
private readonly IPodcastStorageService _storageService;
|
||||
|
||||
/// <summary>
|
||||
/// Initializes a new instance of the <see cref="OpmlService"/> class.
|
||||
/// </summary>
|
||||
/// <param name="logger">Logger instance.</param>
|
||||
/// <param name="rssFeedService">RSS feed service.</param>
|
||||
/// <param name="storageService">Storage service.</param>
|
||||
public OpmlService(
|
||||
ILogger<OpmlService> logger,
|
||||
IRssFeedService rssFeedService,
|
||||
IPodcastStorageService storageService)
|
||||
{
|
||||
_logger = logger;
|
||||
_rssFeedService = rssFeedService;
|
||||
_storageService = storageService;
|
||||
}
|
||||
|
||||
/// <inheritdoc />
|
||||
public IReadOnlyList<OpmlOutline> ParseOpml(string opmlContent)
|
||||
{
|
||||
using var reader = new StringReader(opmlContent);
|
||||
var doc = XDocument.Load(reader);
|
||||
return ParseOpmlDocument(doc);
|
||||
}
|
||||
|
||||
/// <inheritdoc />
|
||||
public IReadOnlyList<OpmlOutline> ParseOpml(Stream stream)
|
||||
{
|
||||
var doc = XDocument.Load(stream);
|
||||
return ParseOpmlDocument(doc);
|
||||
}
|
||||
|
||||
private List<OpmlOutline> ParseOpmlDocument(XDocument doc)
|
||||
{
|
||||
var outlines = new List<OpmlOutline>();
|
||||
var body = doc.Root?.Element("body");
|
||||
|
||||
if (body == null)
|
||||
{
|
||||
_logger.LogWarning("OPML document has no body element");
|
||||
return outlines;
|
||||
}
|
||||
|
||||
// Recursively find all outline elements with xmlUrl (podcast feeds)
|
||||
ParseOutlines(body.Elements("outline"), outlines, null);
|
||||
|
||||
_logger.LogInformation("Parsed {Count} podcast feeds from OPML", outlines.Count);
|
||||
return outlines;
|
||||
}
|
||||
|
||||
private void ParseOutlines(
|
||||
IEnumerable<XElement> elements,
|
||||
List<OpmlOutline> outlines,
|
||||
string? parentCategory)
|
||||
{
|
||||
foreach (var element in elements)
|
||||
{
|
||||
var xmlUrl = element.Attribute("xmlUrl")?.Value;
|
||||
var text = element.Attribute("text")?.Value;
|
||||
|
||||
if (!string.IsNullOrEmpty(xmlUrl))
|
||||
{
|
||||
// This is a feed outline
|
||||
outlines.Add(new OpmlOutline
|
||||
{
|
||||
Text = text,
|
||||
Title = element.Attribute("title")?.Value,
|
||||
XmlUrl = xmlUrl,
|
||||
HtmlUrl = element.Attribute("htmlUrl")?.Value,
|
||||
Description = element.Attribute("description")?.Value,
|
||||
Category = parentCategory ?? element.Attribute("category")?.Value
|
||||
});
|
||||
}
|
||||
else if (element.HasElements)
|
||||
{
|
||||
// This might be a category/folder - use text as category for children
|
||||
var category = parentCategory ?? text;
|
||||
ParseOutlines(element.Elements("outline"), outlines, category);
|
||||
}
|
||||
}
|
||||
}
|
||||
|
||||
/// <inheritdoc />
|
||||
public async Task<OpmlImportResult> ImportPodcastsAsync(
|
||||
IReadOnlyList<OpmlOutline> outlines,
|
||||
CancellationToken cancellationToken = default)
|
||||
{
|
||||
var result = new OpmlImportResult { TotalFeeds = outlines.Count };
|
||||
|
||||
// Get existing feeds to check for duplicates
|
||||
var existingPodcasts = await _storageService.GetAllPodcastsAsync().ConfigureAwait(false);
|
||||
var existingUrls = existingPodcasts
|
||||
.Select(p => p.FeedUrl)
|
||||
.ToHashSet(StringComparer.OrdinalIgnoreCase);
|
||||
|
||||
foreach (var outline in outlines)
|
||||
{
|
||||
if (cancellationToken.IsCancellationRequested)
|
||||
{
|
||||
break;
|
||||
}
|
||||
|
||||
if (string.IsNullOrWhiteSpace(outline.XmlUrl))
|
||||
{
|
||||
continue;
|
||||
}
|
||||
|
||||
// Check if already subscribed
|
||||
if (existingUrls.Contains(outline.XmlUrl))
|
||||
{
|
||||
result.SkippedCount++;
|
||||
result.SkippedFeeds.Add(outline.XmlUrl);
|
||||
_logger.LogDebug("Skipping already subscribed feed: {Url}", outline.XmlUrl);
|
||||
continue;
|
||||
}
|
||||
|
||||
try
|
||||
{
|
||||
var podcast = await _rssFeedService.FetchPodcastAsync(
|
||||
outline.XmlUrl,
|
||||
cancellationToken).ConfigureAwait(false);
|
||||
|
||||
if (podcast == null)
|
||||
{
|
||||
result.FailedCount++;
|
||||
result.Errors.Add(new OpmlImportError
|
||||
{
|
||||
FeedUrl = outline.XmlUrl,
|
||||
Title = outline.DisplayTitle,
|
||||
Error = "Failed to fetch or parse RSS feed"
|
||||
});
|
||||
continue;
|
||||
}
|
||||
|
||||
// Preserve category from OPML if the feed doesn't have one
|
||||
if (string.IsNullOrEmpty(podcast.Category) && !string.IsNullOrEmpty(outline.Category))
|
||||
{
|
||||
podcast.Category = outline.Category;
|
||||
}
|
||||
|
||||
await _storageService.AddPodcastAsync(podcast).ConfigureAwait(false);
|
||||
|
||||
result.ImportedCount++;
|
||||
result.ImportedPodcasts.Add(podcast.Title);
|
||||
existingUrls.Add(outline.XmlUrl); // Prevent duplicate adds within same import
|
||||
|
||||
_logger.LogInformation("Imported podcast: {Title} ({Url})", podcast.Title, podcast.FeedUrl);
|
||||
}
|
||||
catch (Exception ex)
|
||||
{
|
||||
result.FailedCount++;
|
||||
result.Errors.Add(new OpmlImportError
|
||||
{
|
||||
FeedUrl = outline.XmlUrl,
|
||||
Title = outline.DisplayTitle,
|
||||
Error = ex.Message
|
||||
});
|
||||
_logger.LogWarning(ex, "Failed to import feed: {Url}", outline.XmlUrl);
|
||||
}
|
||||
}
|
||||
|
||||
_logger.LogInformation(
|
||||
"OPML import complete: {Imported} imported, {Skipped} skipped, {Failed} failed out of {Total}",
|
||||
result.ImportedCount,
|
||||
result.SkippedCount,
|
||||
result.FailedCount,
|
||||
result.TotalFeeds);
|
||||
|
||||
return result;
|
||||
}
|
||||
|
||||
/// <inheritdoc />
|
||||
public async Task<string> ExportToOpmlAsync()
|
||||
{
|
||||
var podcasts = await _storageService.GetAllPodcastsAsync().ConfigureAwait(false);
|
||||
|
||||
var doc = new XDocument(
|
||||
new XDeclaration("1.0", "utf-8", null),
|
||||
new XElement(
|
||||
"opml",
|
||||
new XAttribute("version", "2.0"),
|
||||
new XElement(
|
||||
"head",
|
||||
new XElement("title", "Jellypod Podcast Subscriptions"),
|
||||
new XElement("dateCreated", DateTime.UtcNow.ToString("r", CultureInfo.InvariantCulture)),
|
||||
new XElement("docs", "http://opml.org/spec2.opml")),
|
||||
new XElement(
|
||||
"body",
|
||||
podcasts.Select(p => CreateOutlineElement(p)))));
|
||||
|
||||
var settings = new XmlWriterSettings
|
||||
{
|
||||
Indent = true,
|
||||
Encoding = new UTF8Encoding(false),
|
||||
OmitXmlDeclaration = false
|
||||
};
|
||||
|
||||
using var stringWriter = new StringWriter();
|
||||
using (var xmlWriter = XmlWriter.Create(stringWriter, settings))
|
||||
{
|
||||
doc.Save(xmlWriter);
|
||||
}
|
||||
|
||||
_logger.LogInformation("Exported {Count} podcasts to OPML", podcasts.Count);
|
||||
return stringWriter.ToString();
|
||||
}
|
||||
|
||||
private static XElement CreateOutlineElement(Podcast podcast)
|
||||
{
|
||||
var element = new XElement(
|
||||
"outline",
|
||||
new XAttribute("type", "rss"),
|
||||
new XAttribute("text", podcast.Title),
|
||||
new XAttribute("title", podcast.Title),
|
||||
new XAttribute("xmlUrl", podcast.FeedUrl));
|
||||
|
||||
if (!string.IsNullOrEmpty(podcast.Description))
|
||||
{
|
||||
element.Add(new XAttribute("description", TruncateDescription(podcast.Description)));
|
||||
}
|
||||
|
||||
if (!string.IsNullOrEmpty(podcast.Category))
|
||||
{
|
||||
element.Add(new XAttribute("category", podcast.Category));
|
||||
}
|
||||
|
||||
return element;
|
||||
}
|
||||
|
||||
private static string TruncateDescription(string description, int maxLength = 200)
|
||||
{
|
||||
if (string.IsNullOrEmpty(description) || description.Length <= maxLength)
|
||||
{
|
||||
return description;
|
||||
}
|
||||
|
||||
return string.Concat(description.AsSpan(0, maxLength), "...");
|
||||
}
|
||||
}
|
||||
Loading…
x
Reference in New Issue
Block a user