jellyfin/MediaBrowser.Providers/Plugins/MusicBrainz/MusicBrainzAlbumProvider.cs

771 lines
29 KiB
C#
Raw Normal View History

2021-07-23 02:33:19 +02:00
#pragma warning disable CS1591, SA1401
using System;
using System.Collections.Generic;
using System.Diagnostics;
2019-09-10 22:37:53 +02:00
using System.Globalization;
using System.IO;
2014-03-14 04:23:58 +01:00
using System.Linq;
using System.Net;
2020-02-23 10:53:51 +01:00
using System.Net.Http;
using System.Text;
using System.Threading;
using System.Threading.Tasks;
using System.Xml;
using MediaBrowser.Common;
2020-08-31 19:05:21 +02:00
using MediaBrowser.Common.Net;
using MediaBrowser.Controller.Entities.Audio;
using MediaBrowser.Controller.Providers;
using MediaBrowser.Model.Entities;
using MediaBrowser.Model.Providers;
2020-02-22 07:04:52 +01:00
using MediaBrowser.Providers.Plugins.MusicBrainz;
using Microsoft.Extensions.Logging;
namespace MediaBrowser.Providers.Music
{
2014-02-07 04:10:13 +01:00
public class MusicBrainzAlbumProvider : IRemoteMetadataProvider<MusicAlbum, AlbumInfo>, IHasOrder
{
/// <summary>
/// For each single MB lookup/search, this is the maximum number of
/// attempts that shall be made whilst receiving a 503 Server
/// Unavailable (indicating throttled) response.
/// </summary>
private const uint MusicBrainzQueryAttempts = 5u;
2020-09-07 13:20:39 +02:00
/// <summary>
/// The Jellyfin user-agent is unrestricted but source IP must not exceed
/// one request per second, therefore we rate limit to avoid throttling.
/// Be prudent, use a value slightly above the minimun required.
2021-07-23 02:33:19 +02:00
/// https://musicbrainz.org/doc/XML_Web_Service/Rate_Limiting.
2020-09-07 13:20:39 +02:00
/// </summary>
private readonly long _musicBrainzQueryIntervalMs;
2019-09-10 22:37:53 +02:00
2020-08-17 21:10:02 +02:00
private readonly IHttpClientFactory _httpClientFactory;
2020-06-06 02:15:56 +02:00
private readonly ILogger<MusicBrainzAlbumProvider> _logger;
2019-09-10 22:37:53 +02:00
private readonly string _musicBrainzBaseUrl;
private SemaphoreSlim _apiRequestLock = new SemaphoreSlim(1, 1);
2019-09-10 22:37:53 +02:00
private Stopwatch _stopWatchMusicBrainz = new Stopwatch();
2019-03-08 17:15:52 +01:00
public MusicBrainzAlbumProvider(
2020-08-17 21:10:02 +02:00
IHttpClientFactory httpClientFactory,
ILogger<MusicBrainzAlbumProvider> logger)
{
2020-08-17 21:10:02 +02:00
_httpClientFactory = httpClientFactory;
2014-09-04 03:44:40 +02:00
_logger = logger;
2019-03-12 16:37:18 +01:00
2020-02-22 07:04:52 +01:00
_musicBrainzBaseUrl = Plugin.Instance.Configuration.Server;
_musicBrainzQueryIntervalMs = Plugin.Instance.Configuration.RateLimit;
2019-03-12 16:37:18 +01:00
// Use a stopwatch to ensure we don't exceed the MusicBrainz rate limit
_stopWatchMusicBrainz.Start();
Current = this;
}
2020-09-07 13:20:39 +02:00
internal static MusicBrainzAlbumProvider Current { get; private set; }
2019-09-10 22:37:53 +02:00
/// <inheritdoc />
public string Name => "MusicBrainz";
/// <inheritdoc />
public int Order => 0;
/// <inheritdoc />
public async Task<IEnumerable<RemoteSearchResult>> GetSearchResults(AlbumInfo searchInfo, CancellationToken cancellationToken)
{
2014-03-14 04:23:58 +01:00
var releaseId = searchInfo.GetReleaseId();
2017-03-15 20:57:18 +01:00
var releaseGroupId = searchInfo.GetReleaseGroupId();
2014-03-14 04:23:58 +01:00
2019-03-13 22:32:52 +01:00
string url;
2014-03-14 04:23:58 +01:00
if (!string.IsNullOrEmpty(releaseId))
{
2019-09-10 22:37:53 +02:00
url = "/ws/2/release/?query=reid:" + releaseId.ToString(CultureInfo.InvariantCulture);
2014-03-14 04:23:58 +01:00
}
2017-03-15 20:57:18 +01:00
else if (!string.IsNullOrEmpty(releaseGroupId))
{
2019-09-10 22:37:53 +02:00
url = "/ws/2/release?release-group=" + releaseGroupId.ToString(CultureInfo.InvariantCulture);
2017-03-15 20:57:18 +01:00
}
2014-03-14 04:23:58 +01:00
else
{
var artistMusicBrainzId = searchInfo.GetMusicBrainzArtistId();
if (!string.IsNullOrWhiteSpace(artistMusicBrainzId))
{
2019-09-10 22:37:53 +02:00
url = string.Format(
CultureInfo.InvariantCulture,
"/ws/2/release/?query=\"{0}\" AND arid:{1}",
2014-03-14 04:23:58 +01:00
WebUtility.UrlEncode(searchInfo.Name),
artistMusicBrainzId);
}
else
{
2018-09-12 19:26:21 +02:00
// I'm sure there is a better way but for now it resolves search for 12" Mixes
2020-09-07 13:20:39 +02:00
var queryName = searchInfo.Name.Replace("\"", string.Empty, StringComparison.Ordinal);
2018-09-12 19:26:21 +02:00
2019-09-10 22:37:53 +02:00
url = string.Format(
CultureInfo.InvariantCulture,
"/ws/2/release/?query=\"{0}\" AND artist:\"{1}\"",
2020-02-22 07:04:52 +01:00
WebUtility.UrlEncode(queryName),
WebUtility.UrlEncode(searchInfo.GetAlbumArtist()));
2014-03-14 04:23:58 +01:00
}
}
if (!string.IsNullOrWhiteSpace(url))
{
2020-08-17 21:10:02 +02:00
using var response = await GetMusicBrainzResponse(url, cancellationToken).ConfigureAwait(false);
2020-11-17 19:43:00 +01:00
await using var stream = await response.Content.ReadAsStreamAsync(cancellationToken).ConfigureAwait(false);
2020-08-17 21:10:02 +02:00
return GetResultsFromResponse(stream);
2014-03-14 04:23:58 +01:00
}
2019-03-13 22:32:52 +01:00
return Enumerable.Empty<RemoteSearchResult>();
}
2019-03-13 22:32:52 +01:00
private IEnumerable<RemoteSearchResult> GetResultsFromResponse(Stream stream)
2014-03-14 04:23:58 +01:00
{
using var oReader = new StreamReader(stream, Encoding.UTF8);
var settings = new XmlReaderSettings()
{
ValidationType = ValidationType.None,
CheckCharacters = false,
IgnoreProcessingInstructions = true,
IgnoreComments = true
};
using var reader = XmlReader.Create(oReader, settings);
var results = ReleaseResult.Parse(reader);
return results.Select(i =>
2014-03-14 04:23:58 +01:00
{
var result = new RemoteSearchResult
{
Name = i.Title,
ProductionYear = i.Year
};
2016-10-27 23:05:25 +02:00
if (i.Artists.Count > 0)
2016-08-16 20:45:57 +02:00
{
result.AlbumArtist = new RemoteSearchResult
2016-10-27 23:05:25 +02:00
{
SearchProviderName = Name,
Name = i.Artists[0].Item1
};
result.AlbumArtist.SetProviderId(MetadataProvider.MusicBrainzArtist, i.Artists[0].Item2);
}
2019-09-10 22:37:53 +02:00
if (!string.IsNullOrWhiteSpace(i.ReleaseId))
{
result.SetProviderId(MetadataProvider.MusicBrainzAlbum, i.ReleaseId);
}
2016-10-27 23:05:25 +02:00
if (!string.IsNullOrWhiteSpace(i.ReleaseGroupId))
{
result.SetProviderId(MetadataProvider.MusicBrainzReleaseGroup, i.ReleaseGroupId);
2016-10-27 23:05:25 +02:00
}
return result;
});
2014-03-14 04:23:58 +01:00
}
2019-09-10 22:37:53 +02:00
/// <inheritdoc />
public async Task<MetadataResult<MusicAlbum>> GetMetadata(AlbumInfo info, CancellationToken cancellationToken)
{
var releaseId = info.GetReleaseId();
var releaseGroupId = info.GetReleaseGroupId();
var result = new MetadataResult<MusicAlbum>
{
Item = new MusicAlbum()
};
2017-03-15 20:57:18 +01:00
// If we have a release group Id but not a release Id...
if (string.IsNullOrWhiteSpace(releaseId) && !string.IsNullOrWhiteSpace(releaseGroupId))
{
releaseId = await GetReleaseIdFromReleaseGroupId(releaseGroupId, cancellationToken).ConfigureAwait(false);
result.HasMetadata = true;
}
if (string.IsNullOrWhiteSpace(releaseId))
{
var artistMusicBrainzId = info.GetMusicBrainzArtistId();
var releaseResult = await GetReleaseResult(artistMusicBrainzId, info.GetAlbumArtist(), info.Name, cancellationToken).ConfigureAwait(false);
2014-01-31 20:55:21 +01:00
2016-10-08 20:51:07 +02:00
if (releaseResult != null)
{
2017-03-15 20:57:18 +01:00
if (!string.IsNullOrWhiteSpace(releaseResult.ReleaseId))
2016-10-08 20:51:07 +02:00
{
releaseId = releaseResult.ReleaseId;
result.HasMetadata = true;
}
2017-03-15 20:57:18 +01:00
if (!string.IsNullOrWhiteSpace(releaseResult.ReleaseGroupId))
2016-10-08 20:51:07 +02:00
{
releaseGroupId = releaseResult.ReleaseGroupId;
result.HasMetadata = true;
}
result.Item.ProductionYear = releaseResult.Year;
result.Item.Overview = releaseResult.Overview;
}
}
// If we have a release Id but not a release group Id...
2017-03-15 20:57:18 +01:00
if (!string.IsNullOrWhiteSpace(releaseId) && string.IsNullOrWhiteSpace(releaseGroupId))
{
2017-03-15 20:57:18 +01:00
releaseGroupId = await GetReleaseGroupFromReleaseId(releaseId, cancellationToken).ConfigureAwait(false);
2014-01-31 20:55:21 +01:00
result.HasMetadata = true;
}
2017-03-15 20:57:18 +01:00
if (!string.IsNullOrWhiteSpace(releaseId) || !string.IsNullOrWhiteSpace(releaseGroupId))
2015-08-07 16:21:29 +02:00
{
result.HasMetadata = true;
}
if (result.HasMetadata)
{
if (!string.IsNullOrEmpty(releaseId))
{
2020-06-06 21:17:49 +02:00
result.Item.SetProviderId(MetadataProvider.MusicBrainzAlbum, releaseId);
}
if (!string.IsNullOrEmpty(releaseGroupId))
{
2020-06-06 21:17:49 +02:00
result.Item.SetProviderId(MetadataProvider.MusicBrainzReleaseGroup, releaseGroupId);
}
}
2014-01-31 20:55:21 +01:00
return result;
}
2014-01-31 20:55:21 +01:00
private Task<ReleaseResult> GetReleaseResult(string artistMusicBrainId, string artistName, string albumName, CancellationToken cancellationToken)
{
if (!string.IsNullOrEmpty(artistMusicBrainId))
{
2014-01-31 20:55:21 +01:00
return GetReleaseResult(albumName, artistMusicBrainId, cancellationToken);
}
2014-06-23 18:05:19 +02:00
if (string.IsNullOrWhiteSpace(artistName))
{
return Task.FromResult(new ReleaseResult());
}
2014-01-31 20:55:21 +01:00
return GetReleaseResultByArtistName(albumName, artistName, cancellationToken);
}
private async Task<ReleaseResult> GetReleaseResult(string albumName, string artistId, CancellationToken cancellationToken)
{
2020-09-07 13:20:39 +02:00
var url = string.Format(
CultureInfo.InvariantCulture,
"/ws/2/release/?query=\"{0}\" AND arid:{1}",
WebUtility.UrlEncode(albumName),
artistId);
2020-08-17 21:10:02 +02:00
using var response = await GetMusicBrainzResponse(url, cancellationToken).ConfigureAwait(false);
2020-11-17 19:43:00 +01:00
await using var stream = await response.Content.ReadAsStreamAsync(cancellationToken).ConfigureAwait(false);
2020-08-17 21:10:02 +02:00
using var oReader = new StreamReader(stream, Encoding.UTF8);
var settings = new XmlReaderSettings
2016-10-27 21:03:23 +02:00
{
2020-08-17 21:10:02 +02:00
ValidationType = ValidationType.None,
CheckCharacters = false,
IgnoreProcessingInstructions = true,
IgnoreComments = true
};
2016-10-27 23:05:25 +02:00
2020-08-17 21:10:02 +02:00
using var reader = XmlReader.Create(oReader, settings);
return ReleaseResult.Parse(reader).FirstOrDefault();
}
private async Task<ReleaseResult> GetReleaseResultByArtistName(string albumName, string artistName, CancellationToken cancellationToken)
{
2019-09-10 22:37:53 +02:00
var url = string.Format(
CultureInfo.InvariantCulture,
"/ws/2/release/?query=\"{0}\" AND artist:\"{1}\"",
WebUtility.UrlEncode(albumName),
WebUtility.UrlEncode(artistName));
2020-08-17 21:10:02 +02:00
using var response = await GetMusicBrainzResponse(url, cancellationToken).ConfigureAwait(false);
2020-11-17 19:43:00 +01:00
await using var stream = await response.Content.ReadAsStreamAsync(cancellationToken).ConfigureAwait(false);
2020-08-17 21:10:02 +02:00
using var oReader = new StreamReader(stream, Encoding.UTF8);
var settings = new XmlReaderSettings()
2016-10-27 21:03:23 +02:00
{
2020-08-17 21:10:02 +02:00
ValidationType = ValidationType.None,
CheckCharacters = false,
IgnoreProcessingInstructions = true,
IgnoreComments = true
};
2016-10-27 23:05:25 +02:00
2020-08-17 21:10:02 +02:00
using var reader = XmlReader.Create(oReader, settings);
return ReleaseResult.Parse(reader).FirstOrDefault();
}
2020-09-07 13:20:39 +02:00
private static (string, string) ParseArtistCredit(XmlReader reader)
{
reader.MoveToContent();
reader.Read();
// http://stackoverflow.com/questions/2299632/why-does-xmlreader-skip-every-other-element-if-there-is-no-whitespace-separator
// Loop through each element
while (!reader.EOF && reader.ReadState == ReadState.Interactive)
{
if (reader.NodeType == XmlNodeType.Element)
{
switch (reader.Name)
{
case "name-credit":
{
using var subReader = reader.ReadSubtree();
return ParseArtistNameCredit(subReader);
}
2021-07-23 02:33:19 +02:00
default:
{
reader.Skip();
break;
}
}
}
else
{
reader.Read();
}
}
2020-09-07 13:20:39 +02:00
return default;
}
2019-01-25 21:52:10 +01:00
private static (string, string) ParseArtistNameCredit(XmlReader reader)
{
reader.MoveToContent();
reader.Read();
// http://stackoverflow.com/questions/2299632/why-does-xmlreader-skip-every-other-element-if-there-is-no-whitespace-separator
// Loop through each element
while (!reader.EOF && reader.ReadState == ReadState.Interactive)
{
if (reader.NodeType == XmlNodeType.Element)
{
switch (reader.Name)
{
case "artist":
{
var id = reader.GetAttribute("id");
using var subReader = reader.ReadSubtree();
return ParseArtistArtistCredit(subReader, id);
}
2020-06-15 23:43:52 +02:00
default:
{
reader.Skip();
break;
}
}
}
else
{
reader.Read();
}
}
2019-01-25 21:52:10 +01:00
return (null, null);
}
2019-03-13 22:32:52 +01:00
private static (string name, string id) ParseArtistArtistCredit(XmlReader reader, string artistId)
{
reader.MoveToContent();
reader.Read();
string name = null;
// http://stackoverflow.com/questions/2299632/why-does-xmlreader-skip-every-other-element-if-there-is-no-whitespace-separator
// Loop through each element
while (!reader.EOF && reader.ReadState == ReadState.Interactive)
{
if (reader.NodeType == XmlNodeType.Element)
{
switch (reader.Name)
{
case "name":
{
name = reader.ReadElementContentAsString();
break;
}
2020-06-15 23:43:52 +02:00
default:
{
reader.Skip();
break;
}
}
}
else
{
reader.Read();
}
}
2019-03-13 22:32:52 +01:00
return (name, artistId);
}
2017-03-15 20:57:18 +01:00
private async Task<string> GetReleaseIdFromReleaseGroupId(string releaseGroupId, CancellationToken cancellationToken)
{
2019-09-10 22:37:53 +02:00
var url = "/ws/2/release?release-group=" + releaseGroupId.ToString(CultureInfo.InvariantCulture);
2017-03-15 20:57:18 +01:00
2020-08-17 21:10:02 +02:00
using var response = await GetMusicBrainzResponse(url, cancellationToken).ConfigureAwait(false);
2020-11-17 19:43:00 +01:00
await using var stream = await response.Content.ReadAsStreamAsync(cancellationToken).ConfigureAwait(false);
2020-08-17 21:10:02 +02:00
using var oReader = new StreamReader(stream, Encoding.UTF8);
var settings = new XmlReaderSettings
2017-03-15 20:57:18 +01:00
{
2020-08-17 21:10:02 +02:00
ValidationType = ValidationType.None,
CheckCharacters = false,
IgnoreProcessingInstructions = true,
IgnoreComments = true
};
2017-10-20 18:16:56 +02:00
2020-08-17 21:10:02 +02:00
using var reader = XmlReader.Create(oReader, settings);
var result = ReleaseResult.Parse(reader).FirstOrDefault();
2017-03-15 20:57:18 +01:00
2020-08-17 21:10:02 +02:00
return result?.ReleaseId;
2017-03-15 20:57:18 +01:00
}
/// <summary>
/// Gets the release group id internal.
/// </summary>
/// <param name="releaseEntryId">The release entry id.</param>
/// <param name="cancellationToken">The cancellation token.</param>
/// <returns>Task{System.String}.</returns>
2017-03-15 20:57:18 +01:00
private async Task<string> GetReleaseGroupFromReleaseId(string releaseEntryId, CancellationToken cancellationToken)
{
2019-09-10 22:37:53 +02:00
var url = "/ws/2/release-group/?query=reid:" + releaseEntryId.ToString(CultureInfo.InvariantCulture);
2020-08-17 21:10:02 +02:00
using var response = await GetMusicBrainzResponse(url, cancellationToken).ConfigureAwait(false);
2020-11-17 19:43:00 +01:00
await using var stream = await response.Content.ReadAsStreamAsync(cancellationToken).ConfigureAwait(false);
2020-08-17 21:10:02 +02:00
using var oReader = new StreamReader(stream, Encoding.UTF8);
var settings = new XmlReaderSettings
2016-06-15 22:14:04 +02:00
{
2020-08-17 21:10:02 +02:00
ValidationType = ValidationType.None,
CheckCharacters = false,
IgnoreProcessingInstructions = true,
IgnoreComments = true
};
2016-10-27 23:05:25 +02:00
using var reader = XmlReader.Create(oReader, settings);
reader.MoveToContent();
reader.Read();
2017-10-20 18:16:56 +02:00
// Loop through each element
while (!reader.EOF && reader.ReadState == ReadState.Interactive)
{
if (reader.NodeType == XmlNodeType.Element)
2020-08-17 21:10:02 +02:00
{
switch (reader.Name)
{
case "release-group-list":
2016-10-27 23:05:25 +02:00
{
if (reader.IsEmptyElement)
2016-10-27 21:03:23 +02:00
{
reader.Read();
continue;
2020-08-17 21:10:02 +02:00
}
2020-06-15 23:43:52 +02:00
using var subReader = reader.ReadSubtree();
return GetFirstReleaseGroupId(subReader);
}
default:
{
reader.Skip();
break;
}
2020-08-17 21:10:02 +02:00
}
2016-10-27 21:03:23 +02:00
}
else
{
reader.Read();
}
2016-06-15 22:14:04 +02:00
}
return null;
2016-10-27 21:03:23 +02:00
}
2016-10-27 21:03:23 +02:00
private string GetFirstReleaseGroupId(XmlReader reader)
{
reader.MoveToContent();
2016-11-02 18:08:20 +01:00
reader.Read();
2016-06-15 22:14:04 +02:00
2016-10-27 21:03:23 +02:00
// Loop through each element
2016-12-03 22:46:06 +01:00
while (!reader.EOF && reader.ReadState == ReadState.Interactive)
2016-06-15 22:14:04 +02:00
{
2016-10-27 23:05:25 +02:00
if (reader.NodeType == XmlNodeType.Element)
2016-06-15 22:14:04 +02:00
{
2016-10-27 23:05:25 +02:00
switch (reader.Name)
{
case "release-group":
{
return reader.GetAttribute("id");
}
2020-06-15 23:43:52 +02:00
2016-10-27 23:05:25 +02:00
default:
{
reader.Skip();
break;
}
}
2016-06-15 22:14:04 +02:00
}
2016-10-31 19:59:58 +01:00
else
{
reader.Read();
}
2016-06-15 22:14:04 +02:00
}
2016-10-27 21:03:23 +02:00
2016-06-15 22:14:04 +02:00
return null;
}
/// <summary>
/// Makes request to MusicBrainz server and awaits a response.
/// A 503 Service Unavailable response indicates throttling to maintain a rate limit.
/// A number of retries shall be made in order to try and satisfy the request before
/// giving up and returning null.
/// </summary>
2021-07-23 02:33:19 +02:00
/// <param name="url">Address of MusicBrainz server.</param>
/// <param name="cancellationToken">CancellationToken to use for method.</param>
/// <returns>Returns response from MusicBrainz service.</returns>
2020-08-17 21:10:02 +02:00
internal async Task<HttpResponseMessage> GetMusicBrainzResponse(string url, CancellationToken cancellationToken)
{
await _apiRequestLock.WaitAsync(cancellationToken).ConfigureAwait(false);
try
{
2020-10-03 02:27:43 +02:00
HttpResponseMessage response;
var attempts = 0u;
var requestUrl = _musicBrainzBaseUrl.TrimEnd('/') + url;
do
{
attempts++;
if (_stopWatchMusicBrainz.ElapsedMilliseconds < _musicBrainzQueryIntervalMs)
{
// MusicBrainz is extremely adamant about limiting to one request per second.
var delayMs = _musicBrainzQueryIntervalMs - _stopWatchMusicBrainz.ElapsedMilliseconds;
await Task.Delay((int)delayMs, cancellationToken).ConfigureAwait(false);
}
// Write time since last request to debug log as evidence we're meeting rate limit
// requirement, before resetting stopwatch back to zero.
_logger.LogDebug("GetMusicBrainzResponse: Time since previous request: {0} ms", _stopWatchMusicBrainz.ElapsedMilliseconds);
_stopWatchMusicBrainz.Restart();
2020-10-03 02:27:43 +02:00
using var request = new HttpRequestMessage(HttpMethod.Get, requestUrl);
2021-02-15 14:19:08 +01:00
response = await _httpClientFactory
.CreateClient(NamedClient.MusicBrainz)
.SendAsync(request, cancellationToken)
.ConfigureAwait(false);
// We retry a finite number of times, and only whilst MB is indicating 503 (throttling).
}
while (attempts < MusicBrainzQueryAttempts && response.StatusCode == HttpStatusCode.ServiceUnavailable);
2020-10-03 02:19:35 +02:00
// Log error if unable to query MB database due to throttling.
2020-10-03 02:19:35 +02:00
if (attempts == MusicBrainzQueryAttempts && response.StatusCode == HttpStatusCode.ServiceUnavailable)
{
_logger.LogError("GetMusicBrainzResponse: 503 Service Unavailable (throttled) response received {0} times whilst requesting {1}", attempts, requestUrl);
}
2020-10-03 02:27:43 +02:00
return response;
}
finally
{
_apiRequestLock.Release();
}
}
2019-09-10 22:37:53 +02:00
/// <inheritdoc />
2020-08-17 21:10:02 +02:00
public Task<HttpResponseMessage> GetImageResponse(string url, CancellationToken cancellationToken)
{
throw new NotImplementedException();
}
2021-07-23 02:33:19 +02:00
private class ReleaseResult
{
public string ReleaseId;
public string ReleaseGroupId;
public string Title;
public string Overview;
public int? Year;
public List<ValueTuple<string, string>> Artists = new List<ValueTuple<string, string>>();
public static IEnumerable<ReleaseResult> Parse(XmlReader reader)
{
reader.MoveToContent();
reader.Read();
// Loop through each element
while (!reader.EOF && reader.ReadState == ReadState.Interactive)
{
if (reader.NodeType == XmlNodeType.Element)
{
switch (reader.Name)
{
case "release-list":
{
if (reader.IsEmptyElement)
{
reader.Read();
continue;
}
using var subReader = reader.ReadSubtree();
return ParseReleaseList(subReader).ToList();
}
default:
{
reader.Skip();
break;
}
}
}
else
{
reader.Read();
}
}
return Enumerable.Empty<ReleaseResult>();
}
private static IEnumerable<ReleaseResult> ParseReleaseList(XmlReader reader)
{
reader.MoveToContent();
reader.Read();
// Loop through each element
while (!reader.EOF && reader.ReadState == ReadState.Interactive)
{
if (reader.NodeType == XmlNodeType.Element)
{
switch (reader.Name)
{
case "release":
{
if (reader.IsEmptyElement)
{
reader.Read();
continue;
}
var releaseId = reader.GetAttribute("id");
using var subReader = reader.ReadSubtree();
var release = ParseRelease(subReader, releaseId);
if (release != null)
{
yield return release;
}
break;
}
default:
{
reader.Skip();
break;
}
}
}
else
{
reader.Read();
}
}
}
private static ReleaseResult ParseRelease(XmlReader reader, string releaseId)
{
var result = new ReleaseResult
{
ReleaseId = releaseId
};
reader.MoveToContent();
reader.Read();
// http://stackoverflow.com/questions/2299632/why-does-xmlreader-skip-every-other-element-if-there-is-no-whitespace-separator
// Loop through each element
while (!reader.EOF && reader.ReadState == ReadState.Interactive)
{
if (reader.NodeType == XmlNodeType.Element)
{
switch (reader.Name)
{
case "title":
{
result.Title = reader.ReadElementContentAsString();
break;
}
case "date":
{
var val = reader.ReadElementContentAsString();
if (DateTime.TryParse(val, out var date))
{
result.Year = date.Year;
}
break;
}
case "annotation":
{
result.Overview = reader.ReadElementContentAsString();
break;
}
case "release-group":
{
result.ReleaseGroupId = reader.GetAttribute("id");
reader.Skip();
break;
}
case "artist-credit":
{
using var subReader = reader.ReadSubtree();
var artist = ParseArtistCredit(subReader);
if (!string.IsNullOrEmpty(artist.Item1))
{
result.Artists.Add(artist);
}
break;
}
default:
{
reader.Skip();
break;
}
}
}
else
{
reader.Read();
}
}
return result;
}
}
}
2018-12-28 16:48:26 +01:00
}