// Copyright (c) ppy Pty Ltd . Licensed under the MIT Licence. // See the LICENCE file in the repository root for full licence text. using System; using System.Collections.Generic; using System.Diagnostics; using System.IO; using System.Linq; using System.Text; using Newtonsoft.Json; using osu.Framework.Audio.Sample; using osu.Framework.Bindables; using osu.Framework.Graphics; using osu.Framework.Graphics.Containers; using osu.Framework.Graphics.Textures; using osu.Framework.IO.Stores; using osu.Framework.Logging; using osu.Game.Audio; using osu.Game.Database; using osu.Game.IO; namespace osu.Game.Skinning { public abstract class Skin : IDisposable, ISkin { /// /// A texture store which can be used to perform user file lookups for this skin. /// protected TextureStore? Textures { get; } /// /// A sample store which can be used to perform user file lookups for this skin. /// protected ISampleStore? Samples { get; } public readonly Live SkinInfo; public SkinConfiguration Configuration { get; set; } public IDictionary LayoutInfos => layoutInfos; private readonly Dictionary layoutInfos = new Dictionary(); public abstract ISample? GetSample(ISampleInfo sampleInfo); public Texture? GetTexture(string componentName) => GetTexture(componentName, default, default); public abstract Texture? GetTexture(string componentName, WrapMode wrapModeS, WrapMode wrapModeT); public abstract IBindable? GetConfig(TLookup lookup) where TLookup : notnull where TValue : notnull; private readonly RealmBackedResourceStore? realmBackedStorage; /// /// Construct a new skin. /// /// The skin's metadata. Usually a live realm object. /// Access to game-wide resources. /// An optional store which will *replace* all file lookups that are usually sourced from . /// An optional filename to read the skin configuration from. If not provided, the configuration will be retrieved from the storage using "skin.ini". protected Skin(SkinInfo skin, IStorageResourceProvider? resources, IResourceStore? storage = null, string configurationFilename = @"skin.ini") { if (resources != null) { SkinInfo = skin.ToLive(resources.RealmAccess); storage ??= realmBackedStorage = new RealmBackedResourceStore(SkinInfo, resources.Files, resources.RealmAccess); var samples = resources.AudioManager?.GetSampleStore(storage); if (samples != null) { samples.PlaybackConcurrency = OsuGameBase.SAMPLE_CONCURRENCY; // osu-stable performs audio lookups in order of wav -> mp3 -> ogg. // The GetSampleStore() call above internally adds wav and mp3, so ogg is added at the end to ensure expected ordering. samples.AddExtension(@"ogg"); } Samples = samples; Textures = new TextureStore(resources.Renderer, new MaxDimensionLimitedTextureLoaderStore(resources.CreateTextureLoaderStore(storage))); } else { // Generally only used for tests. SkinInfo = skin.ToLiveUnmanaged(); } var configurationStream = storage?.GetStream(configurationFilename); if (configurationStream != null) { // stream will be closed after use by LineBufferedReader. ParseConfigurationStream(configurationStream); Debug.Assert(Configuration != null); } else Configuration = new SkinConfiguration(); // skininfo files may be null for default skin. foreach (SkinComponentsContainerLookup.TargetArea skinnableTarget in Enum.GetValues()) { string filename = $"{skinnableTarget}.json"; byte[]? bytes = storage?.Get(filename); if (bytes == null) continue; try { string jsonContent = Encoding.UTF8.GetString(bytes); SkinLayoutInfo? layoutInfo = null; try { // First attempt to deserialise using the new SkinLayoutInfo format layoutInfo = JsonConvert.DeserializeObject(jsonContent); } catch { } // Of note, the migration code below runs on read of skins, but there's nothing to // force a rewrite after migration. Let's not remove these migration rules until we // have something in place to ensure we don't end up breaking skins of users that haven't // manually saved their skin since a change was implemented. // If deserialisation using SkinLayoutInfo fails, attempt to deserialise using the old naked list. if (layoutInfo == null) { // handle namespace changes... jsonContent = jsonContent.Replace(@"osu.Game.Screens.Play.SongProgress", @"osu.Game.Screens.Play.HUD.DefaultSongProgress"); jsonContent = jsonContent.Replace(@"osu.Game.Screens.Play.HUD.LegacyComboCounter", @"osu.Game.Skinning.LegacyComboCounter"); var deserializedContent = JsonConvert.DeserializeObject>(jsonContent); if (deserializedContent == null) continue; layoutInfo = new SkinLayoutInfo(); layoutInfo.Update(null, deserializedContent.ToArray()); Logger.Log($"Ferrying {deserializedContent.Count()} components in {skinnableTarget} to global section of new {nameof(SkinLayoutInfo)} format"); } LayoutInfos[skinnableTarget] = layoutInfo; } catch (Exception ex) { Logger.Error(ex, "Failed to load skin configuration."); } } } protected virtual void ParseConfigurationStream(Stream stream) { using (LineBufferedReader reader = new LineBufferedReader(stream, true)) Configuration = new LegacySkinDecoder().Decode(reader); } /// /// Remove all stored customisations for the provided target. /// /// The target container to reset. public void ResetDrawableTarget(SkinComponentsContainer targetContainer) { LayoutInfos.Remove(targetContainer.Lookup.Target); } /// /// Update serialised information for the provided target. /// /// The target container to serialise to this skin. public void UpdateDrawableTarget(SkinComponentsContainer targetContainer) { if (!LayoutInfos.TryGetValue(targetContainer.Lookup.Target, out var layoutInfo)) layoutInfos[targetContainer.Lookup.Target] = layoutInfo = new SkinLayoutInfo(); layoutInfo.Update(targetContainer.Lookup.Ruleset, ((ISerialisableDrawableContainer)targetContainer).CreateSerialisedInfo().ToArray()); } public virtual Drawable? GetDrawableComponent(ISkinComponentLookup lookup) { switch (lookup) { // This fallback is important for user skins which use SkinnableSprites. case SkinnableSprite.SpriteComponentLookup sprite: return this.GetAnimation(sprite.LookupName, false, false); case SkinComponentsContainerLookup containerLookup: // It is important to return null if the user has not configured this yet. // This allows skin transformers the opportunity to provide default components. if (!LayoutInfos.TryGetValue(containerLookup.Target, out var layoutInfo)) return null; if (!layoutInfo.TryGetDrawableInfo(containerLookup.Ruleset, out var drawableInfos)) return null; return new Container { RelativeSizeAxes = Axes.Both, ChildrenEnumerable = drawableInfos.Select(i => i.CreateInstance()) }; } return null; } #region Disposal ~Skin() { // required to potentially clean up sample store from audio hierarchy. Dispose(false); } public void Dispose() { Dispose(true); GC.SuppressFinalize(this); } private bool isDisposed; protected virtual void Dispose(bool isDisposing) { if (isDisposed) return; isDisposed = true; Textures?.Dispose(); Samples?.Dispose(); realmBackedStorage?.Dispose(); } #endregion } }