using System;
using System.Linq;
using Newtonsoft.Json;
namespace StardewModdingAPI.Framework.Models
{
/// Uniquely identifies a mod in SMAPI's internal data.
///
/// This represents a custom format which uniquely identifies a mod across all versions, even
/// if its field values change or it doesn't specify a unique ID. This is mapped to a string
/// with the following format:
///
/// 1. If the mod's identifier changed over time, multiple variants can be separated by the |
/// character.
/// 2. Each variant can take one of two forms:
/// - A simple string matching the mod's UniqueID value.
/// - A JSON structure containing any of three manifest fields (ID, Name, and Author) to match.
///
internal class ModDataID
{
/*********
** Properties
*********/
/// The unique sets of field values which identify this mod.
private readonly FieldSnapshot[] Snapshots;
/*********
** Public methods
*********/
/// Construct an instance.
public ModDataID() { }
/// Construct an instance.
/// The mod identifier string (see remarks on ).
public ModDataID(string data)
{
this.Snapshots =
(
from string part in data.Split('|')
let str = part.Trim()
select str.StartsWith("{")
? JsonConvert.DeserializeObject(str)
: new FieldSnapshot { ID = str }
)
.ToArray();
}
/// Get whether this ID matches a given mod manifest.
/// The mod's unique ID, or a substitute ID if it isn't set in the manifest.
/// The manifest to check.
public bool Matches(string id, IManifest manifest)
{
return this.Snapshots.Any(snapshot =>
snapshot.ID.Equals(id, StringComparison.InvariantCultureIgnoreCase)
&& (
snapshot.Author == null
|| snapshot.Author.Equals(manifest.Author, StringComparison.InvariantCultureIgnoreCase)
|| (manifest.ExtraFields.ContainsKey("Authour") && snapshot.Author.Equals(manifest.ExtraFields["Authour"].ToString(), StringComparison.InvariantCultureIgnoreCase))
)
&& (snapshot.Name == null || snapshot.Name.Equals(manifest.Name, StringComparison.InvariantCultureIgnoreCase))
);
}
/*********
** Private models
*********/
/// A unique set of fields which identifies the mod.
private class FieldSnapshot
{
/*********
** Accessors
*********/
/// The unique mod ID.
public string ID { get; set; }
/// The mod name, or null to ignore the mod name.
public string Name { get; set; }
/// The author name, or null to ignore the author.
public string Author { get; set; }
}
}
}