mirror of
https://github.com/kwsch/PKHeX
synced 2024-12-22 10:23:09 +00:00
fc754b346b
[Language Reference](https://docs.microsoft.com/en-us/dotnet/csharp/language-reference/proposals/csharp-10.0/file-scoped-namespaces) Updates all the files, one less level of indentation. Some small changes were made to API surfaces, renaming `PKM pkm` -> `PKM pk`, and `LegalityAnalysis.pkm` -> `LegalityAnalysis.Entity`
83 lines
2.3 KiB
C#
83 lines
2.3 KiB
C#
using System.Collections.Generic;
|
|
|
|
namespace PKHeX.Core;
|
|
|
|
/// <summary>
|
|
/// Tracks <see cref="PKM"/> slot changes and provides the ability to revert a change.
|
|
/// </summary>
|
|
public sealed class SlotChangelog
|
|
{
|
|
private readonly SaveFile SAV;
|
|
private readonly Stack<SlotReversion> UndoStack = new();
|
|
private readonly Stack<SlotReversion> RedoStack = new();
|
|
|
|
public SlotChangelog(SaveFile sav) => SAV = sav;
|
|
|
|
public bool CanUndo => UndoStack.Count != 0;
|
|
public bool CanRedo => RedoStack.Count != 0;
|
|
|
|
public void AddNewChange(ISlotInfo info)
|
|
{
|
|
var revert = GetReversion(info, SAV);
|
|
AddUndo(revert);
|
|
}
|
|
|
|
public ISlotInfo Undo()
|
|
{
|
|
var change = UndoStack.Pop();
|
|
var revert = GetReversion(change.Info, SAV);
|
|
AddRedo(revert);
|
|
change.Revert(SAV);
|
|
return change.Info;
|
|
}
|
|
|
|
public ISlotInfo Redo()
|
|
{
|
|
var change = RedoStack.Pop();
|
|
var revert = GetReversion(change.Info, SAV);
|
|
AddUndo(revert);
|
|
change.Revert(SAV);
|
|
return change.Info;
|
|
}
|
|
|
|
private void AddRedo(SlotReversion change)
|
|
{
|
|
RedoStack.Push(change);
|
|
}
|
|
|
|
private void AddUndo(SlotReversion change)
|
|
{
|
|
UndoStack.Push(change);
|
|
RedoStack.Clear();
|
|
}
|
|
|
|
private static SlotReversion GetReversion(ISlotInfo info, SaveFile sav) => info switch
|
|
{
|
|
SlotInfoParty p => new PartyReversion(p, sav),
|
|
_ => new SingleSlotReversion(info, sav),
|
|
};
|
|
|
|
private abstract class SlotReversion
|
|
{
|
|
internal readonly ISlotInfo Info;
|
|
protected SlotReversion(ISlotInfo info) => Info = info;
|
|
|
|
public abstract void Revert(SaveFile sav);
|
|
}
|
|
|
|
private sealed class PartyReversion : SlotReversion
|
|
{
|
|
private readonly IList<PKM> Party;
|
|
public PartyReversion(ISlotInfo info, SaveFile s) : base(info) => Party = s.PartyData;
|
|
|
|
public override void Revert(SaveFile sav) => sav.PartyData = Party;
|
|
}
|
|
|
|
private sealed class SingleSlotReversion : SlotReversion
|
|
{
|
|
private readonly PKM Entity;
|
|
public SingleSlotReversion(ISlotInfo info, SaveFile sav) : base(info) => Entity = info.Read(sav);
|
|
|
|
public override void Revert(SaveFile sav) => Info.WriteTo(sav, Entity, PKMImportSetting.Skip);
|
|
}
|
|
}
|