Imported Amy's library and set up project.
This commit is contained in:
parent
84c036b927
commit
41ca0ff2aa
69 changed files with 16743 additions and 5 deletions
|
@ -1,9 +1,13 @@
|
|||
<Project Sdk="Godot.NET.Sdk/4.3.0">
|
||||
<PropertyGroup>
|
||||
<TargetFramework>net6.0</TargetFramework>
|
||||
<TargetFramework Condition=" '$(GodotTargetPlatform)' == 'android' ">net7.0</TargetFramework>
|
||||
<TargetFramework Condition=" '$(GodotTargetPlatform)' == 'ios' ">net8.0</TargetFramework>
|
||||
<TargetFramework>net9.0</TargetFramework>
|
||||
<TargetFramework Condition=" '$(GodotTargetPlatform)' == 'android' ">net9.0</TargetFramework>
|
||||
<TargetFramework Condition=" '$(GodotTargetPlatform)' == 'ios' ">net9.0</TargetFramework>
|
||||
<EnableDynamicLoading>true</EnableDynamicLoading>
|
||||
<RootNamespace>PedoSim2024</RootNamespace>
|
||||
</PropertyGroup>
|
||||
</Project>
|
||||
<ItemGroup>
|
||||
<PackageReference Include="Microsoft.Extensions.Logging" Version="9.0.0" />
|
||||
<PackageReference Include="System.IO.Hashing" Version="9.0.0" />
|
||||
</ItemGroup>
|
||||
</Project>
|
||||
|
|
|
@ -15,6 +15,10 @@ run/main_scene="res://scenes/main.tscn"
|
|||
config/features=PackedStringArray("4.3", "C#", "Forward Plus")
|
||||
config/icon="res://icon.svg"
|
||||
|
||||
[autoload]
|
||||
|
||||
AmySingleton="*res://scripts/amy/AmySingleton.cs"
|
||||
|
||||
[dotnet]
|
||||
|
||||
project/assembly_name="Pedo Sim 2024"
|
||||
|
|
|
@ -1,7 +1,7 @@
|
|||
using Godot;
|
||||
using System;
|
||||
|
||||
namespace Amy.Pedo;
|
||||
namespace Amy.Game;
|
||||
#nullable enable
|
||||
|
||||
public partial class Main : Node
|
||||
|
@ -14,5 +14,6 @@ public partial class Main : Node
|
|||
public override void _Ready()
|
||||
{
|
||||
GD.Print("main/_ready");
|
||||
this.Toast("main/_ready");
|
||||
}
|
||||
}
|
||||
|
|
47
scripts/amy/AmyAudio.cs
Normal file
47
scripts/amy/AmyAudio.cs
Normal file
|
@ -0,0 +1,47 @@
|
|||
using Godot;
|
||||
using System;
|
||||
using System.Text;
|
||||
|
||||
namespace Amy;
|
||||
#nullable enable
|
||||
|
||||
[GlobalClass]
|
||||
public partial class AmyAudio : Resource
|
||||
{
|
||||
[Export]
|
||||
public string Artist = "";
|
||||
|
||||
[Export]
|
||||
public string ArtistUrl = "";
|
||||
|
||||
[Export]
|
||||
public string Track = "";
|
||||
|
||||
[Export]
|
||||
public string TrackUrl = "";
|
||||
|
||||
[Export]
|
||||
public string FetchUrl = "";
|
||||
|
||||
[Export]
|
||||
public AudioStream? Stream;
|
||||
|
||||
[Export]
|
||||
public Vector2 PitchRange = Vector2.One;
|
||||
|
||||
public void Toast(Node self, double? duration = null)
|
||||
{
|
||||
StringBuilder msb = new();
|
||||
StringBuilder rsb = new();
|
||||
msb.Append("Now Playing: ");
|
||||
rsb.Append("Now Playing: ");
|
||||
msb.Append(Artist);
|
||||
rsb.Append(Artist);
|
||||
msb.Append(" - ");
|
||||
rsb.Append("[color=#7f7f7f7f] - [/color]");
|
||||
msb.Append(Track);
|
||||
rsb.Append(Track);
|
||||
_ = AmyCore.Toast(self, msb.ToString(), rsb.ToString(),
|
||||
duration: duration, icon: "res://scripts/amy/assets/music_32x32.png");
|
||||
}
|
||||
}
|
21
scripts/amy/AmyAudioSet.cs
Normal file
21
scripts/amy/AmyAudioSet.cs
Normal file
|
@ -0,0 +1,21 @@
|
|||
using Godot;
|
||||
using System;
|
||||
|
||||
namespace Amy;
|
||||
#nullable enable
|
||||
|
||||
[GlobalClass]
|
||||
public partial class AmyAudioSet : Resource
|
||||
{
|
||||
[Export]
|
||||
public Godot.Collections.Array<AmyAudio> Audios = new();
|
||||
|
||||
[Export]
|
||||
public string PlaylistUrl = "";
|
||||
|
||||
[Export]
|
||||
public Vector2 PitchRange = Vector2.One;
|
||||
|
||||
[Export]
|
||||
public Vector2 VolumeDBRange = Vector2.One;
|
||||
}
|
52
scripts/amy/AmyAutoPlayAnimation.cs
Normal file
52
scripts/amy/AmyAutoPlayAnimation.cs
Normal file
|
@ -0,0 +1,52 @@
|
|||
using Amy;
|
||||
using Godot;
|
||||
using System;
|
||||
using System.Collections.Generic;
|
||||
|
||||
namespace Amy;
|
||||
|
||||
public partial class AmyAutoPlayAnimation : AnimationPlayer
|
||||
{
|
||||
#nullable enable annotations
|
||||
#nullable enable warnings
|
||||
|
||||
[Export]
|
||||
public string Animation { get; private set; } = "";
|
||||
|
||||
[Export]
|
||||
public bool FreeWhenFinished { get; private set; }
|
||||
|
||||
[Export]
|
||||
public NodePath FreeTarget { get; private set; } = "";
|
||||
|
||||
[Export]
|
||||
public ulong BonusLifetimeMsec = 10000uL;
|
||||
|
||||
|
||||
public override void _Process(double delta)
|
||||
{
|
||||
if (Expiration > 0uL && Time.GetTicksMsec() >= Expiration) {
|
||||
GetNode(FreeTarget)?.QueueFree();
|
||||
}
|
||||
}
|
||||
|
||||
public override void _Ready()
|
||||
{
|
||||
SetProcess(false);
|
||||
if (FreeWhenFinished) {
|
||||
AnimationFinished += OnFinished;
|
||||
}
|
||||
Play(Animation);
|
||||
}
|
||||
|
||||
private ulong Expiration;
|
||||
|
||||
private void OnFinished(StringName animName)
|
||||
{
|
||||
Expiration = Time.GetTicksMsec() + BonusLifetimeMsec;
|
||||
SetProcess(true);
|
||||
}
|
||||
|
||||
#nullable restore warnings
|
||||
#nullable restore annotations
|
||||
}
|
241
scripts/amy/AmyBalloon.cs
Normal file
241
scripts/amy/AmyBalloon.cs
Normal file
|
@ -0,0 +1,241 @@
|
|||
#if false // Enable when using the dialogue addon
|
||||
using DialogueManagerRuntime;
|
||||
#endif
|
||||
using Godot;
|
||||
using System;
|
||||
|
||||
namespace Amy;
|
||||
#nullable enable
|
||||
|
||||
public partial class AmyBalloon : CanvasLayer
|
||||
{
|
||||
#if false // Enable when using the dialogue addon
|
||||
public static bool Active => ActiveCount > 0;
|
||||
public static bool HideUnrecognizedNames = true;
|
||||
|
||||
[Export] public string InteractAction = "interact";
|
||||
[Export] public string NextAction = "ui_accept";
|
||||
[Export] public string SkipAction = "ui_cancel";
|
||||
|
||||
public async void Next(string nextID)
|
||||
{
|
||||
DialogueLine = await DialogueManager.GetNextDialogueLine(Resource,
|
||||
nextID, TemporaryGameStates);
|
||||
}
|
||||
|
||||
public void RegisterDialogueEndedCallback(Node self, StringName callback)
|
||||
{
|
||||
Callback = new Callable(self, callback);
|
||||
}
|
||||
|
||||
public async void Start(Resource dialogueResource, string title,
|
||||
Godot.Collections.Array<Variant>? extraGameStates = null)
|
||||
{
|
||||
TemporaryGameStates = extraGameStates
|
||||
?? new Godot.Collections.Array<Variant>();
|
||||
IsWaitingForInput = false;
|
||||
Resource = dialogueResource;
|
||||
|
||||
DialogueLine = await DialogueManager.GetNextDialogueLine(Resource,
|
||||
title, TemporaryGameStates);
|
||||
}
|
||||
|
||||
public override void _ExitTree()
|
||||
{
|
||||
DialogueManager.Mutated -= OnMutated;
|
||||
ActiveCount = Math.Max(0, ActiveCount - 1);
|
||||
}
|
||||
|
||||
public override async void _Notification(int what)
|
||||
{
|
||||
// Detect a change of locale and update the current dialogue line to show the new language
|
||||
if (what == NotificationTranslationChanged) {
|
||||
if (DialogueLine is DialogueLine dlgLine) {
|
||||
float visibleRatio = DialogueLabel?.VisibleRatio ?? 0f;
|
||||
DialogueLine = await DialogueManager.GetNextDialogueLine(
|
||||
Resource, dlgLine.Id, TemporaryGameStates);
|
||||
if (visibleRatio < 1f) {
|
||||
DialogueLabel?.Call("skip_typing");
|
||||
}
|
||||
}
|
||||
}
|
||||
}
|
||||
|
||||
public override void _Ready()
|
||||
{
|
||||
ActiveCount++;
|
||||
Balloon = GetNode<Control>("%Balloon");
|
||||
CharacterLabel = GetNode<RichTextLabel>("%CharacterLabel");
|
||||
DialogueLabel = GetNode<RichTextLabel>("%DialogueLabel");
|
||||
ResponsesMenu = GetNode<VBoxContainer>("%ResponsesMenu");
|
||||
|
||||
if (Balloon is not Control balloon) {
|
||||
throw new InvalidOperationException();
|
||||
}
|
||||
|
||||
balloon.Hide();
|
||||
|
||||
balloon.GuiInput += (@event) => {
|
||||
if ((bool) DialogueLabel.Get("is_typing")) {
|
||||
bool mouseWasClicked = @event is InputEventMouseButton inputEventMouseButton1
|
||||
&& inputEventMouseButton1.ButtonIndex == MouseButton.Left
|
||||
&& @event.IsPressed();
|
||||
bool skipButtonWasPressed = @event.IsActionPressed(SkipAction);
|
||||
if (mouseWasClicked || skipButtonWasPressed) {
|
||||
GetViewport().SetInputAsHandled();
|
||||
DialogueLabel.Call("skip_typing");
|
||||
return;
|
||||
}
|
||||
}
|
||||
|
||||
if (!IsWaitingForInput) {
|
||||
return;
|
||||
}
|
||||
|
||||
if (Internal_DialogueLine.Responses.Count > 0) {
|
||||
return;
|
||||
}
|
||||
|
||||
GetViewport().SetInputAsHandled();
|
||||
|
||||
if (@event is InputEventMouseButton inputEventMouseButton2
|
||||
&& @event.IsPressed()
|
||||
&& inputEventMouseButton2.ButtonIndex == MouseButton.Left) {
|
||||
Next(Internal_DialogueLine.NextId);
|
||||
} else if ((@event.IsActionPressed(NextAction)
|
||||
|| @event.IsActionPressed(InteractAction))
|
||||
&& GetViewport().GuiGetFocusOwner() == Balloon) {
|
||||
Next(Internal_DialogueLine.NextId);
|
||||
}
|
||||
};
|
||||
|
||||
if (string.IsNullOrEmpty((string)ResponsesMenu.Get("next_action"))) {
|
||||
ResponsesMenu.Set("next_action", NextAction);
|
||||
}
|
||||
ResponsesMenu.Connect("response_selected", Callable.From((DialogueResponse response) => {
|
||||
Next(response.NextId);
|
||||
}));
|
||||
|
||||
DialogueManager.Mutated += OnMutated;
|
||||
}
|
||||
|
||||
public override void _UnhandledInput(InputEvent @event)
|
||||
{
|
||||
// Only the Balloon is allowed to handle input while it's showing
|
||||
GetViewport().SetInputAsHandled();
|
||||
}
|
||||
|
||||
private static int ActiveCount = 0;
|
||||
|
||||
private Control? Balloon;
|
||||
Callable? Callback;
|
||||
private RichTextLabel? CharacterLabel;
|
||||
private RichTextLabel? DialogueLabel;
|
||||
private VBoxContainer? ResponsesMenu;
|
||||
|
||||
private Resource? Resource;
|
||||
private Godot.Collections.Array<Variant> TemporaryGameStates = new Godot.Collections.Array<Variant>();
|
||||
private bool IsWaitingForInput = false;
|
||||
private bool WillHideBalloon = false;
|
||||
|
||||
private DialogueLine? DialogueLine
|
||||
{
|
||||
get => Internal_DialogueLine;
|
||||
set {
|
||||
IsWaitingForInput = false;
|
||||
if (Balloon is Control balloon) {
|
||||
balloon.FocusMode = Control.FocusModeEnum.All;
|
||||
balloon.GrabFocus();
|
||||
}
|
||||
|
||||
if (value is null) {
|
||||
QueueFree();
|
||||
Callback?.CallDeferred();
|
||||
return;
|
||||
}
|
||||
|
||||
Internal_DialogueLine = value;
|
||||
UpdateDialogue();
|
||||
}
|
||||
}
|
||||
private DialogueLine? Internal_DialogueLine;
|
||||
|
||||
|
||||
private void OnMutated(Godot.Collections.Dictionary _mutation)
|
||||
{
|
||||
IsWaitingForInput = false;
|
||||
WillHideBalloon = true;
|
||||
GetTree().CreateTimer(.1f).Timeout += () => {
|
||||
if (WillHideBalloon) {
|
||||
WillHideBalloon = false;
|
||||
Balloon.Hide();
|
||||
}
|
||||
};
|
||||
}
|
||||
|
||||
private async void UpdateDialogue()
|
||||
{
|
||||
if (!IsNodeReady()) {
|
||||
await ToSignal(this, SignalName.Ready);
|
||||
}
|
||||
|
||||
// Set up the character name
|
||||
CharacterLabel.Visible = !string.IsNullOrEmpty(Internal_DialogueLine.Character);
|
||||
var characterName = "???";
|
||||
var nameKnown = !HideUnrecognizedNames;
|
||||
if (!nameKnown) {
|
||||
var slot = AmyCore.Config.Get("Common", "CurrentSaveSlot", 0);
|
||||
if (slot < 1) {
|
||||
throw new InvalidOperationException("Set Config/Common/CurrentSaveSlot");
|
||||
}
|
||||
var save = AmyCore.Save(slot);
|
||||
var key = "NameKnown_" + AmyCore.XxHash128OfAsString(Internal_DialogueLine.Character);
|
||||
nameKnown = save.Get("Dialogue", key, false);
|
||||
}
|
||||
if (nameKnown) {
|
||||
characterName = Tr(Internal_DialogueLine.Character, "dialogue");
|
||||
}
|
||||
CharacterLabel.Text = characterName;
|
||||
|
||||
// Set up the dialogue
|
||||
DialogueLabel.Hide();
|
||||
DialogueLabel.Set("dialogue_line", Internal_DialogueLine);
|
||||
|
||||
// Set up the responses
|
||||
ResponsesMenu.Hide();
|
||||
var responses = new Godot.Collections.Array<DialogueResponse>();
|
||||
foreach (var response in Internal_DialogueLine.Responses) {
|
||||
DialogueResponse resp = new(response);
|
||||
resp.Text = $"[center]{resp.Text}";
|
||||
responses.Add(resp);
|
||||
}
|
||||
ResponsesMenu.Set("responses", responses);
|
||||
|
||||
// Type out the text
|
||||
Balloon.Show();
|
||||
WillHideBalloon = false;
|
||||
DialogueLabel.Show();
|
||||
if (!string.IsNullOrEmpty(Internal_DialogueLine.Text)) {
|
||||
DialogueLabel.Call("type_out");
|
||||
await ToSignal(DialogueLabel, "finished_typing");
|
||||
}
|
||||
|
||||
// Wait for input
|
||||
if (Internal_DialogueLine.Responses.Count > 0) {
|
||||
Balloon.FocusMode = Control.FocusModeEnum.None;
|
||||
ResponsesMenu.Show();
|
||||
} else if (!string.IsNullOrEmpty(Internal_DialogueLine.Time)) {
|
||||
float time = 0f;
|
||||
if (!float.TryParse(Internal_DialogueLine.Time, out time)) {
|
||||
time = Internal_DialogueLine.Text.Length * .02f;
|
||||
}
|
||||
await ToSignal(GetTree().CreateTimer(time), "timeout");
|
||||
Next(Internal_DialogueLine.NextId);
|
||||
} else {
|
||||
IsWaitingForInput = true;
|
||||
Balloon.FocusMode = Control.FocusModeEnum.All;
|
||||
Balloon.GrabFocus();
|
||||
}
|
||||
}
|
||||
#endif
|
||||
}
|
415
scripts/amy/AmyControlMap.cs
Normal file
415
scripts/amy/AmyControlMap.cs
Normal file
|
@ -0,0 +1,415 @@
|
|||
using Godot;
|
||||
using System;
|
||||
using System.Collections.Generic;
|
||||
|
||||
namespace Amy;
|
||||
#nullable enable
|
||||
|
||||
public partial class AmyControlMap : Control
|
||||
{
|
||||
public const string SaveDir = "user://save_data";
|
||||
public const string SavePath = "user://save_data/controls.tres";
|
||||
|
||||
public static bool Listening => ListeningTo is not null;
|
||||
public static readonly HashSet<AmyControlMap> Map = new();
|
||||
|
||||
public static void Demap(StringName actionName, bool alt, Node? self = null)
|
||||
{
|
||||
DemapImpl(actionName, alt);
|
||||
RefreshAll(true, self);
|
||||
}
|
||||
|
||||
public static void LoadControls(Node? self = null)
|
||||
{
|
||||
if (!ResourceLoader.Exists(SavePath)) {
|
||||
return;
|
||||
}
|
||||
if (ResourceLoader.Load(SavePath) is not AmyControlMapResource data) {
|
||||
return;
|
||||
}
|
||||
if (!IsInstanceValid(data)) {
|
||||
return;
|
||||
}
|
||||
foreach (var action in data.Controls.Keys) {
|
||||
var name = action.As<StringName>();
|
||||
DemapImpl(name, false);
|
||||
DemapImpl(name, true);
|
||||
var alt = false;
|
||||
foreach (var @event in data.Controls[name].As<Godot.Collections.Array>()) {
|
||||
RemapImpl(name, alt, @event.As<InputEvent>());
|
||||
alt = true;
|
||||
}
|
||||
}
|
||||
RefreshAll(false, self);
|
||||
}
|
||||
|
||||
public static void RefreshAll(bool save, Node? self = null)
|
||||
{
|
||||
foreach (var map in Map) {
|
||||
map.Refresh();
|
||||
}
|
||||
StopListening();
|
||||
if (save) {
|
||||
SaveControls(self);
|
||||
}
|
||||
}
|
||||
|
||||
public static void Remap(StringName actionName, bool alt, InputEvent @event, Node? self = null)
|
||||
{
|
||||
RemapImpl(actionName, alt, @event);
|
||||
RefreshAll(true, self);
|
||||
}
|
||||
|
||||
public static void SaveControls(Node? self)
|
||||
{
|
||||
var actions = InputMap.GetActions();
|
||||
AmyControlMapResource data = new();
|
||||
foreach (var action in actions) {
|
||||
var name = action.ToString();
|
||||
if (name.StartsWith("editor_") || name.StartsWith("ui_")
|
||||
|| name.StartsWith("amy_") || name.StartsWith("yat_")) {
|
||||
continue;
|
||||
}
|
||||
data.Controls[action] = InputMap.ActionGetEvents(action);
|
||||
}
|
||||
_ = DirAccess.MakeDirRecursiveAbsolute(SaveDir);
|
||||
var err = ResourceSaver.Save(data, SavePath);
|
||||
if (err != Error.Ok) {
|
||||
GD.PushError("Failed to save controls!");
|
||||
if (self is Node slf) {
|
||||
_ = AmyCore.Toast(slf, "Failed to save controls!");
|
||||
}
|
||||
}
|
||||
}
|
||||
|
||||
public static void StopListening()
|
||||
{
|
||||
var listeningTo = ListeningTo;
|
||||
ListeningTo = null;
|
||||
if (listeningTo is (AmyControlMap, BaseButton, bool) lstn) {
|
||||
lstn.Item1.Refresh();
|
||||
}
|
||||
}
|
||||
|
||||
[Export]
|
||||
public bool Auto { get; private set; }
|
||||
|
||||
[Export]
|
||||
public string ControlNameOverride { get; private set; } = "";
|
||||
|
||||
[Export]
|
||||
public StringName ActionNameOverride { get; private set; } = "";
|
||||
|
||||
[Export]
|
||||
public NodePath Label_ { get; private set; } = "MarginContainer/HBoxContainer/Label";
|
||||
|
||||
[Export]
|
||||
public NodePath Binding1_ { get; private set; } = "MarginContainer/HBoxContainer/Binding1";
|
||||
|
||||
[Export]
|
||||
public NodePath Binding2_ { get; private set; } = "MarginContainer/HBoxContainer/Binding2";
|
||||
|
||||
public StringName ActionName { get; private set; } = "";
|
||||
public string ControlName { get; private set; } = "";
|
||||
|
||||
public void Refresh()
|
||||
{
|
||||
var events = InputMap.ActionGetEvents(ActionName);
|
||||
if (GetNode(Binding1_) is BaseButton bb1) {
|
||||
if (ListeningTo is (AmyControlMap, BaseButton, bool) lstn
|
||||
&& lstn.Item1 == this && !lstn.Item3) {
|
||||
SetButtonText(bb1, "...");
|
||||
} else if (events.Count >= 1) {
|
||||
SetButtonTextEvent(bb1, events[0]);
|
||||
} else {
|
||||
SetButtonText(bb1, "-");
|
||||
}
|
||||
}
|
||||
if (GetNode(Binding2_) is BaseButton bb2) {
|
||||
if (ListeningTo is (AmyControlMap, BaseButton, bool) lstn
|
||||
&& lstn.Item1 == this && lstn.Item3) {
|
||||
SetButtonText(bb2, "...");
|
||||
} else if (events.Count >= 2) {
|
||||
SetButtonTextEvent(bb2, events[1]);
|
||||
} else {
|
||||
SetButtonText(bb2, "-");
|
||||
}
|
||||
}
|
||||
}
|
||||
|
||||
public override void _Input(InputEvent @event)
|
||||
{
|
||||
if (ListeningTo is not (AmyControlMap, BaseButton, bool) lstn) {
|
||||
return;
|
||||
}
|
||||
if (lstn.Item1 != this) {
|
||||
return;
|
||||
}
|
||||
if (@event.IsEcho()) {
|
||||
return;
|
||||
}
|
||||
if (@event is InputEventKey key) {
|
||||
if (!key.Pressed) {
|
||||
return;
|
||||
}
|
||||
if (key.PhysicalKeycode != Key.Escape) {
|
||||
Remap(lstn.Item1.ActionName, lstn.Item3, key, this);
|
||||
} else {
|
||||
Demap(lstn.Item1.ActionName, lstn.Item3, this);
|
||||
}
|
||||
lstn.Item2.Disabled = false;
|
||||
ListeningTo = null;
|
||||
GetViewport().SetInputAsHandled();
|
||||
return;
|
||||
}
|
||||
if (@event is InputEventMouseButton mb) {
|
||||
if (!mb.Pressed) {
|
||||
return;
|
||||
}
|
||||
Remap(lstn.Item1.ActionName, lstn.Item3, mb, this);
|
||||
lstn.Item2.Disabled = false;
|
||||
ListeningTo = null;
|
||||
GetViewport().SetInputAsHandled();
|
||||
return;
|
||||
}
|
||||
if (@event is InputEventJoypadButton jb) {
|
||||
if (!jb.Pressed) {
|
||||
return;
|
||||
}
|
||||
if (jb.ButtonIndex != JoyButton.Start) {
|
||||
Remap(lstn.Item1.ActionName, lstn.Item3, jb, this);
|
||||
} else {
|
||||
Demap(lstn.Item1.ActionName, lstn.Item3, this);
|
||||
}
|
||||
lstn.Item2.Disabled = false;
|
||||
ListeningTo = null;
|
||||
GetViewport().SetInputAsHandled();
|
||||
return;
|
||||
}
|
||||
if (@event is InputEventJoypadMotion jm) {
|
||||
if (Math.Abs(jm.AxisValue) < .5d) {
|
||||
return;
|
||||
}
|
||||
Remap(lstn.Item1.ActionName, lstn.Item3, jm, this);
|
||||
lstn.Item2.Disabled = false;
|
||||
ListeningTo = null;
|
||||
GetViewport().SetInputAsHandled();
|
||||
return;
|
||||
}
|
||||
}
|
||||
|
||||
public override async void _Ready()
|
||||
{
|
||||
if (Auto) {
|
||||
// Finish setting up children so we can manipulate them:
|
||||
await AmyCore.ProcessFrame(this);
|
||||
var fnlft = FocusNeighborLeft;
|
||||
var fntop = FocusNeighborTop;
|
||||
var fnrgt = FocusNeighborRight;
|
||||
var fnbot = FocusNeighborBottom;
|
||||
var fnnxt = FocusNext;
|
||||
var fnprv = FocusPrevious;
|
||||
Node? above = HasNode(fntop) ? GetNode(fntop) : null;
|
||||
Node? prev = HasNode(fnprv) ? GetNode(fnprv) : null;
|
||||
foreach (var action in InputMap.GetActions()) {
|
||||
var str = action.ToString();
|
||||
if (str.StartsWith("ui_")) {
|
||||
continue;
|
||||
}
|
||||
if (str.StartsWith("yat_")) {
|
||||
continue;
|
||||
}
|
||||
if (str.StartsWith("amy_")) {
|
||||
continue;
|
||||
}
|
||||
if (Duplicate() is AmyControlMap map) {
|
||||
map.Auto = false;
|
||||
map.ActionNameOverride = action;
|
||||
if (GetParent() is Node parent) {
|
||||
// This works without being deferred since we already
|
||||
// waited a process frame. Having this work without
|
||||
// deferring it lets us use the paths below, too.
|
||||
parent.AddChild(map);
|
||||
}
|
||||
if (map.GetNode(Binding1_) is Control b1) {
|
||||
if (above is AmyControlMap abovemap) {
|
||||
if (abovemap.GetNode(Binding1_) is Control a1) {
|
||||
a1.FocusNeighborBottom = b1.GetPath();
|
||||
b1.FocusNeighborTop = a1.GetPath();
|
||||
}
|
||||
} else {
|
||||
if (above is Control abovectrl) {
|
||||
abovectrl.FocusNeighborBottom = b1.GetPath();
|
||||
}
|
||||
b1.FocusNeighborTop = above?.GetPath();
|
||||
}
|
||||
}
|
||||
if (map.GetNode(Binding2_) is Control b2) {
|
||||
if (above is AmyControlMap abovemap) {
|
||||
if (abovemap.GetNode(Binding2_) is Control a2) {
|
||||
a2.FocusNeighborBottom = b2.GetPath();
|
||||
b2.FocusNeighborTop = a2.GetPath();
|
||||
}
|
||||
} else {
|
||||
// Don't above.FocusNeighborBottom = b2 here.
|
||||
b2.FocusNeighborTop = above?.GetPath();
|
||||
}
|
||||
if (map.GetNode(Binding1_) is Control xb1) {
|
||||
xb1.FocusNeighborRight = b2.GetPath();
|
||||
b2.FocusNeighborLeft = xb1.GetPath();
|
||||
xb1.FocusNext = b2.GetPath();
|
||||
b2.FocusPrevious = xb1.GetPath();
|
||||
}
|
||||
prev = b2;
|
||||
}
|
||||
if (map.GetNode(Binding1_) is Control yb1) {
|
||||
above = yb1;
|
||||
}
|
||||
}
|
||||
}
|
||||
QueueFree();
|
||||
return;
|
||||
}
|
||||
ActionName = Name;
|
||||
if (!string.IsNullOrEmpty(ActionNameOverride.ToString())) {
|
||||
ActionName = ActionNameOverride;
|
||||
}
|
||||
if (!string.IsNullOrEmpty(ControlNameOverride)) {
|
||||
ControlName = ControlNameOverride;
|
||||
} else {
|
||||
var lc = ActionName.ToString().Replace('_', ' ');
|
||||
if (lc.Length > 1) {
|
||||
ControlName = lc.Substring(0, 1).ToUpperInvariant() + lc.Substring(1);
|
||||
} else {
|
||||
ControlName = lc.ToUpperInvariant();
|
||||
}
|
||||
}
|
||||
if (GetNode(Label_) is Node labelNode) {
|
||||
if (labelNode is RichTextLabel rtl) {
|
||||
rtl.Text = ControlName;
|
||||
} else if (labelNode is Label label) {
|
||||
label.Text = ControlName;
|
||||
} else {
|
||||
labelNode.Set("text", ControlName);
|
||||
}
|
||||
}
|
||||
if (GetNode(Binding1_) is BaseButton bb1) {
|
||||
if (bb1 is TextureButton tb) {
|
||||
tb.Pressed += GetPressed(this, bb1, false);
|
||||
} else if (bb1 is Button btn) {
|
||||
btn.Pressed += GetPressed(this, bb1, false);
|
||||
} else {
|
||||
GD.PushError("Binding1 button not found.");
|
||||
}
|
||||
}
|
||||
if (GetNode(Binding2_) is BaseButton bb2) {
|
||||
if (bb2 is TextureButton tb) {
|
||||
tb.Pressed += GetPressed(this, bb2, true);
|
||||
} else if (bb2 is Button btn) {
|
||||
btn.Pressed += GetPressed(this, bb2, true);
|
||||
} else {
|
||||
GD.PushError("Binding2 button not found.");
|
||||
}
|
||||
}
|
||||
Map.Add(this);
|
||||
Refresh();
|
||||
}
|
||||
|
||||
private static (AmyControlMap, BaseButton, bool)? ListeningTo;
|
||||
|
||||
static AmyControlMap()
|
||||
{
|
||||
LoadControls();
|
||||
}
|
||||
|
||||
private static void DemapImpl(StringName actionName, bool alt)
|
||||
{
|
||||
var events = InputMap.ActionGetEvents(actionName);
|
||||
var index = 0;
|
||||
foreach (var ev in events) {
|
||||
if (index == 0 && !alt) {
|
||||
InputMap.ActionEraseEvent(actionName, ev);
|
||||
break;
|
||||
}
|
||||
if (index == 1 && alt) {
|
||||
InputMap.ActionEraseEvent(actionName, ev);
|
||||
break;
|
||||
}
|
||||
index++;
|
||||
}
|
||||
}
|
||||
|
||||
private static void RemapImpl(StringName actionName, bool alt, InputEvent @event)
|
||||
{
|
||||
var events = InputMap.ActionGetEvents(actionName);
|
||||
InputMap.ActionEraseEvents(actionName);
|
||||
var index = 0;
|
||||
foreach (var ev in events) {
|
||||
if (index == 0 && !alt) {
|
||||
InputMap.ActionAddEvent(actionName, @event);
|
||||
} else if (index == 1 && alt) {
|
||||
InputMap.ActionAddEvent(actionName, @event);
|
||||
} else {
|
||||
InputMap.ActionAddEvent(actionName, ev);
|
||||
}
|
||||
index++;
|
||||
}
|
||||
if (index == 0 && !alt) {
|
||||
InputMap.ActionAddEvent(actionName, @event);
|
||||
} else if (index == 1 && alt) {
|
||||
InputMap.ActionAddEvent(actionName, @event);
|
||||
}
|
||||
}
|
||||
|
||||
private static void SetButtonText(BaseButton button, string text)
|
||||
{
|
||||
var nchildren = button.GetChildCount();
|
||||
if (nchildren > 0) {
|
||||
var child = button.GetChild(0);
|
||||
if (child is RichTextLabel rtl) {
|
||||
rtl.Text = text;
|
||||
return;
|
||||
} else if (child is Label label) {
|
||||
label.Text = text;
|
||||
return;
|
||||
}
|
||||
}
|
||||
if (button is Button btn) {
|
||||
btn.Text = text;
|
||||
return;
|
||||
}
|
||||
if (nchildren == 1) {
|
||||
var child = button.GetChild(0);
|
||||
if (child is Node node) {
|
||||
node.Set("text", text);
|
||||
return;
|
||||
}
|
||||
}
|
||||
GD.PushError("Unable to set button text.");
|
||||
}
|
||||
|
||||
private static void SetButtonTextEvent(BaseButton button, InputEvent @event)
|
||||
{
|
||||
if (@event is InputEventKey key) {
|
||||
SetButtonText(button, key.PhysicalKeycode.ToString());
|
||||
} else if (@event is InputEventJoypadButton jb) {
|
||||
SetButtonText(button, "Gamepad " + jb.ButtonIndex.ToString());
|
||||
} else if (@event is InputEventMouseButton mb) {
|
||||
SetButtonText(button, "Mouse " + mb.ButtonIndex.ToString());
|
||||
} else if (@event is InputEventJoypadMotion jm) {
|
||||
SetButtonText(button, "Gamepad Axis " + jm.Axis.ToString()
|
||||
+ (jm.AxisValue >= 0d ? '+' : '-'));
|
||||
} else {
|
||||
SetButtonText(button, "???");
|
||||
}
|
||||
}
|
||||
|
||||
private Action GetPressed(AmyControlMap ctrl, BaseButton self, bool alt)
|
||||
=> () => {
|
||||
if (ListeningTo is null) {
|
||||
self.Disabled = true;
|
||||
SetButtonText(self, "...");
|
||||
ListeningTo = (ctrl, self, alt);
|
||||
}
|
||||
};
|
||||
}
|
10
scripts/amy/AmyControlMapResource.cs
Normal file
10
scripts/amy/AmyControlMapResource.cs
Normal file
|
@ -0,0 +1,10 @@
|
|||
using Godot;
|
||||
using System;
|
||||
|
||||
namespace Amy;
|
||||
#nullable enable
|
||||
|
||||
public partial class AmyControlMapResource : Resource
|
||||
{
|
||||
[Export] public Godot.Collections.Dictionary Controls = new();
|
||||
}
|
988
scripts/amy/AmyCore.Colors.cs
Normal file
988
scripts/amy/AmyCore.Colors.cs
Normal file
|
@ -0,0 +1,988 @@
|
|||
/**
|
||||
* AmyCore
|
||||
* Core functionality with zero hard dependencies (besides C# 8.0 and Godot).
|
||||
*
|
||||
* Strongly recommended to include:
|
||||
* System.IO.Hashing
|
||||
* https://www.nuget.org/packages/System.IO.Hashing
|
||||
* Microsoft.Extensions.Logging
|
||||
* https://www.nuget.org/packages/Microsoft.Extensions.Logging
|
||||
*
|
||||
* Stuff that is very commonly needed and very rarely changes should go here.
|
||||
*
|
||||
* Last update date: 2024-04-04
|
||||
*
|
||||
**/
|
||||
|
||||
#define AMY_HAVE_MICROSOFT_EXTENSIONS_LOGGING
|
||||
#define AMY_HAVE_SYSTEM_IO_HASHING
|
||||
|
||||
|
||||
#if AMY_HAVE_MICROSOFT_EXTENSIONS_LOGGING
|
||||
using Logging = Microsoft.Extensions.Logging; // https://www.nuget.org/packages/Microsoft.Extensions.Logging
|
||||
#endif
|
||||
|
||||
#if AMY_HAVE_SYSTEM_IO_HASHING
|
||||
using System.IO.Hashing; // https://www.nuget.org/packages/System.IO.Hashing
|
||||
#endif
|
||||
|
||||
using Godot;
|
||||
using System;
|
||||
using System.Collections;
|
||||
using System.Collections.Generic;
|
||||
using System.Diagnostics.CodeAnalysis;
|
||||
using System.Diagnostics.Contracts;
|
||||
using System.IO.Compression;
|
||||
using System.Linq;
|
||||
using System.Net;
|
||||
using System.Reflection;
|
||||
using System.Runtime.Serialization;
|
||||
using Crypto = System.Security.Cryptography;
|
||||
using System.Text;
|
||||
using System.Text.RegularExpressions;
|
||||
using System.Threading.Tasks;
|
||||
using System.Net.NetworkInformation;
|
||||
using System.Net.Sockets;
|
||||
using System.Net.Http;
|
||||
|
||||
namespace Amy;
|
||||
#nullable enable
|
||||
|
||||
public static partial class AmyCore
|
||||
{
|
||||
// STYLE:
|
||||
// Class members should be sorted like on [https://materialui.co/colors/].
|
||||
// Do NOT sort alphabetically!
|
||||
public static partial class Colors
|
||||
{
|
||||
public enum FlatUIColor { // TODO: https://materialui.co/flatuicolors/
|
||||
Turquoise,
|
||||
Emerland,
|
||||
Peterriver,
|
||||
Amethyst,
|
||||
Wetasphalt,
|
||||
Greensea,
|
||||
Nephritis,
|
||||
Belizehole,
|
||||
Wisteria,
|
||||
Midnightblue,
|
||||
Sunflower,
|
||||
Carrot,
|
||||
Alizarin,
|
||||
Clouds,
|
||||
Concrete,
|
||||
Orange,
|
||||
Pumpkin,
|
||||
Pomegranate,
|
||||
Silver,
|
||||
Asbestos,
|
||||
}
|
||||
|
||||
// Include the ID #500 or main color hex code in the name so that you can
|
||||
// pick it from the option button and then use the code to manually set the
|
||||
// preview color in places where this makes sense.
|
||||
public enum ColorCategory {
|
||||
// Material Design:
|
||||
Reds_F44336,
|
||||
Pinks_E91E63,
|
||||
Purples_9C27B0,
|
||||
DeepPurples_673AB7,
|
||||
Indigos_3F51B5,
|
||||
Blues_2196F3,
|
||||
LightBlues_03A9F4,
|
||||
Cyans_00BCD4,
|
||||
Teals_009688,
|
||||
Greens_4CAF50,
|
||||
LightGreens_8BC34A,
|
||||
Limes_CDDC39,
|
||||
Yellows_FFEB3B,
|
||||
Ambers_FFC107,
|
||||
Oranges_FF9800,
|
||||
DeepOranges_FF5722,
|
||||
Browns_795548,
|
||||
Greys_9E9E9E,
|
||||
BlueGreys_607D8B,
|
||||
|
||||
// Auth providers:
|
||||
Facebook_1877F2,
|
||||
Google_FFFFFF,
|
||||
Twitter_1DA1F2,
|
||||
Yahoo_410093,
|
||||
Discord_5865F2,
|
||||
Itch_FA5C5C,
|
||||
Line_00C300,
|
||||
Steam_231f20,
|
||||
VK_4C75A3,
|
||||
}
|
||||
|
||||
#if false
|
||||
public enum MaterialDesignColorCategory {
|
||||
Reds_F44336,
|
||||
Pinks_E91E63,
|
||||
Purples_9C27B0,
|
||||
DeepPurples_673AB7,
|
||||
Indigos_3F51B5,
|
||||
Blues_2196F3,
|
||||
LightBlues_03A9F4,
|
||||
Cyans_00BCD4,
|
||||
Teals_009688,
|
||||
Greens_4CAF50,
|
||||
LightGreens_8BC34A,
|
||||
Limes_CDDC39,
|
||||
Yellows_FFEB3B,
|
||||
Ambers_FFC107,
|
||||
Oranges_FF9800,
|
||||
DeepOranges_FF5722,
|
||||
Browns_795548,
|
||||
Greys_9E9E9E,
|
||||
BlueGreys_607D8B,
|
||||
}
|
||||
#endif
|
||||
|
||||
public enum ColorID : byte {
|
||||
White,
|
||||
Color50,
|
||||
Color100,
|
||||
Color200,
|
||||
Color300,
|
||||
Color400,
|
||||
Color500,
|
||||
Color600,
|
||||
Color700,
|
||||
Color800,
|
||||
Color900,
|
||||
ColorA100,
|
||||
ColorA200,
|
||||
ColorA400,
|
||||
ColorA700,
|
||||
}
|
||||
|
||||
#if false
|
||||
public enum MaterialDesignColorID : byte {
|
||||
Color50,
|
||||
Color100,
|
||||
Color200,
|
||||
Color300,
|
||||
Color400,
|
||||
Color500,
|
||||
Color600,
|
||||
Color700,
|
||||
Color800,
|
||||
Color900,
|
||||
ColorA100,
|
||||
ColorA200,
|
||||
ColorA400,
|
||||
ColorA700,
|
||||
}
|
||||
#endif
|
||||
|
||||
public const ColorCategory Reds = ColorCategory.Reds_F44336;
|
||||
public const ColorCategory Pinks = ColorCategory.Pinks_E91E63;
|
||||
public const ColorCategory Purples = ColorCategory.Purples_9C27B0;
|
||||
public const ColorCategory DeepPurples = ColorCategory.DeepPurples_673AB7;
|
||||
public const ColorCategory Indigos = ColorCategory.Indigos_3F51B5;
|
||||
public const ColorCategory Blues = ColorCategory.Blues_2196F3;
|
||||
public const ColorCategory LightBlues = ColorCategory.LightBlues_03A9F4;
|
||||
public const ColorCategory Cyans = ColorCategory.Cyans_00BCD4;
|
||||
public const ColorCategory Teals = ColorCategory.Teals_009688;
|
||||
public const ColorCategory Greens = ColorCategory.Greens_4CAF50;
|
||||
public const ColorCategory LightGreens = ColorCategory.LightGreens_8BC34A;
|
||||
public const ColorCategory Limes = ColorCategory.Limes_CDDC39;
|
||||
public const ColorCategory Yellows = ColorCategory.Yellows_FFEB3B;
|
||||
public const ColorCategory Ambers = ColorCategory.Ambers_FFC107;
|
||||
public const ColorCategory Oranges = ColorCategory.Oranges_FF9800;
|
||||
public const ColorCategory DeepOranges = ColorCategory.DeepOranges_FF5722;
|
||||
public const ColorCategory Browns = ColorCategory.Browns_795548;
|
||||
public const ColorCategory Greys = ColorCategory.Greys_9E9E9E;
|
||||
public const ColorCategory BlueGreys = ColorCategory.BlueGreys_607D8B;
|
||||
public const ColorCategory Facebook = ColorCategory.Facebook_1877F2;
|
||||
public const ColorCategory Twitter = ColorCategory.Twitter_1DA1F2;
|
||||
public const ColorCategory Yahoo = ColorCategory.Yahoo_410093;
|
||||
public const ColorCategory Discord = ColorCategory.Discord_5865F2;
|
||||
public const ColorCategory Itch = ColorCategory.Itch_FA5C5C;
|
||||
public const ColorCategory Line = ColorCategory.Line_00C300;
|
||||
public const ColorCategory Steam = ColorCategory.Steam_231f20;
|
||||
public const ColorCategory VK = ColorCategory.VK_4C75A3;
|
||||
|
||||
public static readonly Color DebugMagenta = new(0xFF00FFFFu);
|
||||
public static readonly Color DebugCyan = new(0x00FFFFFFu);
|
||||
public static readonly Color DebugRed = new(0xFF0000FFu);
|
||||
public static readonly Color DebugGreen = new(0x00FF00FFu);
|
||||
public static readonly Color DebugBlue = new(0x0000FFFFu);
|
||||
public static readonly Color DebugYellow = new(0xFFFF00FFu);
|
||||
public static readonly Color Black = Godot.Colors.Black;
|
||||
public static readonly Color White = Godot.Colors.White;
|
||||
public static readonly Color SemiTransparentBlack = new(0x0000007Fu);
|
||||
public static readonly Color SemiTransparentWhite = new(0xFFFFFF7Fu);
|
||||
public static readonly Color TransparentBlack = new(0x00000000u);
|
||||
public static readonly Color TransparentWhite = new(0xFFFFFF00u);
|
||||
public static readonly Color PrideBrown = new(0x784F17FFu);
|
||||
public static readonly Color PrideRed = new(0xE40303FFu);
|
||||
public static readonly Color PrideOrange = new(0xFF8C00FFu);
|
||||
public static readonly Color PrideYellow = new(0xFFED00FFu);
|
||||
public static readonly Color PrideGreen = new(0x008026FFu);
|
||||
public static readonly Color PrideBlue = new(0x004DFFFFu);
|
||||
public static readonly Color PridePurple = new(0x750787FFu);
|
||||
public static readonly Color PrideLightBlue = new(0x5BCEFAFFu);
|
||||
public static readonly Color PridePink = new(0xF5A9B8FFu);
|
||||
public static readonly Color Parchment = new(0xFCF5E5FFu);
|
||||
public static readonly Color Red50 = new(0xFFEBEEFFu);
|
||||
public static readonly Color Red100 = new(0xFFCDD2FFu);
|
||||
public static readonly Color Red200 = new(0xEF9A9AFFu);
|
||||
public static readonly Color Red300 = new(0xE57373FFu);
|
||||
public static readonly Color Red400 = new(0xEF5350FFu);
|
||||
public static readonly Color Red500 = new(0xF44336FFu);
|
||||
public static readonly Color Red600 = new(0xE53935FFu);
|
||||
public static readonly Color Red700 = new(0xD32F2FFFu);
|
||||
public static readonly Color Red800 = new(0xC62828FFu);
|
||||
public static readonly Color Red900 = new(0xB71C1CFFu);
|
||||
public static readonly Color RedA100 = new(0xFF8A80FFu);
|
||||
public static readonly Color RedA200 = new(0xFF5252FFu);
|
||||
public static readonly Color RedA400 = new(0xFF1744FFu);
|
||||
public static readonly Color RedA700 = new(0xD50000FFu);
|
||||
public static readonly Color Pink50 = new(0xFCE4ECFFu);
|
||||
public static readonly Color Pink100 = new(0xF8BBD0FFu);
|
||||
public static readonly Color Pink200 = new(0xF48FB1FFu);
|
||||
public static readonly Color Pink300 = new(0xF06292FFu);
|
||||
public static readonly Color Pink400 = new(0xEC407AFFu);
|
||||
public static readonly Color Pink500 = new(0xE91E63FFu);
|
||||
public static readonly Color Pink600 = new(0xD81B60FFu);
|
||||
public static readonly Color Pink700 = new(0xC2185BFFu);
|
||||
public static readonly Color Pink800 = new(0xAD1457FFu);
|
||||
public static readonly Color Pink900 = new(0x880E4FFFu);
|
||||
public static readonly Color PinkA100 = new(0xFF80ABFFu);
|
||||
public static readonly Color PinkA200 = new(0xFF4081FFu);
|
||||
public static readonly Color PinkA400 = new(0xF50057FFu);
|
||||
public static readonly Color PinkA700 = new(0xC51162FFu);
|
||||
public static readonly Color Purple50 = new(0xF3E5F5FFu);
|
||||
public static readonly Color Purple100 = new(0xE1BEE7FFu);
|
||||
public static readonly Color Purple200 = new(0xCE93D8FFu);
|
||||
public static readonly Color Purple300 = new(0xBA68C8FFu);
|
||||
public static readonly Color Purple400 = new(0xAB47BCFFu);
|
||||
public static readonly Color Purple500 = new(0x9C27B0FFu);
|
||||
public static readonly Color Purple600 = new(0x8E24AAFFu);
|
||||
public static readonly Color Purple700 = new(0x7B1FA2FFu);
|
||||
public static readonly Color Purple800 = new(0x6A1B9AFFu);
|
||||
public static readonly Color Purple900 = new(0x4A148CFFu);
|
||||
public static readonly Color PurpleA100 = new(0xEA80FCFFu);
|
||||
public static readonly Color PurpleA200 = new(0xE040FBFFu);
|
||||
public static readonly Color PurpleA400 = new(0xD500F9FFu);
|
||||
public static readonly Color PurpleA700 = new(0xAA00FFFFu);
|
||||
public static readonly Color DeepPurple50 = new(0xEDE7F6FFu);
|
||||
public static readonly Color DeepPurple100 = new(0xD1C4E9FFu);
|
||||
public static readonly Color DeepPurple200 = new(0xB39DDBFFu);
|
||||
public static readonly Color DeepPurple300 = new(0x9575CDFFu);
|
||||
public static readonly Color DeepPurple400 = new(0x7E57C2FFu);
|
||||
public static readonly Color DeepPurple500 = new(0x673AB7FFu);
|
||||
public static readonly Color DeepPurple600 = new(0x5E35B1FFu);
|
||||
public static readonly Color DeepPurple700 = new(0x512DA8FFu);
|
||||
public static readonly Color DeepPurple800 = new(0x4527A0FFu);
|
||||
public static readonly Color DeepPurple900 = new(0x311B92FFu);
|
||||
public static readonly Color DeepPurpleA100 = new(0xB388FFFFu);
|
||||
public static readonly Color DeepPurpleA200 = new(0x7C4DFFFFu);
|
||||
public static readonly Color DeepPurpleA400 = new(0x651FFFFFu);
|
||||
public static readonly Color DeepPurpleA700 = new(0x6200EAFFu);
|
||||
public static readonly Color Indigo50 = new(0xE8EAF6FFu);
|
||||
public static readonly Color Indigo100 = new(0xC5CAE9FFu);
|
||||
public static readonly Color Indigo200 = new(0x9FA8DAFFu);
|
||||
public static readonly Color Indigo300 = new(0x7986CBFFu);
|
||||
public static readonly Color Indigo400 = new(0x5C6BC0FFu);
|
||||
public static readonly Color Indigo500 = new(0x3F51B5FFu);
|
||||
public static readonly Color Indigo600 = new(0x3949ABFFu);
|
||||
public static readonly Color Indigo700 = new(0x303F9FFFu);
|
||||
public static readonly Color Indigo800 = new(0x283593FFu);
|
||||
public static readonly Color Indigo900 = new(0x1A237EFFu);
|
||||
public static readonly Color IndigoA100 = new(0x8C9EFFFFu);
|
||||
public static readonly Color IndigoA200 = new(0x536DFEFFu);
|
||||
public static readonly Color IndigoA400 = new(0x3D5AFEFFu);
|
||||
public static readonly Color IndigoA700 = new(0x304FFEFFu);
|
||||
public static readonly Color Blue50 = new(0xE3F2FDFFu);
|
||||
public static readonly Color Blue100 = new(0xBBDEFBFFu);
|
||||
public static readonly Color Blue200 = new(0x90CAF9FFu);
|
||||
public static readonly Color Blue300 = new(0x64B5F6FFu);
|
||||
public static readonly Color Blue400 = new(0x42A5F5FFu);
|
||||
public static readonly Color Blue500 = new(0x2196F3FFu);
|
||||
public static readonly Color Blue600 = new(0x1E88E5FFu);
|
||||
public static readonly Color Blue700 = new(0x1976D2FFu);
|
||||
public static readonly Color Blue800 = new(0x1565C0FFu);
|
||||
public static readonly Color Blue900 = new(0x0D47A1FFu);
|
||||
public static readonly Color BlueA100 = new(0x82B1FFFFu);
|
||||
public static readonly Color BlueA200 = new(0x448AFFFFu);
|
||||
public static readonly Color BlueA400 = new(0x2979FFFFu);
|
||||
public static readonly Color BlueA700 = new(0x2962FFFFu);
|
||||
public static readonly Color LightBlue50 = new(0xE1F5FEFFu);
|
||||
public static readonly Color LightBlue100 = new(0xB3E5FCFFu);
|
||||
public static readonly Color LightBlue200 = new(0x81D4FAFFu);
|
||||
public static readonly Color LightBlue300 = new(0x4FC3F7FFu);
|
||||
public static readonly Color LightBlue400 = new(0x29B6F6FFu);
|
||||
public static readonly Color LightBlue500 = new(0x03A9F4FFu);
|
||||
public static readonly Color LightBlue600 = new(0x039BE5FFu);
|
||||
public static readonly Color LightBlue700 = new(0x0288D1FFu);
|
||||
public static readonly Color LightBlue800 = new(0x0277BDFFu);
|
||||
public static readonly Color LightBlue900 = new(0x01579BFFu);
|
||||
public static readonly Color LightBlueA100 = new(0x80D8FFFFu);
|
||||
public static readonly Color LightBlueA200 = new(0x40C4FFFFu);
|
||||
public static readonly Color LightBlueA400 = new(0x00B0FFFFu);
|
||||
public static readonly Color LightBlueA700 = new(0x0091EAFFu);
|
||||
public static readonly Color Cyan50 = new(0xE0F7FAFFu);
|
||||
public static readonly Color Cyan100 = new(0xB2EBF2FFu);
|
||||
public static readonly Color Cyan200 = new(0x80DEEAFFu);
|
||||
public static readonly Color Cyan300 = new(0x4DD0E1FFu);
|
||||
public static readonly Color Cyan400 = new(0x26C6DAFFu);
|
||||
public static readonly Color Cyan500 = new(0x00BCD4FFu);
|
||||
public static readonly Color Cyan600 = new(0x00ACC1FFu);
|
||||
public static readonly Color Cyan700 = new(0x0097A7FFu);
|
||||
public static readonly Color Cyan800 = new(0x00838FFFu);
|
||||
public static readonly Color Cyan900 = new(0x006064FFu);
|
||||
public static readonly Color CyanA100 = new(0x84FFFFFFu);
|
||||
public static readonly Color CyanA200 = new(0x18FFFFFFu);
|
||||
public static readonly Color CyanA400 = new(0x00E5FFFFu);
|
||||
public static readonly Color CyanA700 = new(0x00B8D4FFu);
|
||||
public static readonly Color Teal50 = new(0xE0F2F1FFu);
|
||||
public static readonly Color Teal100 = new(0xB2DFDBFFu);
|
||||
public static readonly Color Teal200 = new(0x80CBC4FFu);
|
||||
public static readonly Color Teal300 = new(0x4DB6ACFFu);
|
||||
public static readonly Color Teal400 = new(0x26A69AFFu);
|
||||
public static readonly Color Teal500 = new(0x009688FFu);
|
||||
public static readonly Color Teal600 = new(0x00897BFFu);
|
||||
public static readonly Color Teal700 = new(0x00796BFFu);
|
||||
public static readonly Color Teal800 = new(0x00695CFFu);
|
||||
public static readonly Color Teal900 = new(0x004D40FFu);
|
||||
public static readonly Color TealA100 = new(0xA7FFEBFFu);
|
||||
public static readonly Color TealA200 = new(0x64FFDAFFu);
|
||||
public static readonly Color TealA400 = new(0x1DE9B6FFu);
|
||||
public static readonly Color TealA700 = new(0x00BFA5FFu);
|
||||
public static readonly Color Green50 = new(0xE8F5E9FFu);
|
||||
public static readonly Color Green100 = new(0xC8E6C9FFu);
|
||||
public static readonly Color Green200 = new(0xA5D6A7FFu);
|
||||
public static readonly Color Green300 = new(0x81C784FFu);
|
||||
public static readonly Color Green400 = new(0x66BB6AFFu);
|
||||
public static readonly Color Green500 = new(0x4CAF50FFu);
|
||||
public static readonly Color Green600 = new(0x43A047FFu);
|
||||
public static readonly Color Green700 = new(0x388E3CFFu);
|
||||
public static readonly Color Green800 = new(0x2E7D32FFu);
|
||||
public static readonly Color Green900 = new(0x1B5E20FFu);
|
||||
public static readonly Color GreenA100 = new(0xB9F6CAFFu);
|
||||
public static readonly Color GreenA200 = new(0x69F0AEFFu);
|
||||
public static readonly Color GreenA400 = new(0x00E676FFu);
|
||||
public static readonly Color GreenA700 = new(0x00C853FFu);
|
||||
public static readonly Color LightGreen50 = new(0xF1F8E9FFu);
|
||||
public static readonly Color LightGreen100 = new(0xDCEDC8FFu);
|
||||
public static readonly Color LightGreen200 = new(0xC5E1A5FFu);
|
||||
public static readonly Color LightGreen300 = new(0xAED581FFu);
|
||||
public static readonly Color LightGreen400 = new(0x9CCC65FFu);
|
||||
public static readonly Color LightGreen500 = new(0x8BC34AFFu);
|
||||
public static readonly Color LightGreen600 = new(0x7CB342FFu);
|
||||
public static readonly Color LightGreen700 = new(0x689F38FFu);
|
||||
public static readonly Color LightGreen800 = new(0x558B2FFFu);
|
||||
public static readonly Color LightGreen900 = new(0x33691EFFu);
|
||||
public static readonly Color LightGreenA100 = new(0xCCFF90FFu);
|
||||
public static readonly Color LightGreenA200 = new(0xB2FF59FFu);
|
||||
public static readonly Color LightGreenA400 = new(0x76FF03FFu);
|
||||
public static readonly Color LightGreenA700 = new(0x64DD17FFu);
|
||||
public static readonly Color Lime50 = new(0xF9FBE7FFu);
|
||||
public static readonly Color Lime100 = new(0xF0F4C3FFu);
|
||||
public static readonly Color Lime200 = new(0xE6EE9CFFu);
|
||||
public static readonly Color Lime300 = new(0xDCE775FFu);
|
||||
public static readonly Color Lime400 = new(0xD4E157FFu);
|
||||
public static readonly Color Lime500 = new(0xCDDC39FFu);
|
||||
public static readonly Color Lime600 = new(0xC0CA33FFu);
|
||||
public static readonly Color Lime700 = new(0xAFB42BFFu);
|
||||
public static readonly Color Lime800 = new(0x9E9D24FFu);
|
||||
public static readonly Color Lime900 = new(0x827717FFu);
|
||||
public static readonly Color LimeA100 = new(0xF4FF81FFu);
|
||||
public static readonly Color LimeA200 = new(0xEEFF41FFu);
|
||||
public static readonly Color LimeA400 = new(0xC6FF00FFu);
|
||||
public static readonly Color LimeA700 = new(0xAEEA00FFu);
|
||||
public static readonly Color Yellow50 = new(0xFFFDE7FFu);
|
||||
public static readonly Color Yellow100 = new(0xFFF9C4FFu);
|
||||
public static readonly Color Yellow200 = new(0xFFF59DFFu);
|
||||
public static readonly Color Yellow300 = new(0xFFF176FFu);
|
||||
public static readonly Color Yellow400 = new(0xFFEE58FFu);
|
||||
public static readonly Color Yellow500 = new(0xFFEB3BFFu);
|
||||
public static readonly Color Yellow600 = new(0xFDD835FFu);
|
||||
public static readonly Color Yellow700 = new(0xFBC02DFFu);
|
||||
public static readonly Color Yellow800 = new(0xF9A825FFu);
|
||||
public static readonly Color Yellow900 = new(0xF57F17FFu);
|
||||
public static readonly Color YellowA100 = new(0xFFFF8DFFu);
|
||||
public static readonly Color YellowA200 = new(0xFFFF00FFu);
|
||||
public static readonly Color YellowA400 = new(0xFFEA00FFu);
|
||||
public static readonly Color YellowA700 = new(0xFFD600FFu);
|
||||
public static readonly Color Amber50 = new(0xFFF8E1FFu);
|
||||
public static readonly Color Amber100 = new(0xFFECB3FFu);
|
||||
public static readonly Color Amber200 = new(0xFFE082FFu);
|
||||
public static readonly Color Amber300 = new(0xFFD54FFFu);
|
||||
public static readonly Color Amber400 = new(0xFFCA28FFu);
|
||||
public static readonly Color Amber500 = new(0xFFC107FFu);
|
||||
public static readonly Color Amber600 = new(0xFFB300FFu);
|
||||
public static readonly Color Amber700 = new(0xFFA000FFu);
|
||||
public static readonly Color Amber800 = new(0xFF8F00FFu);
|
||||
public static readonly Color Amber900 = new(0xFF6F00FFu);
|
||||
public static readonly Color AmberA100 = new(0xFFE57FFFu);
|
||||
public static readonly Color AmberA200 = new(0xFFD740FFu);
|
||||
public static readonly Color AmberA400 = new(0xFFC400FFu);
|
||||
public static readonly Color AmberA700 = new(0xFFAB00FFu);
|
||||
public static readonly Color Orange50 = new(0xFFF3E0FFu);
|
||||
public static readonly Color Orange100 = new(0xFFE0B2FFu);
|
||||
public static readonly Color Orange200 = new(0xFFCC80FFu);
|
||||
public static readonly Color Orange300 = new(0xFFB74DFFu);
|
||||
public static readonly Color Orange400 = new(0xFFA726FFu);
|
||||
public static readonly Color Orange500 = new(0xFF9800FFu);
|
||||
public static readonly Color Orange600 = new(0xFB8C00FFu);
|
||||
public static readonly Color Orange700 = new(0xF57C00FFu);
|
||||
public static readonly Color Orange800 = new(0xEF6C00FFu);
|
||||
public static readonly Color Orange900 = new(0xE65100FFu);
|
||||
public static readonly Color OrangeA100 = new(0xFFD180FFu);
|
||||
public static readonly Color OrangeA200 = new(0xFFAB40FFu);
|
||||
public static readonly Color OrangeA400 = new(0xFF9100FFu);
|
||||
public static readonly Color OrangeA700 = new(0xFF6D00FFu);
|
||||
public static readonly Color DeepOrange50 = new(0xFBE9E7FFu);
|
||||
public static readonly Color DeepOrange100 = new(0xFFCCBCFFu);
|
||||
public static readonly Color DeepOrange200 = new(0xFFAB91FFu);
|
||||
public static readonly Color DeepOrange300 = new(0xFF8A65FFu);
|
||||
public static readonly Color DeepOrange400 = new(0xFF7043FFu);
|
||||
public static readonly Color DeepOrange500 = new(0xFF5722FFu);
|
||||
public static readonly Color DeepOrange600 = new(0xF4511EFFu);
|
||||
public static readonly Color DeepOrange700 = new(0xE64A19FFu);
|
||||
public static readonly Color DeepOrange800 = new(0xD84315FFu);
|
||||
public static readonly Color DeepOrange900 = new(0xBF360CFFu);
|
||||
public static readonly Color DeepOrangeA100 = new(0xFF9E80FFu);
|
||||
public static readonly Color DeepOrangeA200 = new(0xFF6E40FFu);
|
||||
public static readonly Color DeepOrangeA400 = new(0xFF3D00FFu);
|
||||
public static readonly Color DeepOrangeA700 = new(0xDD2C00FFu);
|
||||
public static readonly Color Brown50 = new(0xEFEBE9FFu);
|
||||
public static readonly Color Brown100 = new(0xD7CCC8FFu);
|
||||
public static readonly Color Brown200 = new(0xBCAAA4FFu);
|
||||
public static readonly Color Brown300 = new(0xA1887FFFu);
|
||||
public static readonly Color Brown400 = new(0x8D6E63FFu);
|
||||
public static readonly Color Brown500 = new(0x795548FFu);
|
||||
public static readonly Color Brown600 = new(0x6D4C41FFu);
|
||||
public static readonly Color Brown700 = new(0x5D4037FFu);
|
||||
public static readonly Color Brown800 = new(0x4E342EFFu);
|
||||
public static readonly Color Brown900 = new(0x3E2723FFu);
|
||||
public static readonly Color Grey50 = new(0xFAFAFAFFu);
|
||||
public static readonly Color Grey100 = new(0xF5F5F5FFu);
|
||||
public static readonly Color Grey200 = new(0xEEEEEEFFu);
|
||||
public static readonly Color Grey300 = new(0xE0E0E0FFu);
|
||||
public static readonly Color Grey400 = new(0xBDBDBDFFu);
|
||||
public static readonly Color Grey500 = new(0x9E9E9EFFu);
|
||||
public static readonly Color Grey600 = new(0x757575FFu);
|
||||
public static readonly Color Grey700 = new(0x616161FFu);
|
||||
public static readonly Color Grey800 = new(0x424242FFu);
|
||||
public static readonly Color Grey900 = new(0x212121FFu);
|
||||
public static readonly Color BlueGrey50 = new(0xECEFF1FFu);
|
||||
public static readonly Color BlueGrey100 = new(0xCFD8DCFFu);
|
||||
public static readonly Color BlueGrey200 = new(0xB0BEC5FFu);
|
||||
public static readonly Color BlueGrey300 = new(0x90A4AEFFu);
|
||||
public static readonly Color BlueGrey400 = new(0x78909CFFu);
|
||||
public static readonly Color BlueGrey500 = new(0x607D8BFFu);
|
||||
public static readonly Color BlueGrey600 = new(0x546E7AFFu);
|
||||
public static readonly Color BlueGrey700 = new(0x455A64FFu);
|
||||
public static readonly Color BlueGrey800 = new(0x37474FFFu);
|
||||
public static readonly Color BlueGrey900 = new(0x263238FFu);
|
||||
// Firebase federated identities:
|
||||
// public static readonly Color AuthProviderApple = new(0xFFu);
|
||||
public static readonly Color AuthProviderFacebook = new(0x1877F2FFu); // From materialui.co
|
||||
// public static readonly Color AuthProviderGameCenter = new(0xFFu);
|
||||
// public static readonly Color AuthProviderGitHub = new(0xFFu);
|
||||
public static readonly string AuthProviderGoogle = "Read the docs!";
|
||||
// ^ Note that, not surprisingly, Google is the strictest of all of the
|
||||
// providers in terms of brand requirements. They also seem to pursue
|
||||
// legal action when their brand requirements are not met. They even
|
||||
// require a specific font (Roboto) for their sign-in button, as well as
|
||||
// specific images for all of the various button states! For this
|
||||
// reason, no color is provided as the automatic color conversion for the
|
||||
// alternate button states would violate their terms!
|
||||
// Read the docs before use!
|
||||
// public static readonly Color AuthProviderMicrosoft = new(0xFFu);
|
||||
// public static readonly Color AuthProviderPlayGames = new(0xFFu);
|
||||
public static readonly Color AuthProviderTwitter = new(0x1DA1F2FFu); // From materialui.co
|
||||
public static readonly Color AuthProviderYahoo = new(0x410093FFu); // From materialui.co
|
||||
// Miscellaneous services able to be used to log in:
|
||||
public static readonly Color AuthProviderDiscord = new(0x5865F2FFu); // From press kit 2023-02-20
|
||||
// ^ Note that Discord, like Steam, has a lot of details about how they
|
||||
// want their marks used. Discord is so much friendlier than Steam!
|
||||
public static readonly Color AuthProviderItch = new(0xFA5C5CFFu); // From press kit 2023-02-20
|
||||
public static readonly Color AuthProviderLine = new(0x00C300FFu); // From materialui.co
|
||||
public static readonly Color AuthProviderSteam = new(0x231f20FFu); // Picked from Steam_Guidelines_060222.pdf from press kit 2023-02-20
|
||||
// ^ Note that Steam doesn't seem to care about the background, as long as
|
||||
// it's in high contrast to the foreground, which must be black or white.
|
||||
// ^ Note also that Steam has absurdly strict branding requirements, and
|
||||
// they seem to enforce them legally! Read the docs before use!
|
||||
public static readonly Color AuthProviderVK = new(0x4C75A3FFu); // From materialui.co
|
||||
|
||||
public static Color Get(in ColorCategory category, in ColorID id)
|
||||
{
|
||||
return category switch {
|
||||
ColorCategory.Reds_F44336 => Red(id),
|
||||
ColorCategory.Pinks_E91E63 => Pink(id),
|
||||
ColorCategory.Purples_9C27B0 => Purple(id),
|
||||
ColorCategory.DeepPurples_673AB7 => DeepPurple(id),
|
||||
ColorCategory.Indigos_3F51B5 => Indigo(id),
|
||||
ColorCategory.Blues_2196F3 => Blue(id),
|
||||
ColorCategory.LightBlues_03A9F4 => LightBlue(id),
|
||||
ColorCategory.Cyans_00BCD4 => Cyan(id),
|
||||
ColorCategory.Teals_009688 => Teal(id),
|
||||
ColorCategory.Greens_4CAF50 => Green(id),
|
||||
ColorCategory.LightGreens_8BC34A => LightGreen(id),
|
||||
ColorCategory.Limes_CDDC39 => Lime(id),
|
||||
ColorCategory.Yellows_FFEB3B => Yellow(id),
|
||||
ColorCategory.Ambers_FFC107 => Amber(id),
|
||||
ColorCategory.Oranges_FF9800 => Orange(id),
|
||||
ColorCategory.DeepOranges_FF5722 => DeepOrange(id),
|
||||
ColorCategory.Browns_795548 => Brown(id),
|
||||
ColorCategory.Greys_9E9E9E => Grey(id),
|
||||
ColorCategory.BlueGreys_607D8B => BlueGrey(id),
|
||||
ColorCategory.Facebook_1877F2 => Get(AuthProviderFacebook, id),
|
||||
ColorCategory.Google_FFFFFF => White, // Always. Read the docs!
|
||||
ColorCategory.Twitter_1DA1F2 => Get(AuthProviderTwitter, id),
|
||||
ColorCategory.Yahoo_410093 => Get(AuthProviderYahoo, id),
|
||||
ColorCategory.Discord_5865F2 => Get(AuthProviderDiscord, id),
|
||||
ColorCategory.Itch_FA5C5C => Get(AuthProviderItch, id),
|
||||
ColorCategory.Line_00C300 => Get(AuthProviderLine, id),
|
||||
ColorCategory.Steam_231f20 => Get(AuthProviderSteam, id),
|
||||
ColorCategory.VK_4C75A3 => Get(AuthProviderVK, id),
|
||||
_ => TransparentBlack,
|
||||
};
|
||||
}
|
||||
|
||||
public static Color Get(in Color baseColor500, in ColorID id)
|
||||
{
|
||||
var weight = id switch {
|
||||
ColorID.White => MaterialDesignLerpWeightWhite,
|
||||
ColorID.Color50 => MaterialDesignLerpWeight50,
|
||||
ColorID.Color100 => MaterialDesignLerpWeight100,
|
||||
ColorID.Color200 => MaterialDesignLerpWeight200,
|
||||
ColorID.Color300 => MaterialDesignLerpWeight300,
|
||||
ColorID.Color400 => MaterialDesignLerpWeight400,
|
||||
ColorID.Color500 => MaterialDesignLerpWeight500,
|
||||
ColorID.Color600 => MaterialDesignLerpWeight600,
|
||||
ColorID.Color700 => MaterialDesignLerpWeight700,
|
||||
ColorID.Color800 => MaterialDesignLerpWeight800,
|
||||
ColorID.Color900 => MaterialDesignLerpWeight900,
|
||||
ColorID.ColorA100 => MaterialDesignLerpWeight100,
|
||||
ColorID.ColorA200 => MaterialDesignLerpWeight200,
|
||||
ColorID.ColorA400 => MaterialDesignLerpWeight400,
|
||||
ColorID.ColorA700 => MaterialDesignLerpWeight700,
|
||||
_ => double.NaN,
|
||||
};
|
||||
if (!double.IsNaN(weight)) {
|
||||
if (weight == 0d) {
|
||||
return baseColor500;
|
||||
} else if (weight > 0d) {
|
||||
return baseColor500.Lerp(White, (float) weight);
|
||||
} else {
|
||||
return baseColor500.Lerp(Black, (float) -weight);
|
||||
}
|
||||
}
|
||||
return TransparentBlack;
|
||||
}
|
||||
|
||||
public static Color Red(in ColorID id) => ArrGet(ArrReds, id);
|
||||
public static Color Pink(in ColorID id) => ArrGet(ArrPinks, id);
|
||||
public static Color Purple(in ColorID id) => ArrGet(ArrPurples, id);
|
||||
public static Color DeepPurple(in ColorID id)
|
||||
=> ArrGet(ArrDeepPurples, id);
|
||||
public static Color Indigo(in ColorID id) => ArrGet(ArrIndigos, id);
|
||||
public static Color Blue(in ColorID id) => ArrGet(ArrBlues, id);
|
||||
public static Color LightBlue(in ColorID id) => ArrGet(ArrLightBlues, id);
|
||||
public static Color Cyan(in ColorID id) => ArrGet(ArrCyans, id);
|
||||
public static Color Teal(in ColorID id) => ArrGet(ArrTeals, id);
|
||||
public static Color Green(in ColorID id) => ArrGet(ArrGreens, id);
|
||||
public static Color LightGreen(in ColorID id)
|
||||
=> ArrGet(ArrLightGreens, id);
|
||||
public static Color Lime(in ColorID id) => ArrGet(ArrLimes, id);
|
||||
public static Color Yellow(in ColorID id) => ArrGet(ArrYellows, id);
|
||||
public static Color Amber(in ColorID id) => ArrGet(ArrAmbers, id);
|
||||
public static Color Orange(in ColorID id) => ArrGet(ArrOranges, id);
|
||||
public static Color DeepOrange(in ColorID id)
|
||||
=> ArrGet(ArrDeepOranges, id);
|
||||
public static Color Brown(in ColorID id) => ArrGet(ArrBrowns, id);
|
||||
public static Color Grey(in ColorID id) => ArrGet(ArrGreys, id);
|
||||
public static Color BlueGrey(in ColorID id) => ArrGet(ArrBlueGreys, id);
|
||||
|
||||
public static Color RandomHue(in ColorID id = ColorID.Color500)
|
||||
=> Get((ColorCategory) Rng.RandiRange((int) ColorCategory.Reds_F44336,
|
||||
(int) ColorCategory.DeepOranges_FF5722), id);
|
||||
|
||||
private static readonly RandomNumberGenerator Rng = new();
|
||||
|
||||
private const int MaterialDesignIDs = 14;
|
||||
|
||||
private const double MaterialDesignLerpWeightWhite = 1d;
|
||||
private const double MaterialDesignLerpWeight50
|
||||
= 2d * (0xFA / 255d - MaterialDesignLum500);
|
||||
private const double MaterialDesignLerpWeight100
|
||||
= 2d * (0xF5 / 255d - MaterialDesignLum500);
|
||||
private const double MaterialDesignLerpWeight200
|
||||
= 2d * (0xEE / 255d - MaterialDesignLum500);
|
||||
private const double MaterialDesignLerpWeight300
|
||||
= 2d * (0xE0 / 255d - MaterialDesignLum500);
|
||||
private const double MaterialDesignLerpWeight400
|
||||
= 2d * (0xBD / 255d - MaterialDesignLum500);
|
||||
private const double MaterialDesignLerpWeight500 = 0d;
|
||||
private const double MaterialDesignLerpWeight600
|
||||
= 2d * (0x75 / 255d - MaterialDesignLum500);
|
||||
private const double MaterialDesignLerpWeight700
|
||||
= 2d * (0x61 / 255d - MaterialDesignLum500);
|
||||
private const double MaterialDesignLerpWeight800
|
||||
= 2d * (0x42 / 255d - MaterialDesignLum500);
|
||||
private const double MaterialDesignLerpWeight900
|
||||
= 2d * (0x21 / 255d - MaterialDesignLum500);
|
||||
private const double MaterialDesignLum500 = 0x9E / 255d;
|
||||
|
||||
private static readonly Color[] ArrReds
|
||||
= new Color[MaterialDesignIDs] {
|
||||
Red50,
|
||||
Red100,
|
||||
Red200,
|
||||
Red300,
|
||||
Red400,
|
||||
Red500,
|
||||
Red600,
|
||||
Red700,
|
||||
Red800,
|
||||
Red900,
|
||||
RedA100,
|
||||
RedA200,
|
||||
RedA400,
|
||||
RedA700,
|
||||
};
|
||||
|
||||
private static readonly Color[] ArrPinks
|
||||
= new Color[MaterialDesignIDs] {
|
||||
Pink50,
|
||||
Pink100,
|
||||
Pink200,
|
||||
Pink300,
|
||||
Pink400,
|
||||
Pink500,
|
||||
Pink600,
|
||||
Pink700,
|
||||
Pink800,
|
||||
Pink900,
|
||||
PinkA100,
|
||||
PinkA200,
|
||||
PinkA400,
|
||||
PinkA700,
|
||||
};
|
||||
|
||||
private static readonly Color[] ArrPurples
|
||||
= new Color[MaterialDesignIDs] {
|
||||
Purple50,
|
||||
Purple100,
|
||||
Purple200,
|
||||
Purple300,
|
||||
Purple400,
|
||||
Purple500,
|
||||
Purple600,
|
||||
Purple700,
|
||||
Purple800,
|
||||
Purple900,
|
||||
PurpleA100,
|
||||
PurpleA200,
|
||||
PurpleA400,
|
||||
PurpleA700,
|
||||
};
|
||||
|
||||
private static readonly Color[] ArrDeepPurples
|
||||
= new Color[MaterialDesignIDs] {
|
||||
DeepPurple50,
|
||||
DeepPurple100,
|
||||
DeepPurple200,
|
||||
DeepPurple300,
|
||||
DeepPurple400,
|
||||
DeepPurple500,
|
||||
DeepPurple600,
|
||||
DeepPurple700,
|
||||
DeepPurple800,
|
||||
DeepPurple900,
|
||||
DeepPurpleA100,
|
||||
DeepPurpleA200,
|
||||
DeepPurpleA400,
|
||||
DeepPurpleA700,
|
||||
};
|
||||
|
||||
private static readonly Color[] ArrIndigos
|
||||
= new Color[MaterialDesignIDs] {
|
||||
Indigo50,
|
||||
Indigo100,
|
||||
Indigo200,
|
||||
Indigo300,
|
||||
Indigo400,
|
||||
Indigo500,
|
||||
Indigo600,
|
||||
Indigo700,
|
||||
Indigo800,
|
||||
Indigo900,
|
||||
IndigoA100,
|
||||
IndigoA200,
|
||||
IndigoA400,
|
||||
IndigoA700,
|
||||
};
|
||||
|
||||
private static readonly Color[] ArrBlues
|
||||
= new Color[MaterialDesignIDs] {
|
||||
Blue50,
|
||||
Blue100,
|
||||
Blue200,
|
||||
Blue300,
|
||||
Blue400,
|
||||
Blue500,
|
||||
Blue600,
|
||||
Blue700,
|
||||
Blue800,
|
||||
Blue900,
|
||||
BlueA100,
|
||||
BlueA200,
|
||||
BlueA400,
|
||||
BlueA700,
|
||||
};
|
||||
|
||||
private static readonly Color[] ArrLightBlues
|
||||
= new Color[MaterialDesignIDs] {
|
||||
LightBlue50,
|
||||
LightBlue100,
|
||||
LightBlue200,
|
||||
LightBlue300,
|
||||
LightBlue400,
|
||||
LightBlue500,
|
||||
LightBlue600,
|
||||
LightBlue700,
|
||||
LightBlue800,
|
||||
LightBlue900,
|
||||
LightBlueA100,
|
||||
LightBlueA200,
|
||||
LightBlueA400,
|
||||
LightBlueA700,
|
||||
};
|
||||
|
||||
private static readonly Color[] ArrCyans
|
||||
= new Color[MaterialDesignIDs] {
|
||||
Cyan50,
|
||||
Cyan100,
|
||||
Cyan200,
|
||||
Cyan300,
|
||||
Cyan400,
|
||||
Cyan500,
|
||||
Cyan600,
|
||||
Cyan700,
|
||||
Cyan800,
|
||||
Cyan900,
|
||||
CyanA100,
|
||||
CyanA200,
|
||||
CyanA400,
|
||||
CyanA700,
|
||||
};
|
||||
|
||||
private static readonly Color[] ArrTeals
|
||||
= new Color[MaterialDesignIDs] {
|
||||
Teal50,
|
||||
Teal100,
|
||||
Teal200,
|
||||
Teal300,
|
||||
Teal400,
|
||||
Teal500,
|
||||
Teal600,
|
||||
Teal700,
|
||||
Teal800,
|
||||
Teal900,
|
||||
TealA100,
|
||||
TealA200,
|
||||
TealA400,
|
||||
TealA700,
|
||||
};
|
||||
|
||||
private static readonly Color[] ArrGreens
|
||||
= new Color[MaterialDesignIDs] {
|
||||
Green50,
|
||||
Green100,
|
||||
Green200,
|
||||
Green300,
|
||||
Green400,
|
||||
Green500,
|
||||
Green600,
|
||||
Green700,
|
||||
Green800,
|
||||
Green900,
|
||||
GreenA100,
|
||||
GreenA200,
|
||||
GreenA400,
|
||||
GreenA700,
|
||||
};
|
||||
|
||||
private static readonly Color[] ArrLightGreens
|
||||
= new Color[MaterialDesignIDs] {
|
||||
LightGreen50,
|
||||
LightGreen100,
|
||||
LightGreen200,
|
||||
LightGreen300,
|
||||
LightGreen400,
|
||||
LightGreen500,
|
||||
LightGreen600,
|
||||
LightGreen700,
|
||||
LightGreen800,
|
||||
LightGreen900,
|
||||
LightGreenA100,
|
||||
LightGreenA200,
|
||||
LightGreenA400,
|
||||
LightGreenA700,
|
||||
};
|
||||
|
||||
private static readonly Color[] ArrLimes
|
||||
= new Color[MaterialDesignIDs] {
|
||||
Lime50,
|
||||
Lime100,
|
||||
Lime200,
|
||||
Lime300,
|
||||
Lime400,
|
||||
Lime500,
|
||||
Lime600,
|
||||
Lime700,
|
||||
Lime800,
|
||||
Lime900,
|
||||
LimeA100,
|
||||
LimeA200,
|
||||
LimeA400,
|
||||
LimeA700,
|
||||
};
|
||||
|
||||
private static readonly Color[] ArrYellows
|
||||
= new Color[MaterialDesignIDs] {
|
||||
Yellow50,
|
||||
Yellow100,
|
||||
Yellow200,
|
||||
Yellow300,
|
||||
Yellow400,
|
||||
Yellow500,
|
||||
Yellow600,
|
||||
Yellow700,
|
||||
Yellow800,
|
||||
Yellow900,
|
||||
YellowA100,
|
||||
YellowA200,
|
||||
YellowA400,
|
||||
YellowA700,
|
||||
};
|
||||
|
||||
private static readonly Color[] ArrAmbers
|
||||
= new Color[MaterialDesignIDs] {
|
||||
Amber50,
|
||||
Amber100,
|
||||
Amber200,
|
||||
Amber300,
|
||||
Amber400,
|
||||
Amber500,
|
||||
Amber600,
|
||||
Amber700,
|
||||
Amber800,
|
||||
Amber900,
|
||||
AmberA100,
|
||||
AmberA200,
|
||||
AmberA400,
|
||||
AmberA700,
|
||||
};
|
||||
|
||||
private static readonly Color[] ArrOranges
|
||||
= new Color[MaterialDesignIDs] {
|
||||
Orange50,
|
||||
Orange100,
|
||||
Orange200,
|
||||
Orange300,
|
||||
Orange400,
|
||||
Orange500,
|
||||
Orange600,
|
||||
Orange700,
|
||||
Orange800,
|
||||
Orange900,
|
||||
OrangeA100,
|
||||
OrangeA200,
|
||||
OrangeA400,
|
||||
OrangeA700,
|
||||
};
|
||||
|
||||
private static readonly Color[] ArrDeepOranges
|
||||
= new Color[MaterialDesignIDs] {
|
||||
DeepOrange50,
|
||||
DeepOrange100,
|
||||
DeepOrange200,
|
||||
DeepOrange300,
|
||||
DeepOrange400,
|
||||
DeepOrange500,
|
||||
DeepOrange600,
|
||||
DeepOrange700,
|
||||
DeepOrange800,
|
||||
DeepOrange900,
|
||||
DeepOrangeA100,
|
||||
DeepOrangeA200,
|
||||
DeepOrangeA400,
|
||||
DeepOrangeA700,
|
||||
};
|
||||
|
||||
private static readonly Color[] ArrBrowns
|
||||
= new Color[MaterialDesignIDs] {
|
||||
Brown50,
|
||||
Brown100,
|
||||
Brown200,
|
||||
Brown300,
|
||||
Brown400,
|
||||
Brown500,
|
||||
Brown600,
|
||||
Brown700,
|
||||
Brown800,
|
||||
Brown900,
|
||||
Brown100,
|
||||
Brown200,
|
||||
Brown400,
|
||||
Brown700,
|
||||
};
|
||||
|
||||
private static readonly Color[] ArrGreys
|
||||
= new Color[MaterialDesignIDs] {
|
||||
Grey50,
|
||||
Grey100,
|
||||
Grey200,
|
||||
Grey300,
|
||||
Grey400,
|
||||
Grey500,
|
||||
Grey600,
|
||||
Grey700,
|
||||
Grey800,
|
||||
Grey900,
|
||||
Grey100,
|
||||
Grey200,
|
||||
Grey400,
|
||||
Grey700,
|
||||
};
|
||||
|
||||
private static readonly Color[] ArrBlueGreys
|
||||
= new Color[MaterialDesignIDs] {
|
||||
BlueGrey50,
|
||||
BlueGrey100,
|
||||
BlueGrey200,
|
||||
BlueGrey300,
|
||||
BlueGrey400,
|
||||
BlueGrey500,
|
||||
BlueGrey600,
|
||||
BlueGrey700,
|
||||
BlueGrey800,
|
||||
BlueGrey900,
|
||||
BlueGrey100,
|
||||
BlueGrey200,
|
||||
BlueGrey400,
|
||||
BlueGrey700,
|
||||
};
|
||||
|
||||
private static Color ArrGet(in Color[] arr, in ColorID id)
|
||||
{
|
||||
if (id == ColorID.White) {
|
||||
return White;
|
||||
}
|
||||
var idx = (int) id - 1;
|
||||
if (idx >= 0 && idx < arr.Length) {
|
||||
return arr[idx];
|
||||
}
|
||||
return TransparentBlack;
|
||||
}
|
||||
}
|
||||
}
|
70
scripts/amy/AmyCore.Debug.cs
Normal file
70
scripts/amy/AmyCore.Debug.cs
Normal file
|
@ -0,0 +1,70 @@
|
|||
/**
|
||||
* AmyCore
|
||||
* Core functionality with zero hard dependencies (besides C# 8.0 and Godot).
|
||||
*
|
||||
* Strongly recommended to include:
|
||||
* System.IO.Hashing
|
||||
* https://www.nuget.org/packages/System.IO.Hashing
|
||||
* Microsoft.Extensions.Logging
|
||||
* https://www.nuget.org/packages/Microsoft.Extensions.Logging
|
||||
*
|
||||
* Stuff that is very commonly needed and very rarely changes should go here.
|
||||
*
|
||||
* Last update date: 2024-09-05
|
||||
*
|
||||
**/
|
||||
|
||||
#define AMY_HAVE_MICROSOFT_EXTENSIONS_LOGGING
|
||||
#define AMY_HAVE_SYSTEM_IO_HASHING
|
||||
|
||||
|
||||
#if AMY_HAVE_MICROSOFT_EXTENSIONS_LOGGING
|
||||
using Logging = Microsoft.Extensions.Logging; // https://www.nuget.org/packages/Microsoft.Extensions.Logging
|
||||
#endif
|
||||
|
||||
#if AMY_HAVE_SYSTEM_IO_HASHING
|
||||
using System.IO.Hashing; // https://www.nuget.org/packages/System.IO.Hashing
|
||||
#endif
|
||||
|
||||
using Godot;
|
||||
using System;
|
||||
using System.Collections;
|
||||
using System.Collections.Generic;
|
||||
using System.Diagnostics.CodeAnalysis;
|
||||
using System.Diagnostics.Contracts;
|
||||
using System.IO.Compression;
|
||||
using System.Linq;
|
||||
using System.Net;
|
||||
using System.Reflection;
|
||||
using System.Runtime.Serialization;
|
||||
using Crypto = System.Security.Cryptography;
|
||||
using System.Text;
|
||||
using System.Text.RegularExpressions;
|
||||
using System.Threading.Tasks;
|
||||
using System.Net.NetworkInformation;
|
||||
using System.Net.Sockets;
|
||||
using System.Net.Http;
|
||||
|
||||
namespace Amy;
|
||||
#nullable enable
|
||||
|
||||
public static partial class AmyCore
|
||||
{
|
||||
internal static void Assert(bool condition, params object[] message)
|
||||
{
|
||||
#if DEBUG
|
||||
if (condition) {
|
||||
return;
|
||||
}
|
||||
StringBuilder sb = new(message.Length > 0 ? "Assertion failed: " : "Assertion failed.");
|
||||
foreach (var component in message) {
|
||||
sb.Append("``");
|
||||
sb.Append(component.ToString());
|
||||
sb.Append("''");
|
||||
}
|
||||
var msg = sb.ToString();
|
||||
GD.PushError(msg);
|
||||
throw new ApplicationException(msg);
|
||||
#endif
|
||||
}
|
||||
}
|
420
scripts/amy/AmyCore.Logging.cs
Normal file
420
scripts/amy/AmyCore.Logging.cs
Normal file
|
@ -0,0 +1,420 @@
|
|||
/**
|
||||
* AmyCore
|
||||
* Core functionality with zero hard dependencies (besides C# 8.0 and Godot).
|
||||
*
|
||||
* Strongly recommended to include:
|
||||
* System.IO.Hashing
|
||||
* https://www.nuget.org/packages/System.IO.Hashing
|
||||
* Microsoft.Extensions.Logging
|
||||
* https://www.nuget.org/packages/Microsoft.Extensions.Logging
|
||||
*
|
||||
* Stuff that is very commonly needed and very rarely changes should go here.
|
||||
*
|
||||
* Last update date: 2024-05-03
|
||||
*
|
||||
**/
|
||||
|
||||
#define AMY_HAVE_MICROSOFT_EXTENSIONS_LOGGING
|
||||
#define AMY_HAVE_SYSTEM_IO_HASHING
|
||||
|
||||
|
||||
#if AMY_HAVE_MICROSOFT_EXTENSIONS_LOGGING
|
||||
using Logging = Microsoft.Extensions.Logging; // https://www.nuget.org/packages/Microsoft.Extensions.Logging
|
||||
#endif
|
||||
|
||||
#if AMY_HAVE_SYSTEM_IO_HASHING
|
||||
using System.IO.Hashing; // https://www.nuget.org/packages/System.IO.Hashing
|
||||
#endif
|
||||
|
||||
using Godot;
|
||||
using System;
|
||||
using System.Collections;
|
||||
using System.Collections.Generic;
|
||||
using System.Diagnostics.CodeAnalysis;
|
||||
using System.Diagnostics.Contracts;
|
||||
using System.IO.Compression;
|
||||
using System.Linq;
|
||||
using System.Net;
|
||||
using System.Reflection;
|
||||
using System.Runtime.Serialization;
|
||||
using Crypto = System.Security.Cryptography;
|
||||
using System.Text;
|
||||
using System.Text.RegularExpressions;
|
||||
using System.Threading.Tasks;
|
||||
using System.Net.NetworkInformation;
|
||||
using System.Net.Sockets;
|
||||
using System.Net.Http;
|
||||
|
||||
namespace Amy;
|
||||
#nullable enable
|
||||
|
||||
public static partial class AmyCore
|
||||
{
|
||||
public partial class Logger
|
||||
#if AMY_HAVE_MICROSOFT_EXTENSIONS_LOGGING
|
||||
: Logging.ILogger
|
||||
#endif
|
||||
{
|
||||
public enum Severity : byte
|
||||
{
|
||||
Trace,
|
||||
Debug,
|
||||
Verbose,
|
||||
Info,
|
||||
Warning,
|
||||
Error,
|
||||
Critical,
|
||||
None,
|
||||
}
|
||||
|
||||
public readonly record struct LogEntry(in Severity Severity,
|
||||
[NotNullWhen(true)] in DateTime TimeStamp,
|
||||
[NotNullWhen(true)] in string Message);
|
||||
|
||||
public static Severity LogLevel
|
||||
{
|
||||
get => Internal_LogLevel;
|
||||
set {
|
||||
if (!Enum.IsDefined(value)) {
|
||||
throw new InvalidOperationException(Logger_.Error(
|
||||
"LogLevel was set to unsupported Severity ", value, "."));
|
||||
}
|
||||
Internal_LogLevel = value;
|
||||
}
|
||||
}
|
||||
private static Severity Internal_LogLevel = Severity.Info;
|
||||
|
||||
public static event Action<string>? OnLogLine;
|
||||
|
||||
public readonly List<LogEntry> LogEntries = new();
|
||||
|
||||
public readonly string SubModule;
|
||||
|
||||
public Logger([NotNullWhen(true)] in string subModule)
|
||||
{
|
||||
if (subModule is null) {
|
||||
throw new ArgumentNullException(nameof(subModule));
|
||||
}
|
||||
SubModule = subModule;
|
||||
}
|
||||
|
||||
#region API
|
||||
public string Critical(params object?[] args)
|
||||
=> Print(Severity.Critical, args);
|
||||
|
||||
public string CriticalC(params object?[] args)
|
||||
=> PrintC(Severity.Critical, args);
|
||||
|
||||
#pragma warning disable IDE0060 // Remove unused parameter 'dummy' if it is not part of a shipped public API Roslyn(IDE0060)
|
||||
public string CriticalEx(in string? sep, in bool dummy,
|
||||
params object?[] args)
|
||||
=> PrintEx(Severity.Critical, sep, false, args);
|
||||
#pragma warning restore IDE0060 // Remove unused parameter 'dummy' if it is not part of a shipped public API Roslyn(IDE0060)
|
||||
|
||||
public string CriticalS(params object?[] args)
|
||||
=> PrintS(Severity.Critical, args);
|
||||
|
||||
public string CriticalT(params object?[] args)
|
||||
=> PrintT(Severity.Critical, args);
|
||||
|
||||
public string Debug(params object?[] args)
|
||||
=> Print(Severity.Debug, args);
|
||||
|
||||
public string DebugC(params object?[] args)
|
||||
=> PrintC(Severity.Debug, args);
|
||||
|
||||
public string DebugEx(in string? sep, in bool rich, params object?[] args)
|
||||
=> PrintEx(Severity.Debug, sep, rich, args);
|
||||
|
||||
public string DebugRich(params object?[] args)
|
||||
=> PrintRich(Severity.Debug, args);
|
||||
|
||||
public string DebugRichC(params object?[] args)
|
||||
=> PrintRichC(Severity.Debug, args);
|
||||
|
||||
public string DebugRichS(params object?[] args)
|
||||
=> PrintRichS(Severity.Debug, args);
|
||||
|
||||
public string DebugRichT(params object?[] args)
|
||||
=> PrintRichT(Severity.Debug, args);
|
||||
|
||||
public string DebugS(params object?[] args)
|
||||
=> PrintS(Severity.Debug, args);
|
||||
|
||||
public string DebugT(params object?[] args)
|
||||
=> PrintT(Severity.Debug, args);
|
||||
|
||||
public string Error(params object?[] args)
|
||||
=> Print(Severity.Error, args);
|
||||
|
||||
public string ErrorC(params object?[] args)
|
||||
=> PrintC(Severity.Error, args);
|
||||
|
||||
#pragma warning disable IDE0060 // Remove unused parameter 'dummy' if it is not part of a shipped public API Roslyn(IDE0060)
|
||||
public string ErrorEx(in string? sep, in bool dummy, params object?[] args)
|
||||
=> PrintEx(Severity.Error, sep, false, args);
|
||||
#pragma warning restore IDE0060 // Remove unused parameter 'dummy' if it is not part of a shipped public API Roslyn(IDE0060)
|
||||
|
||||
public string ErrorS(params object?[] args)
|
||||
=> PrintS(Severity.Error, args);
|
||||
|
||||
public string ErrorT(params object?[] args)
|
||||
=> PrintT(Severity.Error, args);
|
||||
|
||||
public string Info(params object?[] args)
|
||||
=> Print(Severity.Info, args);
|
||||
|
||||
public string InfoC(params object?[] args)
|
||||
=> PrintC(Severity.Info, args);
|
||||
|
||||
public string InfoEx(in string? sep, in bool rich, params object?[] args)
|
||||
=> PrintEx(Severity.Info, sep, rich, args);
|
||||
|
||||
public string InfoRich(params object?[] args)
|
||||
=> PrintRich(Severity.Info, args);
|
||||
|
||||
public string InfoRichC(params object?[] args)
|
||||
=> PrintRichC(Severity.Info, args);
|
||||
|
||||
public string InfoRichS(params object?[] args)
|
||||
=> PrintRichS(Severity.Info, args);
|
||||
|
||||
public string InfoRichT(params object?[] args)
|
||||
=> PrintRichT(Severity.Info, args);
|
||||
|
||||
public string InfoS(params object?[] args)
|
||||
=> PrintS(Severity.Info, args);
|
||||
|
||||
public string InfoT(params object?[] args)
|
||||
=> PrintT(Severity.Info, args);
|
||||
|
||||
public string Print(in Severity severity, params object?[] args)
|
||||
=> PrintEx(severity, null, false, args);
|
||||
|
||||
public string PrintC(in Severity severity, params object?[] args)
|
||||
=> PrintEx(severity, ", ", false, args);
|
||||
|
||||
public string PrintEx(in Severity severity, in string? sep, in bool rich,
|
||||
params object?[] args)
|
||||
=> PrintLogEntry(severity, rich, PrepareLogEntry(severity, sep, args));
|
||||
|
||||
public string PrintLogEntry(in Severity severity, in bool rich,
|
||||
[NotNullWhen(true)] in LogEntry logEntry)
|
||||
{
|
||||
var msg = logEntry.Message;
|
||||
var ts = logEntry.TimeStamp;
|
||||
OnLogLine?.Invoke(msg);
|
||||
if (severity >= LogLevel && severity != Severity.None) {
|
||||
if (severity >= Severity.Error) {
|
||||
GD.PushError(msg);
|
||||
GD.PrintErr(msg);
|
||||
} else if (severity >= Severity.Warning) {
|
||||
GD.PushWarning(msg);
|
||||
GD.PrintErr(msg);
|
||||
} else if (rich) {
|
||||
GD.PrintRich(msg);
|
||||
} else {
|
||||
GD.Print(msg);
|
||||
}
|
||||
}
|
||||
LogEntries.Add(logEntry);
|
||||
return msg; // Return the message for convienience, e.g. to throw an exception
|
||||
}
|
||||
|
||||
public string PrintRich(in Severity severity, params object?[] args)
|
||||
=> PrintEx(severity, string.Empty, true, args);
|
||||
|
||||
public string PrintRichC(in Severity severity, params object?[] args)
|
||||
=> PrintEx(severity, ", ", true, args);
|
||||
|
||||
public string PrintRichS(in Severity severity, params object?[] args)
|
||||
=> PrintEx(severity, " ", true, args);
|
||||
|
||||
public string PrintRichT(in Severity severity, params object?[] args)
|
||||
=> PrintEx(severity, "\t", true, args);
|
||||
|
||||
public string PrintS(in Severity severity, params object?[] args)
|
||||
=> PrintEx(severity, " ", false, args);
|
||||
|
||||
public string PrintT(in Severity severity, params object?[] args)
|
||||
=> PrintEx(severity, "\t", false, args);
|
||||
|
||||
public string Trace(params object?[] args)
|
||||
=> Print(Severity.Trace, args);
|
||||
|
||||
public string TraceC(params object?[] args)
|
||||
=> PrintC(Severity.Trace, args);
|
||||
|
||||
public string TraceEx(in string? sep, in bool rich, params object?[] args)
|
||||
=> PrintEx(Severity.Trace, sep, rich, args);
|
||||
|
||||
public string TraceRich(params object?[] args)
|
||||
=> PrintRich(Severity.Trace, args);
|
||||
|
||||
public string TraceRichC(params object?[] args)
|
||||
=> PrintRichC(Severity.Trace, args);
|
||||
|
||||
public string TraceRichS(params object?[] args)
|
||||
=> PrintRichS(Severity.Trace, args);
|
||||
|
||||
public string TraceRichT(params object?[] args)
|
||||
=> PrintRichT(Severity.Trace, args);
|
||||
|
||||
public string TraceS(params object?[] args)
|
||||
=> PrintS(Severity.Trace, args);
|
||||
|
||||
public string TraceT(params object?[] args)
|
||||
=> PrintT(Severity.Trace, args);
|
||||
|
||||
public string Verbose(params object?[] args)
|
||||
=> Print(Severity.Verbose, args);
|
||||
|
||||
public string VerboseC(params object?[] args)
|
||||
=> PrintC(Severity.Verbose, args);
|
||||
|
||||
public string VerboseEx(in string? sep, in bool rich,
|
||||
params object?[] args)
|
||||
=> PrintEx(Severity.Verbose, sep, rich, args);
|
||||
|
||||
public string VerboseRich(params object?[] args)
|
||||
=> PrintRich(Severity.Verbose, args);
|
||||
|
||||
public string VerboseRichC(params object?[] args)
|
||||
=> PrintRichC(Severity.Verbose, args);
|
||||
|
||||
public string VerboseRichS(params object?[] args)
|
||||
=> PrintRichS(Severity.Verbose, args);
|
||||
|
||||
public string VerboseRichT(params object?[] args)
|
||||
=> PrintRichT(Severity.Verbose, args);
|
||||
|
||||
public string VerboseS(params object?[] args)
|
||||
=> PrintS(Severity.Verbose, args);
|
||||
|
||||
public string VerboseT(params object?[] args)
|
||||
=> PrintT(Severity.Verbose, args);
|
||||
|
||||
public string Warning(params object?[] args)
|
||||
=> Print(Severity.Warning, args);
|
||||
|
||||
public string WarningC(params object?[] args)
|
||||
=> PrintC(Severity.Warning, args);
|
||||
|
||||
#pragma warning disable IDE0060 // Remove unused parameter 'dummy' if it is not part of a shipped public API Roslyn(IDE0060)
|
||||
public string WarningEx(in string? sep, in bool dummy,
|
||||
params object?[] args)
|
||||
=> PrintEx(Severity.Warning, sep, false, args);
|
||||
#pragma warning restore IDE0060 // Remove unused parameter 'dummy' if it is not part of a shipped public API Roslyn(IDE0060)
|
||||
|
||||
public string WarningS(params object?[] args)
|
||||
=> PrintS(Severity.Warning, args);
|
||||
|
||||
public string WarningT(params object?[] args)
|
||||
=> PrintT(Severity.Warning, args);
|
||||
#endregion API
|
||||
|
||||
#region Interface Microsoft.Extensions.Logging.ILogger
|
||||
#if AMY_HAVE_MICROSOFT_EXTENSIONS_LOGGING
|
||||
// TODO: For what is this method used?
|
||||
IDisposable? Logging.ILogger.BeginScope<TState>(TState state)
|
||||
{
|
||||
return null;
|
||||
}
|
||||
|
||||
public bool IsEnabled(Logging.LogLevel logLevel)
|
||||
{
|
||||
var severity = MapLogLevelToSeverity(logLevel);
|
||||
return severity >= LogLevel && severity != Severity.None;
|
||||
}
|
||||
|
||||
public void Log<TState>(Logging.LogLevel logLevel, Logging.EventId eventId,
|
||||
TState state, Exception? exception,
|
||||
Func<TState, Exception?, string> formatter)
|
||||
{
|
||||
var severity = MapLogLevelToSeverity(logLevel);
|
||||
if (severity == Severity.None) {
|
||||
return;
|
||||
}
|
||||
|
||||
var sb = new StringBuilder();
|
||||
sb.Append('{');
|
||||
sb.Append(eventId.Id);
|
||||
sb.Append(':');
|
||||
sb.Append(eventId.Name);
|
||||
sb.Append('}');
|
||||
|
||||
var msg = formatter?.Invoke(state, exception) ?? string.Empty;
|
||||
|
||||
_ = PrintS(severity, sb.ToString(), msg);
|
||||
}
|
||||
#endif
|
||||
#endregion Interface Microsoft.Extensions.Logging.ILogger
|
||||
|
||||
#region Protected Implementation
|
||||
protected static readonly Logger Logger_ = new("AmyCore.Logger");
|
||||
|
||||
#if AMY_HAVE_MICROSOFT_EXTENSIONS_LOGGING
|
||||
protected static Severity MapLogLevelToSeverity(
|
||||
in Logging.LogLevel logLevel)
|
||||
{
|
||||
if (logLevel == Logging.LogLevel.None) {
|
||||
return Severity.None;
|
||||
} if (logLevel >= Logging.LogLevel.Critical) {
|
||||
return Severity.Critical;
|
||||
} else if (logLevel >= Logging.LogLevel.Error) {
|
||||
return Severity.Error;
|
||||
} else if (logLevel >= Logging.LogLevel.Warning) {
|
||||
return Severity.Warning;
|
||||
} else if (logLevel >= Logging.LogLevel.Information) {
|
||||
return Severity.Info;
|
||||
} else if (logLevel >= Logging.LogLevel.Debug) {
|
||||
return Severity.Debug;
|
||||
} else if (logLevel >= Logging.LogLevel.Trace) {
|
||||
return Severity.Trace;
|
||||
}
|
||||
return Severity.Trace;
|
||||
}
|
||||
#endif
|
||||
|
||||
protected LogEntry PrepareLogEntry(in Severity severity, in string? sep,
|
||||
in object?[]? args)
|
||||
{
|
||||
var sb = new StringBuilder("[");
|
||||
var now = DateTime.UtcNow;
|
||||
sb.Append(now.Year.ToString("D4"));
|
||||
sb.Append('-');
|
||||
sb.Append(now.Month.ToString("D2"));
|
||||
sb.Append('-');
|
||||
sb.Append(now.Day.ToString("D2"));
|
||||
sb.Append('T');
|
||||
sb.Append(now.Hour.ToString("D2"));
|
||||
sb.Append(':');
|
||||
sb.Append(now.Minute.ToString("D2"));
|
||||
sb.Append(':');
|
||||
sb.Append(now.Second.ToString("D2"));
|
||||
sb.Append('.');
|
||||
sb.Append(now.Millisecond.ToString("D3"));
|
||||
sb.Append(now.Microsecond.ToString("D3"));
|
||||
sb.Append("Z] [Amy");
|
||||
var submod = SubModule; // This definitely won't be null...
|
||||
if (!string.IsNullOrEmpty(submod)) { // ...But it doesn't hurt to do it this way anyway...
|
||||
sb.Append('/');
|
||||
sb.Append(submod);
|
||||
}
|
||||
sb.Append(':');
|
||||
sb.Append(severity.ToString());
|
||||
sb.Append("] ");
|
||||
if (args is not null) {
|
||||
foreach (var arg in args) {
|
||||
if (sep is not null) {
|
||||
sb.Append(sep);
|
||||
}
|
||||
sb.Append(arg?.ToString() ?? "(null)");
|
||||
}
|
||||
}
|
||||
return new LogEntry(Severity: severity, TimeStamp: now,
|
||||
Message: sb.ToString());
|
||||
}
|
||||
#endregion Protected Implementation
|
||||
}
|
||||
}
|
1617
scripts/amy/AmyCore.Misc.cs
Normal file
1617
scripts/amy/AmyCore.Misc.cs
Normal file
File diff suppressed because it is too large
Load diff
152
scripts/amy/AmyCore.Pool.cs
Normal file
152
scripts/amy/AmyCore.Pool.cs
Normal file
|
@ -0,0 +1,152 @@
|
|||
/**
|
||||
* AmyCore
|
||||
* Core functionality with zero hard dependencies (besides C# 8.0 and Godot).
|
||||
*
|
||||
* Strongly recommended to include:
|
||||
* System.IO.Hashing
|
||||
* https://www.nuget.org/packages/System.IO.Hashing
|
||||
* Microsoft.Extensions.Logging
|
||||
* https://www.nuget.org/packages/Microsoft.Extensions.Logging
|
||||
*
|
||||
* Stuff that is very commonly needed and very rarely changes should go here.
|
||||
*
|
||||
* Last update date: 2024-04-04
|
||||
*
|
||||
**/
|
||||
|
||||
#define AMY_HAVE_MICROSOFT_EXTENSIONS_LOGGING
|
||||
#define AMY_HAVE_SYSTEM_IO_HASHING
|
||||
|
||||
|
||||
#if AMY_HAVE_MICROSOFT_EXTENSIONS_LOGGING
|
||||
using Logging = Microsoft.Extensions.Logging; // https://www.nuget.org/packages/Microsoft.Extensions.Logging
|
||||
#endif
|
||||
|
||||
#if AMY_HAVE_SYSTEM_IO_HASHING
|
||||
using System.IO.Hashing; // https://www.nuget.org/packages/System.IO.Hashing
|
||||
#endif
|
||||
|
||||
using Godot;
|
||||
using System;
|
||||
using System.Collections;
|
||||
using System.Collections.Generic;
|
||||
using System.Diagnostics.CodeAnalysis;
|
||||
using System.Diagnostics.Contracts;
|
||||
using System.IO.Compression;
|
||||
using System.Linq;
|
||||
using System.Net;
|
||||
using System.Reflection;
|
||||
using System.Runtime.Serialization;
|
||||
using Crypto = System.Security.Cryptography;
|
||||
using System.Text;
|
||||
using System.Text.RegularExpressions;
|
||||
using System.Threading.Tasks;
|
||||
using System.Net.NetworkInformation;
|
||||
using System.Net.Sockets;
|
||||
using System.Net.Http;
|
||||
|
||||
namespace Amy;
|
||||
#nullable enable
|
||||
|
||||
public static partial class AmyCore
|
||||
{
|
||||
public static async Task FillPoolAsync(Node self, Pool pool, int initialCapacity)
|
||||
{
|
||||
for (int times = 0; times < initialCapacity; times++) {
|
||||
await ProcessFrame(self);
|
||||
if (pool.Available.Count >= initialCapacity) {
|
||||
break; // You're already spawning them!
|
||||
}
|
||||
if (pool.PackedScene.Instantiate() is Node node) {
|
||||
pool.Available.Enqueue(node);
|
||||
}
|
||||
}
|
||||
}
|
||||
|
||||
public partial class Pool
|
||||
{
|
||||
public readonly Queue<Node> Available = new();
|
||||
public readonly PackedScene PackedScene;
|
||||
|
||||
public Pool(PackedScene packedScene)
|
||||
{
|
||||
PackedScene = packedScene;
|
||||
}
|
||||
|
||||
public bool FreeToPool(Node? node)
|
||||
{
|
||||
if (node is not Node nd) {
|
||||
GD.PushWarning("Cannot free to Pool a null Node.");
|
||||
return false;
|
||||
}
|
||||
if (!IsSafeToAccess(nd)) {
|
||||
GD.PushWarning("Node already freed not to Pool.");
|
||||
return false;
|
||||
}
|
||||
if (nd.GetParent() is Node parent) {
|
||||
parent.RemoveChild(nd);
|
||||
} else {
|
||||
GD.PushWarning("Node has no parent.");
|
||||
}
|
||||
Available.Enqueue(nd);
|
||||
return true;
|
||||
}
|
||||
|
||||
public Node Instantiate()
|
||||
{
|
||||
if (!Available.TryDequeue(out var node)) {
|
||||
node = PackedScene.Instantiate();
|
||||
}
|
||||
if (!IsSafeToAccess(node)) {
|
||||
throw new InvalidOperationException("Pool objects should not be freed except to the Pool!");
|
||||
}
|
||||
if (node is Node2D n2d) {
|
||||
n2d.Position = Vector2.Zero;
|
||||
n2d.Rotation = 0f;
|
||||
n2d.Scale = Vector2.One;
|
||||
}
|
||||
if (node is Node3D n3d) {
|
||||
n3d.Position = Vector3.Zero;
|
||||
n3d.Rotation = Vector3.Zero;
|
||||
n3d.Scale = Vector3.One;
|
||||
}
|
||||
return node;
|
||||
}
|
||||
|
||||
public Node2D Instantiate(Vector2 position)
|
||||
{
|
||||
if (!Available.TryDequeue(out var node)) {
|
||||
node = PackedScene.Instantiate();
|
||||
}
|
||||
if (!IsSafeToAccess(node)) {
|
||||
throw new InvalidOperationException("Pool objects should not be freed except to the Pool!");
|
||||
}
|
||||
if (node is Node2D n2d) {
|
||||
n2d.Position = position;
|
||||
n2d.Rotation = 0f;
|
||||
n2d.Scale = Vector2.One;
|
||||
return n2d;
|
||||
}
|
||||
Available.Enqueue(node);
|
||||
throw new InvalidOperationException("Pool was not a Node2D Pool.");
|
||||
}
|
||||
|
||||
public Node3D Instantiate(Vector3 position)
|
||||
{
|
||||
if (!Available.TryDequeue(out var node)) {
|
||||
node = PackedScene.Instantiate();
|
||||
}
|
||||
if (!IsSafeToAccess(node)) {
|
||||
throw new InvalidOperationException("Pool objects should not be freed except to the Pool!");
|
||||
}
|
||||
if (node is Node3D n3d) {
|
||||
n3d.Position = position;
|
||||
n3d.Rotation = Vector3.Zero;
|
||||
n3d.Scale = Vector3.One;
|
||||
return n3d;
|
||||
}
|
||||
Available.Enqueue(node);
|
||||
throw new InvalidOperationException("Pool was not a Node3D Pool.");
|
||||
}
|
||||
}
|
||||
}
|
715
scripts/amy/AmyCore.Random.cs
Normal file
715
scripts/amy/AmyCore.Random.cs
Normal file
|
@ -0,0 +1,715 @@
|
|||
/**
|
||||
* AmyCore
|
||||
* Core functionality with zero hard dependencies (besides C# 8.0 and Godot).
|
||||
*
|
||||
* Strongly recommended to include:
|
||||
* System.IO.Hashing
|
||||
* https://www.nuget.org/packages/System.IO.Hashing
|
||||
* Microsoft.Extensions.Logging
|
||||
* https://www.nuget.org/packages/Microsoft.Extensions.Logging
|
||||
*
|
||||
* Stuff that is very commonly needed and very rarely changes should go here.
|
||||
*
|
||||
* Last update date: 2024-06-13
|
||||
*
|
||||
**/
|
||||
|
||||
#define AMY_HAVE_MICROSOFT_EXTENSIONS_LOGGING
|
||||
#define AMY_HAVE_SYSTEM_IO_HASHING
|
||||
|
||||
|
||||
#if AMY_HAVE_MICROSOFT_EXTENSIONS_LOGGING
|
||||
using Logging = Microsoft.Extensions.Logging; // https://www.nuget.org/packages/Microsoft.Extensions.Logging
|
||||
#endif
|
||||
|
||||
#if AMY_HAVE_SYSTEM_IO_HASHING
|
||||
using System.IO.Hashing; // https://www.nuget.org/packages/System.IO.Hashing
|
||||
#endif
|
||||
|
||||
using Godot;
|
||||
using System;
|
||||
using System.Collections;
|
||||
using System.Collections.Generic;
|
||||
using System.Diagnostics.CodeAnalysis;
|
||||
using System.Diagnostics.Contracts;
|
||||
using System.IO.Compression;
|
||||
using System.Linq;
|
||||
using System.Net;
|
||||
using System.Reflection;
|
||||
using System.Runtime.Serialization;
|
||||
using Crypto = System.Security.Cryptography;
|
||||
using System.Text;
|
||||
using System.Text.RegularExpressions;
|
||||
using System.Threading.Tasks;
|
||||
using System.Net.NetworkInformation;
|
||||
using System.Net.Sockets;
|
||||
using System.Net.Http;
|
||||
|
||||
namespace Amy;
|
||||
#nullable enable
|
||||
|
||||
public static partial class AmyCore
|
||||
{
|
||||
/// AmyCore's default fast but insecure Randomizer
|
||||
public static Randomizer FastRandom
|
||||
{
|
||||
get {
|
||||
var cache = Internal_FastRandom;
|
||||
if (cache is null) {
|
||||
var rand = new Randomizer(false);
|
||||
rand.Prime(false);
|
||||
Internal_FastRandom = cache = rand;
|
||||
}
|
||||
return cache;
|
||||
}
|
||||
}
|
||||
private static Randomizer? Internal_FastRandom;
|
||||
|
||||
/// AmyCore's default secure Randomizer
|
||||
public static Randomizer SecureRandom
|
||||
{
|
||||
get {
|
||||
var cache = Internal_SecureRandom;
|
||||
if (cache is null) {
|
||||
var rand = new Randomizer(true);
|
||||
rand.Prime(false);
|
||||
Internal_SecureRandom = cache = rand;
|
||||
}
|
||||
return cache;
|
||||
}
|
||||
}
|
||||
private static Randomizer? Internal_SecureRandom;
|
||||
|
||||
public partial class Randomizer
|
||||
{
|
||||
public IRandomizerEngine Engine { get; private init; }
|
||||
public bool Secure => Engine is RadioGatun64RandomizerEngine;
|
||||
|
||||
public Randomizer(bool secure)
|
||||
{
|
||||
Engine = secure
|
||||
? new RadioGatun64RandomizerEngine()
|
||||
: new XoShiRo256ssRandomizerEngine();
|
||||
Seed();
|
||||
}
|
||||
|
||||
public Randomizer(bool secure, DateTime seed0, long seed1)
|
||||
{
|
||||
Engine = secure
|
||||
? new RadioGatun64RandomizerEngine()
|
||||
: new XoShiRo256ssRandomizerEngine();
|
||||
Seed(seed0, seed1);
|
||||
}
|
||||
|
||||
public Randomizer(bool secure, DateTime seed)
|
||||
{
|
||||
Engine = secure
|
||||
? new RadioGatun64RandomizerEngine()
|
||||
: new XoShiRo256ssRandomizerEngine();
|
||||
Seed(seed);
|
||||
}
|
||||
|
||||
public Randomizer(bool secure, string seed)
|
||||
{
|
||||
Engine = secure
|
||||
? new RadioGatun64RandomizerEngine()
|
||||
: new XoShiRo256ssRandomizerEngine();
|
||||
Seed(seed);
|
||||
}
|
||||
|
||||
public Randomizer(bool secure, long seed0, long seed1)
|
||||
{
|
||||
Engine = secure
|
||||
? new RadioGatun64RandomizerEngine()
|
||||
: new XoShiRo256ssRandomizerEngine();
|
||||
Seed(seed0, seed1);
|
||||
}
|
||||
|
||||
public Randomizer(bool secure, ulong seed0, ulong seed1)
|
||||
{
|
||||
Engine = secure
|
||||
? new RadioGatun64RandomizerEngine()
|
||||
: new XoShiRo256ssRandomizerEngine();
|
||||
Seed(seed0, seed1);
|
||||
}
|
||||
|
||||
public Randomizer(bool secure, long seed)
|
||||
{
|
||||
Engine = secure
|
||||
? new RadioGatun64RandomizerEngine()
|
||||
: new XoShiRo256ssRandomizerEngine();
|
||||
Seed(seed);
|
||||
}
|
||||
|
||||
public Randomizer(bool secure, ulong seed)
|
||||
{
|
||||
Engine = secure
|
||||
? new RadioGatun64RandomizerEngine()
|
||||
: new XoShiRo256ssRandomizerEngine();
|
||||
Seed(seed);
|
||||
}
|
||||
|
||||
public Randomizer(bool secure, ulong seed0, ulong seed1, ulong seed2, ulong seed3)
|
||||
{
|
||||
Engine = secure
|
||||
? new RadioGatun64RandomizerEngine()
|
||||
: new XoShiRo256ssRandomizerEngine();
|
||||
Seed(seed0, seed1, seed2, seed3);
|
||||
}
|
||||
|
||||
public bool ChanceIn(ulong chance, ulong possibilities)
|
||||
=> Range(possibilities) < chance;
|
||||
|
||||
public string GenerateNounPhrase(
|
||||
int adjectives = 2,
|
||||
string? separator = null, // null means use a random one out of " ", "-", or "_"
|
||||
bool useBlocklist = true)
|
||||
{
|
||||
var sep = separator ?? string.Empty;
|
||||
if (separator is null) {
|
||||
sep = Select(new string[] {
|
||||
" ",
|
||||
"-",
|
||||
"_",
|
||||
});
|
||||
}
|
||||
var noun = Select(MonolexemicNouns);
|
||||
var danger = useBlocklist && MonolexemicDangerousNouns.Contains(noun);
|
||||
var gerund = MonolexemicGerunds.Contains(noun);
|
||||
List<string> result = new();
|
||||
for (int no = 0; no < adjectives; no++) {
|
||||
string adj;
|
||||
for ( ; ; ) {
|
||||
adj = Select(MonolexemicAdjectives);
|
||||
if (danger) {
|
||||
if (MonolexemicDangerousAdjectives.Contains(adj)) {
|
||||
continue;
|
||||
}
|
||||
}
|
||||
if (gerund) {
|
||||
if (MonolexemicGerunds.Contains(adj)) {
|
||||
continue;
|
||||
}
|
||||
}
|
||||
break;
|
||||
}
|
||||
result.Add(adj);
|
||||
}
|
||||
result.Add(noun);
|
||||
return string.Join(sep, result);
|
||||
}
|
||||
|
||||
public string Hash()
|
||||
{
|
||||
StringBuilder sb = new();
|
||||
for (int no = 0; no < 4; no++) {
|
||||
var word = Next();
|
||||
sb.Append(word.ToString("x16"));
|
||||
}
|
||||
return sb.ToString();
|
||||
}
|
||||
|
||||
public ulong Next() => Engine.Next();
|
||||
|
||||
public double NextDouble()
|
||||
=> (unchecked((long) Next()) & ((1L << 53) - 1)) * (1d / (1L << 53));
|
||||
|
||||
public float NextFloat()
|
||||
=> (unchecked((long) Next()) & ((1L << 24) - 1)) * (1f / (1L << 24));
|
||||
|
||||
// https://stackoverflow.com/a/218600/24204249
|
||||
public double NextGaussian(double mean = 0d, double stdDev = 1d)
|
||||
{
|
||||
var u1 = 1d - NextDouble(); //uniform(0,1] random doubles
|
||||
var u2 = 1d - NextDouble();
|
||||
var randStdNormal = Math.Sqrt(-2d * Math.Log(u1)) * Math.Sin(2d * Math.PI * u2); //random normal(0,1)
|
||||
return mean + stdDev * randStdNormal; //random normal(mean,stdDev^2)
|
||||
}
|
||||
|
||||
public bool OneIn(ulong possibilities) => Range(possibilities) == 0uL;
|
||||
|
||||
public System.Drawing.Point Point(System.Drawing.Rectangle bounds)
|
||||
=> new System.Drawing.Point(Range(bounds.X, bounds.X + bounds.Width),
|
||||
Range(bounds.Y, bounds.Y + bounds.Height));
|
||||
|
||||
public Randomizer Prime(bool alt = false)
|
||||
{
|
||||
Engine.Prime(alt);
|
||||
return this;
|
||||
}
|
||||
|
||||
public int Range(int lowerBoundInclusive, int upperBoundExclusive)
|
||||
{
|
||||
if (lowerBoundInclusive >= upperBoundExclusive) {
|
||||
throw new ArgumentException("Upper bound must be strictly greater than lower bound",
|
||||
nameof(upperBoundExclusive));
|
||||
}
|
||||
return unchecked((int) Range(unchecked((ulong) (upperBoundExclusive - lowerBoundInclusive)))) + lowerBoundInclusive;
|
||||
}
|
||||
|
||||
public long Range(long lowerBoundInclusive, long upperBoundExclusive)
|
||||
{
|
||||
if (lowerBoundInclusive >= upperBoundExclusive) {
|
||||
throw new ArgumentException("Upper bound must be strictly greater than lower bound",
|
||||
nameof(upperBoundExclusive));
|
||||
}
|
||||
return unchecked((long) Range(unchecked((ulong) (upperBoundExclusive - lowerBoundInclusive)))) + lowerBoundInclusive;
|
||||
}
|
||||
|
||||
public ulong Range(ulong lowerBoundInclusive, ulong upperBoundExclusive)
|
||||
{
|
||||
if (lowerBoundInclusive >= upperBoundExclusive) {
|
||||
throw new ArgumentException("Upper bound must be strictly greater than lower bound",
|
||||
nameof(upperBoundExclusive));
|
||||
}
|
||||
return Range(upperBoundExclusive - lowerBoundInclusive) + lowerBoundInclusive;
|
||||
}
|
||||
|
||||
public int Range(int upperBoundExclusive)
|
||||
{
|
||||
if (upperBoundExclusive < 1) {
|
||||
throw new ArgumentException("Upper bound must be greater than 0",
|
||||
nameof(upperBoundExclusive));
|
||||
}
|
||||
return unchecked((int) Range(unchecked((ulong) upperBoundExclusive)));
|
||||
}
|
||||
|
||||
public long Range(long upperBoundExclusive)
|
||||
{
|
||||
if (upperBoundExclusive < 1L) {
|
||||
throw new ArgumentException("Upper bound must be greater than 0",
|
||||
nameof(upperBoundExclusive));
|
||||
}
|
||||
return unchecked((long) Range(unchecked((ulong) upperBoundExclusive)));
|
||||
}
|
||||
|
||||
public ulong Range(ulong upperBoundExclusive)
|
||||
{
|
||||
if (upperBoundExclusive < 1uL) {
|
||||
throw new ArgumentException("Upper bound must be greater than 0",
|
||||
nameof(upperBoundExclusive));
|
||||
}
|
||||
if (upperBoundExclusive == 1uL) {
|
||||
return 0uL;
|
||||
}
|
||||
ulong randMax = ulong.MaxValue;
|
||||
|
||||
// Calculate the largest multiple of upperBound less than or equal to ulong.MaxValue
|
||||
ulong largestMultiple = randMax - (randMax % upperBoundExclusive);
|
||||
|
||||
ulong randNum;
|
||||
do {
|
||||
randNum = Next();
|
||||
} while (randNum >= largestMultiple);
|
||||
return randNum % upperBoundExclusive;
|
||||
}
|
||||
|
||||
public int RangeInclusive(int minInclusive, int maxInclusive)
|
||||
{
|
||||
if (minInclusive > maxInclusive) {
|
||||
throw new ArgumentException("Maximum must be greater than or equal to minimum",
|
||||
nameof(maxInclusive));
|
||||
}
|
||||
return unchecked((int) RangeInclusive(unchecked((ulong) (maxInclusive - minInclusive)))) + minInclusive;
|
||||
}
|
||||
|
||||
public long RangeInclusive(long minInclusive, long maxInclusive)
|
||||
{
|
||||
if (minInclusive > maxInclusive) {
|
||||
throw new ArgumentException("Maximum must be greater than or equal to minimum",
|
||||
nameof(maxInclusive));
|
||||
}
|
||||
return unchecked((long) RangeInclusive(unchecked((ulong) (maxInclusive - minInclusive)))) + minInclusive;
|
||||
}
|
||||
|
||||
public ulong RangeInclusive(ulong minInclusive, ulong maxInclusive)
|
||||
{
|
||||
if (minInclusive > maxInclusive) {
|
||||
throw new ArgumentException("Maximum must be greater than or equal to minimum",
|
||||
nameof(maxInclusive));
|
||||
}
|
||||
return RangeInclusive(maxInclusive - minInclusive) + minInclusive;
|
||||
}
|
||||
|
||||
public ulong RangeInclusive(ulong maxInclusive)
|
||||
=> maxInclusive < ulong.MaxValue ? Range(maxInclusive + 1uL) : Next();
|
||||
|
||||
public void Seed()
|
||||
=> Seed(DateTime.Now, System.Environment.ProcessId);
|
||||
|
||||
public void Seed(DateTime seed0, long seed1) => Seed(seed0.Ticks, seed1);
|
||||
|
||||
public void Seed(DateTime seed) => Seed(seed.Ticks);
|
||||
|
||||
public void Seed(string seed)
|
||||
{
|
||||
#if AMY_HAVE_SYSTEM_IO_HASHING
|
||||
var seeds = XxHash128Of(seed);
|
||||
Seed(seeds.Item1, seeds.Item2, seed);
|
||||
#else
|
||||
throw new NotImplementedException("Requires System.IO.Hashing for string hashing.");
|
||||
#endif
|
||||
}
|
||||
|
||||
public void Seed(long seed0, long seed1)
|
||||
=> Seed(unchecked((ulong) seed0), unchecked((ulong) seed1));
|
||||
|
||||
public void Seed(ulong seed0, ulong seed1)
|
||||
{
|
||||
var seeder = new SplitMix64(seed0);
|
||||
var s0 = seeder.Next();
|
||||
var s1 = seeder.Next();
|
||||
seeder.Seed(seed1);
|
||||
Seed(s0, s1, seeder.Next(), seeder.Next());
|
||||
}
|
||||
|
||||
public void Seed(long seed) => Seed(unchecked((ulong) seed));
|
||||
|
||||
public void Seed(ulong seed)
|
||||
{
|
||||
var seeder = new SplitMix64(seed);
|
||||
Seed(seeder.Next(), seeder.Next(), seeder.Next(), seeder.Next());
|
||||
}
|
||||
|
||||
public void Seed(ulong seed0, ulong seed1, ulong seed2, ulong seed3)
|
||||
=> Engine.Seed(seed0, seed1, seed2, seed3, null);
|
||||
|
||||
public T Select<T>() where T : Enum => Select(GetEnumValues<T>());
|
||||
|
||||
public T Select<T>(IList<T> haystack) => Select(haystack, out _);
|
||||
|
||||
public T Select<T>(IList<T> haystack, out int index)
|
||||
{
|
||||
if (haystack is null) {
|
||||
throw new Exception("Haystack was null");
|
||||
}
|
||||
var count = haystack.Count;
|
||||
if (count < 1) {
|
||||
throw new Exception("Haystack was empty");
|
||||
}
|
||||
var idx = unchecked((int) Range(unchecked((ulong) count)));
|
||||
index = idx;
|
||||
return haystack[idx];
|
||||
}
|
||||
|
||||
private void Seed(ulong seed0, ulong seed1, string seedstr)
|
||||
{
|
||||
var seeder = new SplitMix64(seed0);
|
||||
var s0 = seeder.Next();
|
||||
var s1 = seeder.Next();
|
||||
seeder.Seed(seed1);
|
||||
Engine.Seed(s0, s1, seeder.Next(), seeder.Next(), seedstr);
|
||||
}
|
||||
}
|
||||
|
||||
public interface IRandomizerEngine
|
||||
{
|
||||
ulong Next();
|
||||
void Prime(bool alt);
|
||||
void Seed(ulong seed0, ulong seed1, ulong seed2, ulong seed3, string? seedstr);
|
||||
}
|
||||
|
||||
/// RadioGatún[64] implementation
|
||||
public partial class RadioGatun64RandomizerEngine : IRandomizerEngine
|
||||
{
|
||||
public RadioGatun64RandomizerEngine()
|
||||
{
|
||||
Seeded = false;
|
||||
}
|
||||
|
||||
public void BeltMill()
|
||||
{
|
||||
int rotate = 0;
|
||||
int index = 0;
|
||||
ulong[] millcopy = new ulong[19];
|
||||
ulong temp = 0uL;
|
||||
for (int no = 0; no < 12; no++) {
|
||||
Belt[no + no % 3 * 13] ^= Mill[no + 1];
|
||||
}
|
||||
for (int no = 0; no < 19; no++) {
|
||||
rotate = (rotate + no) % 64;
|
||||
index = no * 7 % 19;
|
||||
temp = Mill[index];
|
||||
temp ^= Mill[(index + 1) % 19] | ~Mill[(index + 2) % 19];
|
||||
millcopy[no] = (temp >> rotate) | (temp << (64 - rotate));
|
||||
}
|
||||
for (int no = 38; no >= 0; no--) {
|
||||
Belt[no + 1] = Belt[no];
|
||||
}
|
||||
for (int no = 0; no < 19; no++) {
|
||||
Mill[no]
|
||||
= millcopy[no]
|
||||
^ millcopy[(no + 1) % 19]
|
||||
^ millcopy[(no + 4) % 19]
|
||||
;
|
||||
}
|
||||
Mill[0] ^= 1uL;
|
||||
for (int no = 0; no < 3; no++) {
|
||||
var val = Belt[no * 13 + 13];
|
||||
Belt[no * 13] = val;
|
||||
Mill[no + 13] ^= val;
|
||||
}
|
||||
}
|
||||
|
||||
public ulong Next()
|
||||
{
|
||||
if (!Seeded) {
|
||||
throw new InvalidOperationException("Unseeded.");
|
||||
}
|
||||
Phase ^= 3;
|
||||
if (Phase == 1) {
|
||||
BeltMill();
|
||||
}
|
||||
ulong endianSwap = Mill[Phase];
|
||||
return endianSwap >> 56 & 0x00000000000000ffuL
|
||||
| endianSwap >> 40 & 0x000000000000ff00uL
|
||||
| endianSwap >> 24 & 0x0000000000ff0000uL
|
||||
| endianSwap >> 8 & 0x00000000ff000000uL
|
||||
| endianSwap << 8 & 0x000000ff00000000uL
|
||||
| endianSwap << 24 & 0x0000ff0000000000uL
|
||||
| endianSwap << 40 & 0x00ff000000000000uL
|
||||
| endianSwap << 56 & 0xff00000000000000uL
|
||||
;
|
||||
}
|
||||
|
||||
public void Prime(bool alt)
|
||||
{
|
||||
if (!Seeded) {
|
||||
throw new InvalidOperationException("Unseeded.");
|
||||
}
|
||||
if (!alt) {
|
||||
} else {
|
||||
}
|
||||
}
|
||||
|
||||
void IRandomizerEngine.Seed(ulong seed0, ulong seed1, ulong seed2, ulong seed3, string? seedstr)
|
||||
{
|
||||
Seeded = false;
|
||||
Phase = 2;
|
||||
Array.Fill(Belt, 0uL);
|
||||
Array.Fill(Mill, 0uL);
|
||||
if (seedstr is string input) {
|
||||
foreach (byte bt in input) {
|
||||
InputMap(bt);
|
||||
}
|
||||
} else {
|
||||
InputMap((byte) (seed0 >> 56 & 0xff));
|
||||
InputMap((byte) (seed0 >> 48 & 0xff));
|
||||
InputMap((byte) (seed0 >> 40 & 0xff));
|
||||
InputMap((byte) (seed0 >> 32 & 0xff));
|
||||
InputMap((byte) (seed0 >> 24 & 0xff));
|
||||
InputMap((byte) (seed0 >> 16 & 0xff));
|
||||
InputMap((byte) (seed0 >> 8 & 0xff));
|
||||
InputMap((byte) (seed0 & 0xff));
|
||||
InputMap((byte) (seed1 >> 56 & 0xff));
|
||||
InputMap((byte) (seed1 >> 48 & 0xff));
|
||||
InputMap((byte) (seed1 >> 40 & 0xff));
|
||||
InputMap((byte) (seed1 >> 32 & 0xff));
|
||||
InputMap((byte) (seed1 >> 24 & 0xff));
|
||||
InputMap((byte) (seed1 >> 16 & 0xff));
|
||||
InputMap((byte) (seed1 >> 8 & 0xff));
|
||||
InputMap((byte) (seed1 & 0xff));
|
||||
InputMap((byte) (seed2 >> 56 & 0xff));
|
||||
InputMap((byte) (seed2 >> 48 & 0xff));
|
||||
InputMap((byte) (seed2 >> 40 & 0xff));
|
||||
InputMap((byte) (seed2 >> 32 & 0xff));
|
||||
InputMap((byte) (seed2 >> 24 & 0xff));
|
||||
InputMap((byte) (seed2 >> 16 & 0xff));
|
||||
InputMap((byte) (seed2 >> 8 & 0xff));
|
||||
InputMap((byte) (seed2 & 0xff));
|
||||
InputMap((byte) (seed3 >> 56 & 0xff));
|
||||
InputMap((byte) (seed3 >> 48 & 0xff));
|
||||
InputMap((byte) (seed3 >> 40 & 0xff));
|
||||
InputMap((byte) (seed3 >> 32 & 0xff));
|
||||
InputMap((byte) (seed3 >> 24 & 0xff));
|
||||
InputMap((byte) (seed3 >> 16 & 0xff));
|
||||
InputMap((byte) (seed3 >> 8 & 0xff));
|
||||
InputMap((byte) (seed3 & 0xff));
|
||||
}
|
||||
InputMap(1);
|
||||
PostInputMap();
|
||||
Seeded = true;
|
||||
}
|
||||
|
||||
private readonly ulong[] Belt = new ulong[40];
|
||||
private ulong Iword;
|
||||
private readonly ulong[] Mill = new ulong[19];
|
||||
private int Phase;
|
||||
private int Place;
|
||||
private bool Seeded;
|
||||
private int Shift;
|
||||
|
||||
private void InputMap(byte bt)
|
||||
{
|
||||
Iword |= (ulong) bt << Shift;
|
||||
Shift += 8;
|
||||
if (Shift > 56) {
|
||||
Shift = 0;
|
||||
Belt[Place * 13] ^= Iword;
|
||||
Mill[Place + 16] ^= Iword;
|
||||
Iword = 0;
|
||||
Place++;
|
||||
if (Place > 2) {
|
||||
Place = 0;
|
||||
BeltMill();
|
||||
}
|
||||
}
|
||||
}
|
||||
|
||||
private void PostInputMap()
|
||||
{
|
||||
if (Shift > 0) {
|
||||
Belt[Place * 13] ^= Iword;
|
||||
Mill[Place + 16] ^= Iword;
|
||||
}
|
||||
if (Place != 0 || Shift != 0) {
|
||||
BeltMill();
|
||||
}
|
||||
for (int no = 0; no < 16; no++) {
|
||||
BeltMill();
|
||||
}
|
||||
}
|
||||
}
|
||||
|
||||
public partial class SplitMix64
|
||||
{
|
||||
public SplitMix64(ulong seed)
|
||||
{
|
||||
State = seed;
|
||||
}
|
||||
|
||||
public ulong Next()
|
||||
{
|
||||
State += 0x9E3779B97F4A7C15uL;
|
||||
ulong z = State;
|
||||
z = (z ^ (z >> 30)) * 0xBF58476D1CE4E5B9uL;
|
||||
z = (z ^ (z >> 27)) * 0x94D049BB133111EBuL;
|
||||
return z ^ (z >> 31);
|
||||
}
|
||||
|
||||
public void Seed(ulong seed)
|
||||
{
|
||||
State = seed;
|
||||
}
|
||||
|
||||
private ulong State;
|
||||
}
|
||||
|
||||
// XoShiRo256** implementation
|
||||
public partial class XoShiRo256ssRandomizerEngine : IRandomizerEngine
|
||||
{
|
||||
public XoShiRo256ssRandomizerEngine()
|
||||
{
|
||||
Seeded = false;
|
||||
}
|
||||
|
||||
public void Jump()
|
||||
{
|
||||
if (!Seeded) {
|
||||
throw new InvalidOperationException("Unseeded.");
|
||||
}
|
||||
ulong s0 = 0uL;
|
||||
ulong s1 = 0uL;
|
||||
ulong s2 = 0uL;
|
||||
ulong s3 = 0uL;
|
||||
for(int i = 0; i < JumpConstants.Length; i++) {
|
||||
for(int b = 0; b < 64; b++) {
|
||||
if ((JumpConstants[i] & 1uL << b) != 0uL) {
|
||||
s0 ^= State[0];
|
||||
s1 ^= State[1];
|
||||
s2 ^= State[2];
|
||||
s3 ^= State[3];
|
||||
}
|
||||
Next();
|
||||
}
|
||||
}
|
||||
State[0] = s0;
|
||||
State[1] = s1;
|
||||
State[2] = s2;
|
||||
State[3] = s3;
|
||||
}
|
||||
|
||||
public void LongJump()
|
||||
{
|
||||
if (!Seeded) {
|
||||
throw new InvalidOperationException("Unseeded.");
|
||||
}
|
||||
ulong s0 = 0uL;
|
||||
ulong s1 = 0uL;
|
||||
ulong s2 = 0uL;
|
||||
ulong s3 = 0uL;
|
||||
for(int i = 0; i < LongJumpConstants.Length; i++) {
|
||||
for(int b = 0; b < 64; b++) {
|
||||
if ((LongJumpConstants[i] & 1uL << b) != 0uL) {
|
||||
s0 ^= State[0];
|
||||
s1 ^= State[1];
|
||||
s2 ^= State[2];
|
||||
s3 ^= State[3];
|
||||
}
|
||||
Next();
|
||||
}
|
||||
}
|
||||
State[0] = s0;
|
||||
State[1] = s1;
|
||||
State[2] = s2;
|
||||
State[3] = s3;
|
||||
}
|
||||
|
||||
public ulong Next()
|
||||
{
|
||||
if (!Seeded) {
|
||||
throw new InvalidOperationException("Unseeded.");
|
||||
}
|
||||
ulong result = RotateLeft(State[1] * 5, 7) * 9;
|
||||
ulong t = State[1] << 17;
|
||||
State[2] ^= State[0];
|
||||
State[3] ^= State[1];
|
||||
State[1] ^= State[2];
|
||||
State[0] ^= State[3];
|
||||
State[2] ^= t;
|
||||
State[3] = RotateLeft(State[3], 45);
|
||||
return result;
|
||||
}
|
||||
|
||||
public void Prime(bool alt)
|
||||
{
|
||||
if (!alt) {
|
||||
Jump();
|
||||
} else {
|
||||
LongJump();
|
||||
}
|
||||
}
|
||||
|
||||
void IRandomizerEngine.Seed(ulong seed0, ulong seed1, ulong seed2, ulong seed3, string? seedstr)
|
||||
{
|
||||
Seeded = false;
|
||||
if (seed0 == 0uL && seed1 == 0uL && seed2 == 0uL && seed3 == 0uL) {
|
||||
seed0 = 1uL;
|
||||
}
|
||||
State[0] = seed0;
|
||||
State[1] = seed1;
|
||||
State[2] = seed2;
|
||||
State[3] = seed3;
|
||||
Seeded = true;
|
||||
}
|
||||
|
||||
private static readonly ulong[] JumpConstants = {
|
||||
0x180ec6d33cfd0abauL, 0xd5a61266f0c9392cuL,
|
||||
0xa9582618e03fc9aauL, 0x39abdc4529b1661cuL,
|
||||
};
|
||||
|
||||
private static readonly ulong[] LongJumpConstants = {
|
||||
0x76e15d3efefdcbbfuL, 0xc5004e441c522fb3uL,
|
||||
0x77710069854ee241uL, 0x39109bb02acbe635uL,
|
||||
};
|
||||
|
||||
private static ulong RotateLeft(ulong x, int k)
|
||||
{
|
||||
return (x << k) | (x >> (64 - k));
|
||||
}
|
||||
|
||||
private bool Seeded;
|
||||
private readonly ulong[] State = { 1uL, 0uL, 0uL, 0uL, };
|
||||
}
|
||||
|
||||
}
|
589
scripts/amy/AmyCore.Registry.cs
Normal file
589
scripts/amy/AmyCore.Registry.cs
Normal file
|
@ -0,0 +1,589 @@
|
|||
/**
|
||||
* AmyCore
|
||||
* Core functionality with zero hard dependencies (besides C# 8.0 and Godot).
|
||||
*
|
||||
* Strongly recommended to include:
|
||||
* System.IO.Hashing
|
||||
* https://www.nuget.org/packages/System.IO.Hashing
|
||||
* Microsoft.Extensions.Logging
|
||||
* https://www.nuget.org/packages/Microsoft.Extensions.Logging
|
||||
*
|
||||
* Stuff that is very commonly needed and very rarely changes should go here.
|
||||
*
|
||||
* Last update date: 2024-04-04
|
||||
*
|
||||
**/
|
||||
|
||||
#define AMY_HAVE_MICROSOFT_EXTENSIONS_LOGGING
|
||||
#define AMY_HAVE_SYSTEM_IO_HASHING
|
||||
|
||||
|
||||
#if AMY_HAVE_MICROSOFT_EXTENSIONS_LOGGING
|
||||
using Logging = Microsoft.Extensions.Logging; // https://www.nuget.org/packages/Microsoft.Extensions.Logging
|
||||
#endif
|
||||
|
||||
#if AMY_HAVE_SYSTEM_IO_HASHING
|
||||
using System.IO.Hashing; // https://www.nuget.org/packages/System.IO.Hashing
|
||||
#endif
|
||||
|
||||
using Godot;
|
||||
using System;
|
||||
using System.Collections;
|
||||
using System.Collections.Generic;
|
||||
using System.Diagnostics.CodeAnalysis;
|
||||
using System.Diagnostics.Contracts;
|
||||
using System.IO.Compression;
|
||||
using System.Linq;
|
||||
using System.Net;
|
||||
using System.Reflection;
|
||||
using System.Runtime.Serialization;
|
||||
using Crypto = System.Security.Cryptography;
|
||||
using System.Text;
|
||||
using System.Text.RegularExpressions;
|
||||
using System.Threading.Tasks;
|
||||
using System.Net.NetworkInformation;
|
||||
using System.Net.Sockets;
|
||||
using System.Net.Http;
|
||||
|
||||
namespace Amy;
|
||||
#nullable enable
|
||||
|
||||
public static partial class AmyCore
|
||||
{
|
||||
public partial class Registry
|
||||
{
|
||||
|
||||
public bool BlobSubDirectory { get; private init; }
|
||||
public string Filename { get; private init; }
|
||||
public string? ObfuscationPassword { get; private init; }
|
||||
public string? PathOverride { get; private init; }
|
||||
|
||||
public Registry(in bool dataDirectory,
|
||||
[NotNullWhen(true)] in string filename, in string? obfuscationPassword)
|
||||
{
|
||||
BlobSubDirectory = dataDirectory;
|
||||
Filename = filename;
|
||||
ObfuscationPassword = obfuscationPassword;
|
||||
PathOverride = null;
|
||||
}
|
||||
|
||||
public Registry(in string pathOverride, in bool dataDirectory,
|
||||
[NotNullWhen(true)] in string filename, in string? obfuscationPassword)
|
||||
{
|
||||
BlobSubDirectory = dataDirectory;
|
||||
Filename = filename;
|
||||
ObfuscationPassword = obfuscationPassword;
|
||||
if (pathOverride.EndsWith('/')) {
|
||||
PathOverride = pathOverride;
|
||||
} else {
|
||||
PathOverride = pathOverride + '/';
|
||||
}
|
||||
}
|
||||
|
||||
public string EncodeToText() => Reg!.EncodeToText();
|
||||
|
||||
public void EraseSection(in string? section, in bool writeRegistry = true)
|
||||
{
|
||||
if (Reg!.HasSection(section)) {
|
||||
Reg!.EraseSection(section);
|
||||
}
|
||||
if (writeRegistry) {
|
||||
WriteRegistry();
|
||||
}
|
||||
}
|
||||
|
||||
public T? Get<[MustBeVariant] T>(in string? section,
|
||||
[NotNullWhen(true)] in string key, in T? fallback,
|
||||
in bool strict = false)
|
||||
{
|
||||
if (key is null) {
|
||||
throw new ArgumentNullException(nameof(key));
|
||||
}
|
||||
if (TryGet(section, key, out T? value, strict)) {
|
||||
return value;
|
||||
}
|
||||
return fallback;
|
||||
}
|
||||
|
||||
public string[] GetSectionKeys(in string? section)
|
||||
{
|
||||
if (Reg is null) {
|
||||
LoadRegistry();
|
||||
}
|
||||
var sxn = !string.IsNullOrWhiteSpace(section) ? section
|
||||
: DefaultSection;
|
||||
if (Reg!.HasSection(sxn)) {
|
||||
return Reg.GetSectionKeys(sxn);
|
||||
}
|
||||
return Array.Empty<string>();
|
||||
}
|
||||
|
||||
public Dictionary<string, object?> GetSectionObjects(in string? section)
|
||||
{
|
||||
if (Reg is null) {
|
||||
LoadRegistry();
|
||||
}
|
||||
var sxn = !string.IsNullOrWhiteSpace(section) ? section
|
||||
: DefaultSection;
|
||||
Dictionary<string, object?> objects = new();
|
||||
if (Reg!.HasSection(sxn)) {
|
||||
foreach (var key in Reg.GetSectionKeys(sxn)) {
|
||||
objects.Add(key, Reg.GetValue(sxn, key).Obj);
|
||||
}
|
||||
}
|
||||
return objects;
|
||||
}
|
||||
|
||||
public Dictionary<string, Variant> GetSectionVariants(in string? section)
|
||||
{
|
||||
if (Reg is null) {
|
||||
LoadRegistry();
|
||||
}
|
||||
var sxn = !string.IsNullOrWhiteSpace(section) ? section
|
||||
: DefaultSection;
|
||||
Dictionary<string, Variant> variants = new();
|
||||
if (Reg!.HasSection(sxn)) {
|
||||
foreach (var key in Reg.GetSectionKeys(sxn)) {
|
||||
variants.Add(key, Reg.GetValue(sxn, key));
|
||||
}
|
||||
}
|
||||
return variants;
|
||||
}
|
||||
|
||||
public string GetString(in string? section,
|
||||
[NotNullWhen(true)] in string key, string? fallback = null,
|
||||
in bool strict = false)
|
||||
{
|
||||
return Get<string>(section, key, null, strict) ?? fallback ?? string.Empty;
|
||||
}
|
||||
|
||||
public Variant GetVariant(in string? section,
|
||||
[NotNullWhen(true)] in string key, Variant fallback)
|
||||
{
|
||||
if (key is null) {
|
||||
throw new ArgumentNullException(nameof(key));
|
||||
}
|
||||
if (TryGetVariant(section, key, out var value)) {
|
||||
return value;
|
||||
}
|
||||
return fallback;
|
||||
}
|
||||
|
||||
public Error Parse(bool clearFirst, string data, bool writeRegistry = true, bool nothrow = false)
|
||||
{
|
||||
if (Reg is null) {
|
||||
LoadRegistry();
|
||||
}
|
||||
if (clearFirst) {
|
||||
Reg!.Clear();
|
||||
}
|
||||
var err = Reg!.Parse(data);
|
||||
if (err != Error.Ok) {
|
||||
if (!nothrow) {
|
||||
throw new InvalidOperationException("Could not parse data, error code=``"+err.ToString()+"''");
|
||||
}
|
||||
return err;
|
||||
}
|
||||
if (writeRegistry) {
|
||||
WriteRegistry();
|
||||
}
|
||||
return Error.Ok;
|
||||
}
|
||||
|
||||
public void Reset() => ClearRegistry();
|
||||
|
||||
public void Set<[MustBeVariant] T>(in string? section,
|
||||
[NotNullWhen(true)] in string key, in T? value,
|
||||
in bool writeRegistry = true)
|
||||
=> SetVariant(section, key, Variant.From(value), writeRegistry);
|
||||
|
||||
public void SetVariant(in string? section,
|
||||
[NotNullWhen(true)] in string key, in Variant value,
|
||||
in bool writeRegistry = true)
|
||||
{
|
||||
if (key is null) {
|
||||
throw new ArgumentNullException(nameof(key));
|
||||
}
|
||||
if (Reg is null) {
|
||||
LoadRegistry();
|
||||
}
|
||||
var sxn = !string.IsNullOrWhiteSpace(section) ? section
|
||||
: DefaultSection;
|
||||
Reg!.SetValue(sxn, key, value);
|
||||
Dirty = true;
|
||||
if (writeRegistry) {
|
||||
WriteRegistry();
|
||||
}
|
||||
}
|
||||
|
||||
public bool TryAdd<[MustBeVariant] T>(in string? section,
|
||||
[NotNullWhen(true)] in string key, in T? value,
|
||||
in bool writeRegistry = true)
|
||||
=> TryAddVariant(section, key, Variant.From(value),
|
||||
writeRegistry);
|
||||
|
||||
public bool TryAddVariant(in string? section,
|
||||
[NotNullWhen(true)] in string key, in Variant value,
|
||||
in bool writeRegistry = true)
|
||||
{
|
||||
if (key is null) {
|
||||
throw new ArgumentNullException(nameof(key));
|
||||
}
|
||||
if (Reg is null) {
|
||||
LoadRegistry();
|
||||
}
|
||||
var sxn = !string.IsNullOrWhiteSpace(section) ? section
|
||||
: DefaultSection;
|
||||
if (!Reg!.HasSectionKey(sxn, key)) {
|
||||
Reg.SetValue(sxn, key, value);
|
||||
Dirty = true;
|
||||
if (writeRegistry) {
|
||||
WriteRegistry();
|
||||
}
|
||||
return true;
|
||||
}
|
||||
return false;
|
||||
}
|
||||
|
||||
public bool TryGet<[MustBeVariant] T>(in string? section,
|
||||
[NotNullWhen(true)] in string key, out T? value,
|
||||
in bool strict = false)
|
||||
{
|
||||
if (key is null) {
|
||||
throw new ArgumentNullException(nameof(key));
|
||||
}
|
||||
if (TryGetVariant(section, key, out var variant)) {
|
||||
var ok = true;
|
||||
if (strict) {
|
||||
var expectedVariantType = Variant.From<T?>(default).VariantType;
|
||||
if (variant.VariantType != expectedVariantType) {
|
||||
_ = Logger.Error("Variant type mismatch: ", variant.VariantType,
|
||||
" did not match the expected type ", expectedVariantType);
|
||||
ok = false;
|
||||
}
|
||||
}
|
||||
if (ok) {
|
||||
value = variant.As<T>();
|
||||
return true;
|
||||
}
|
||||
}
|
||||
value = default;
|
||||
return false;
|
||||
}
|
||||
|
||||
public bool TryGetVariant(in string? section,
|
||||
[NotNullWhen(true)] in string key, out Variant value)
|
||||
{
|
||||
if (key is null) {
|
||||
throw new ArgumentNullException(nameof(key));
|
||||
}
|
||||
if (Reg is null) {
|
||||
LoadRegistry();
|
||||
}
|
||||
var sxn = !string.IsNullOrWhiteSpace(section) ? section
|
||||
: DefaultSection;
|
||||
if (Reg!.HasSectionKey(sxn, key)) {
|
||||
var sentinelString = $"__Sentinel=``{Guid.NewGuid()}''";
|
||||
var sentinelVariant = Variant.CreateFrom(sentinelString);
|
||||
var uncheckedValue = Reg.GetValue(sxn, key, sentinelVariant);
|
||||
if (uncheckedValue.VariantType != Variant.Type.String
|
||||
|| uncheckedValue.AsString() != sentinelString) {
|
||||
value = uncheckedValue;
|
||||
return true;
|
||||
}
|
||||
}
|
||||
value = default;
|
||||
return false;
|
||||
}
|
||||
|
||||
public void WriteRegistry()
|
||||
{
|
||||
if (!Dirty) {
|
||||
return;
|
||||
}
|
||||
|
||||
if (Reg is null) { // This should never happen since Dirty was true.
|
||||
throw new InvalidOperationException("WriteRegistry but Reg was null.");
|
||||
}
|
||||
|
||||
var currentPath = CurrentPath;
|
||||
var tempPath = TempPath;
|
||||
|
||||
// Scope for newtemp (so it calls Dispose to release the handle)
|
||||
{
|
||||
using var newtemp = OpenDisposableFile(tempPath, true,
|
||||
FileAccess.ModeFlags.Write, password: ObfuscationPassword);
|
||||
if (newtemp is null) {
|
||||
_ = Logger.Error("Error writing config.");
|
||||
return;
|
||||
}
|
||||
var data = Reg.EncodeToText();
|
||||
if (ObfuscationPassword is null) {
|
||||
newtemp.StoreString(data);
|
||||
} else {
|
||||
newtemp.StoreBuffer(GZip(data));
|
||||
}
|
||||
}
|
||||
if (FileAccess.FileExists(currentPath)) {
|
||||
var prevPath = PrevPath;
|
||||
|
||||
if (FileAccess.FileExists(prevPath)) {
|
||||
var err = DirAccess.RemoveAbsolute(prevPath);
|
||||
if (err != Error.Ok) {
|
||||
_ = Logger.Error("Error removing old backup while writing config.", err);
|
||||
return;
|
||||
}
|
||||
}
|
||||
{ // Scope for err
|
||||
var err = DirAccess.RenameAbsolute(currentPath, prevPath);
|
||||
if (err != Error.Ok) {
|
||||
_ = Logger.Error("Error moving old config to backup while writing config. From=``",
|
||||
currentPath, "'', To=``", prevPath, "'', Error=", err);
|
||||
return;
|
||||
}
|
||||
}
|
||||
}
|
||||
{ // Scope for err
|
||||
var err = DirAccess.RenameAbsolute(tempPath, currentPath);
|
||||
if (err != Error.Ok) {
|
||||
_ = Logger.Error("Error moving new config to current while writing config. From=``",
|
||||
tempPath, "'', To=``", currentPath, "'', Error=", err);
|
||||
return;
|
||||
}
|
||||
}
|
||||
Dirty = false;
|
||||
}
|
||||
|
||||
protected static readonly Logger Logger = new("AmyCore.Registry");
|
||||
|
||||
protected string BackupPath
|
||||
{
|
||||
get {
|
||||
if (PathOverride is not string pfx) {
|
||||
pfx = "user://save_data/";
|
||||
}
|
||||
return (!BlobSubDirectory ? pfx : pfx + "blob/") + Filename + ConfigBackupExt;
|
||||
}
|
||||
}
|
||||
protected string CurrentPath
|
||||
{
|
||||
get {
|
||||
if (PathOverride is not string pfx) {
|
||||
pfx = "user://save_data/";
|
||||
}
|
||||
return (!BlobSubDirectory ? pfx : pfx + "blob/") + Filename
|
||||
+ (ObfuscationPassword is null ? ConfigFileExtPlaintext : ConfigFileExtObfuscated);
|
||||
}
|
||||
}
|
||||
protected string PrevPath
|
||||
{
|
||||
get {
|
||||
if (PathOverride is not string pfx) {
|
||||
pfx = "user://save_data/";
|
||||
}
|
||||
return (!BlobSubDirectory ? pfx : pfx + "blob/") + Filename + ConfigPrevExt;
|
||||
}
|
||||
}
|
||||
protected string TempPath
|
||||
{
|
||||
get {
|
||||
if (PathOverride is not string pfx) {
|
||||
pfx = "user://save_data/";
|
||||
}
|
||||
return (!BlobSubDirectory ? pfx : pfx + "blob/") + Filename + ConfigTempExt;
|
||||
}
|
||||
}
|
||||
|
||||
protected bool Dirty;
|
||||
protected ConfigFile? Reg;
|
||||
|
||||
protected void ClearRegistry()
|
||||
{
|
||||
var prevPath = PrevPath;
|
||||
var currentPath = CurrentPath;
|
||||
if (FileAccess.FileExists(prevPath)) {
|
||||
var err = DirAccess.RemoveAbsolute(prevPath);
|
||||
if (err != Error.Ok) {
|
||||
_ = Logger.Error("Unable to clear backup config.", err);
|
||||
}
|
||||
}
|
||||
if (FileAccess.FileExists(currentPath)) {
|
||||
var err = DirAccess.RemoveAbsolute(currentPath);
|
||||
if (err != Error.Ok) {
|
||||
_ = Logger.Error("Unable to clear current config.", err);
|
||||
}
|
||||
}
|
||||
}
|
||||
|
||||
protected void LoadRegistry()
|
||||
{
|
||||
var prevPath = PrevPath;
|
||||
var currentPath = CurrentPath;
|
||||
string? data = null;
|
||||
var bakPathPrefix = BackupPath;
|
||||
var bak9Path = bakPathPrefix + '9';
|
||||
if (FileAccess.FileExists(bak9Path)) {
|
||||
var err = DirAccess.RemoveAbsolute(bak9Path);
|
||||
if (err != Error.Ok) {
|
||||
_ = Logger.Error("Unable to clear bak9 config.", err);
|
||||
}
|
||||
}
|
||||
for (int bakN = 8; bakN >= 1; bakN--) {
|
||||
var bakNPath = bakPathPrefix + bakN.ToString();
|
||||
if (FileAccess.FileExists(bakNPath)) {
|
||||
var olderBakNPath = bakPathPrefix + (bakN + 1).ToString();
|
||||
if (!FileAccess.FileExists(olderBakNPath)) {
|
||||
var err = DirAccess.RenameAbsolute(bakNPath, olderBakNPath);
|
||||
if (err != Error.Ok) {
|
||||
_ = Logger.Error("Error archiving backup config. From=``",
|
||||
bakNPath, "'', To=``", olderBakNPath, "'', Error=", err);
|
||||
}
|
||||
}
|
||||
}
|
||||
}
|
||||
var bak1Path = bakPathPrefix + '1';
|
||||
if (!FileAccess.FileExists(bak1Path)) {
|
||||
if (FileAccess.FileExists(currentPath)) { // Yes, currentPath not prevPath -- backup only working data.
|
||||
var err = DirAccess.CopyAbsolute(currentPath, bak1Path);
|
||||
if (err != Error.Ok) {
|
||||
_ = Logger.Error("Error archiving backup config. From=``",
|
||||
currentPath, "'', To=``", bak1Path, "'', Error=", err);
|
||||
}
|
||||
}
|
||||
}
|
||||
if (FileAccess.FileExists(currentPath)) {
|
||||
if (!TryOpenFileAndReadAsText(currentPath,
|
||||
unzip: ObfuscationPassword is not null,
|
||||
out data, password: ObfuscationPassword,
|
||||
skipCr: true)) {
|
||||
_ = Logger.Error("Unable to read current config.");
|
||||
}
|
||||
} else if (FileAccess.FileExists(prevPath)) {
|
||||
if (TryOpenFileAndReadAsText(prevPath,
|
||||
unzip: ObfuscationPassword is not null,
|
||||
out var backup, password: ObfuscationPassword,
|
||||
skipCr: true)) {
|
||||
data = backup!;
|
||||
_ = Logger.Info("Restoring config from backup.");
|
||||
using var current = OpenDisposableFile(currentPath,
|
||||
true, FileAccess.ModeFlags.Write,
|
||||
password: ObfuscationPassword);
|
||||
if (current is not null) {
|
||||
if (ObfuscationPassword is null) {
|
||||
current.StoreString(data);
|
||||
} else {
|
||||
current.StoreBuffer(GZip(data));
|
||||
}
|
||||
} else {
|
||||
_ = Logger.Error("Error writing backup config to current.");
|
||||
}
|
||||
} else {
|
||||
_ = Logger.Error("Unable to read backup config.");
|
||||
}
|
||||
} else {
|
||||
_ = Logger.Info("Initializing the registry.");
|
||||
data = string.Empty;
|
||||
}
|
||||
|
||||
ConfigFile tempreg = new();
|
||||
if (data is not null) {
|
||||
var err = tempreg.Parse(data);
|
||||
if (err != Error.Ok) {
|
||||
_ = Logger.Error("Error loading config: unable to parse config file.", err);
|
||||
}
|
||||
} else {
|
||||
_ = Logger.Error("Error loading config: data was null.");
|
||||
}
|
||||
Reg = tempreg;
|
||||
}
|
||||
|
||||
private const string ConfigFileExtObfuscated = ".bin";
|
||||
private const string ConfigFileExtPlaintext = ".cfg";
|
||||
private const string ConfigPrevExt = ".old";
|
||||
private const string ConfigBackupExt = ".bak";
|
||||
private const string ConfigTempExt = ".new";
|
||||
private const string DefaultSection = "General";
|
||||
|
||||
}
|
||||
|
||||
public static Registry Accounts
|
||||
{
|
||||
get {
|
||||
var cache = _Accounts;
|
||||
if (cache is null) {
|
||||
_Accounts = cache = new Registry(true, "accounts",
|
||||
"{Amy.AmyReg.ObfuscationPassword.Accounts}");
|
||||
}
|
||||
return cache;
|
||||
}
|
||||
}
|
||||
private static Registry? _Accounts;
|
||||
|
||||
public static Registry Config
|
||||
{
|
||||
get {
|
||||
var cache = _Config;
|
||||
if (cache is null) {
|
||||
_Config = cache = new Registry(false, "config", null);
|
||||
}
|
||||
return cache;
|
||||
}
|
||||
}
|
||||
private static Registry? _Config;
|
||||
|
||||
public static Registry Progress
|
||||
{
|
||||
get {
|
||||
var cache = _Progress;
|
||||
if (cache is null) {
|
||||
_Progress = cache = new Registry(false, "progress", null);
|
||||
}
|
||||
return cache;
|
||||
}
|
||||
}
|
||||
private static Registry? _Progress;
|
||||
|
||||
public static Registry SecretConfig
|
||||
{
|
||||
get {
|
||||
var cache = _SecretConfig;
|
||||
if (cache is null) {
|
||||
_SecretConfig = cache = new Registry(true, "registry",
|
||||
"{Amy.AmyReg.ObfuscationPassword.Config}");
|
||||
}
|
||||
return cache;
|
||||
}
|
||||
}
|
||||
private static Registry? _SecretConfig;
|
||||
|
||||
public static Registry Save(in int id)
|
||||
{
|
||||
if (id < 0) {
|
||||
throw new ArgumentOutOfRangeException(nameof(id), id,
|
||||
"SaveData id must be nonnegative.");
|
||||
}
|
||||
if (_Save.TryGetValue(id, out var cache) && cache is not null) {
|
||||
return cache!;
|
||||
}
|
||||
cache = new Registry(false, $"save-{id}", null);
|
||||
_Save[id] = cache;
|
||||
return cache;
|
||||
}
|
||||
private static readonly SortedList<int, Registry?> _Save = new();
|
||||
|
||||
public static Registry SecretSave(in int id)
|
||||
{
|
||||
if (id < 0) {
|
||||
throw new ArgumentOutOfRangeException(nameof(id), id,
|
||||
"SecretSave id must be nonnegative.");
|
||||
}
|
||||
if (_SecretSave.TryGetValue(id, out var cache) && cache is not null) {
|
||||
return cache!;
|
||||
}
|
||||
cache = new Registry(true, $"save-{id}",
|
||||
"{" + $"Amy.AmyReg.ObfuscationPassword.SecretSave-{id}" + "}");
|
||||
_SecretSave[id] = cache;
|
||||
return cache;
|
||||
}
|
||||
private static readonly SortedList<int, Registry?> _SecretSave = new();
|
||||
}
|
634
scripts/amy/AmyCore.ThirdParty.cs
Normal file
634
scripts/amy/AmyCore.ThirdParty.cs
Normal file
|
@ -0,0 +1,634 @@
|
|||
/**
|
||||
* AmyCore
|
||||
* Core functionality with zero hard dependencies (besides C# 8.0 and Godot).
|
||||
*
|
||||
* Strongly recommended to include:
|
||||
* System.IO.Hashing
|
||||
* https://www.nuget.org/packages/System.IO.Hashing
|
||||
* Microsoft.Extensions.Logging
|
||||
* https://www.nuget.org/packages/Microsoft.Extensions.Logging
|
||||
*
|
||||
* Stuff that is very commonly needed and very rarely changes should go here.
|
||||
*
|
||||
* Last update date: 2024-04-28
|
||||
*
|
||||
**/
|
||||
|
||||
#define AMY_HAVE_MICROSOFT_EXTENSIONS_LOGGING
|
||||
#define AMY_HAVE_SYSTEM_IO_HASHING
|
||||
#undef AMY_HAVE_DEBUG_DRAW_3D
|
||||
|
||||
|
||||
#if AMY_HAVE_MICROSOFT_EXTENSIONS_LOGGING
|
||||
using Logging = Microsoft.Extensions.Logging; // https://www.nuget.org/packages/Microsoft.Extensions.Logging
|
||||
#endif
|
||||
|
||||
#if AMY_HAVE_SYSTEM_IO_HASHING
|
||||
using System.IO.Hashing; // https://www.nuget.org/packages/System.IO.Hashing
|
||||
#endif
|
||||
|
||||
using Godot;
|
||||
using System;
|
||||
using System.Collections;
|
||||
using System.Collections.Generic;
|
||||
using System.Diagnostics.CodeAnalysis;
|
||||
using System.Diagnostics.Contracts;
|
||||
using System.IO.Compression;
|
||||
using System.Linq;
|
||||
using System.Net;
|
||||
using System.Reflection;
|
||||
using System.Runtime.Serialization;
|
||||
using Crypto = System.Security.Cryptography;
|
||||
using System.Text;
|
||||
using System.Text.RegularExpressions;
|
||||
using System.Threading.Tasks;
|
||||
using System.Net.NetworkInformation;
|
||||
using System.Net.Sockets;
|
||||
using System.Net.Http;
|
||||
|
||||
namespace Amy;
|
||||
#nullable enable
|
||||
|
||||
public static partial class AmyCore
|
||||
{
|
||||
#nullable disable warnings
|
||||
#nullable enable annotations
|
||||
#region zanders3/json
|
||||
/*
|
||||
* The MIT License (MIT)
|
||||
*
|
||||
* Copyright (c) 2018 Alex Parker
|
||||
*
|
||||
* Permission is hereby granted, free of charge, to any person obtaining a copy of
|
||||
* this software and associated documentation files (the "Software"), to deal in
|
||||
* the Software without restriction, including without limitation the rights to
|
||||
* use, copy, modify, merge, publish, distribute, sublicense, and/or sell copies of
|
||||
* the Software, and to permit persons to whom the Software is furnished to do so,
|
||||
* subject to the following conditions:
|
||||
*
|
||||
* The above copyright notice and this permission notice shall be included in all
|
||||
* copies or substantial portions of the Software.
|
||||
*
|
||||
* THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR
|
||||
* IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY, FITNESS
|
||||
* FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE AUTHORS OR
|
||||
* COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER LIABILITY, WHETHER
|
||||
* IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM, OUT OF OR IN
|
||||
* CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN THE SOFTWARE.
|
||||
*
|
||||
*/
|
||||
// Really simple JSON parser in ~300 lines
|
||||
// - Attempts to parse JSON files with minimal GC allocation
|
||||
// - Nice and simple "[1,2,3]".FromJson<List<int>>() API
|
||||
// - Classes and structs can be parsed too!
|
||||
// class Foo { public int Value; }
|
||||
// "{\"Value\":10}".FromJson<Foo>()
|
||||
// - Can parse JSON without type information into Dictionary<string,object> and List<object> e.g.
|
||||
// "[1,2,3]".FromJson<object>().GetType() == typeof(List<object>)
|
||||
// "{\"Value\":10}".FromJson<object>().GetType() == typeof(Dictionary<string,object>)
|
||||
// - No JIT Emit support to support AOT compilation on iOS
|
||||
// - Attempts are made to NOT throw an exception if the JSON is corrupted or invalid: returns null instead.
|
||||
// - Only public fields and property setters on classes/structs will be written to
|
||||
//
|
||||
// Limitations:
|
||||
// - No JIT Emit support to parse structures quickly
|
||||
// - Limited to parsing <2GB JSON files (due to int.MaxValue)
|
||||
// - Parsing of abstract classes or interfaces is NOT supported and will throw an exception.
|
||||
[ThreadStatic] static Stack<List<string>>? Zanders3_splitArrayPool;
|
||||
[ThreadStatic] static StringBuilder? Zanders3_stringBuilder;
|
||||
[ThreadStatic] static Dictionary<Type, Dictionary<string, FieldInfo>>? Zanders3_fieldInfoCache;
|
||||
[ThreadStatic] static Dictionary<Type, Dictionary<string, PropertyInfo>>? Zanders3_propertyInfoCache;
|
||||
|
||||
public static T FromJson<T>(this string json)
|
||||
{
|
||||
// Initialize, if needed, the ThreadStatic variables
|
||||
if (Zanders3_propertyInfoCache == null) Zanders3_propertyInfoCache = new Dictionary<Type, Dictionary<string, PropertyInfo>>();
|
||||
if (Zanders3_fieldInfoCache == null) Zanders3_fieldInfoCache = new Dictionary<Type, Dictionary<string, FieldInfo>>();
|
||||
if (Zanders3_stringBuilder == null) Zanders3_stringBuilder = new StringBuilder();
|
||||
if (Zanders3_splitArrayPool == null) Zanders3_splitArrayPool = new Stack<List<string>>();
|
||||
|
||||
//Remove all whitespace not within strings to make parsing simpler
|
||||
Zanders3_stringBuilder.Length = 0;
|
||||
for (int i = 0; i < json.Length; i++)
|
||||
{
|
||||
char c = json[i];
|
||||
if (c == '"')
|
||||
{
|
||||
i = Zanders3AppendUntilStringEnd(true, i, json);
|
||||
continue;
|
||||
}
|
||||
if (char.IsWhiteSpace(c))
|
||||
continue;
|
||||
|
||||
Zanders3_stringBuilder.Append(c);
|
||||
}
|
||||
|
||||
//Parse the thing!
|
||||
return (T)Zanders3ParseValue(typeof(T), Zanders3_stringBuilder.ToString());
|
||||
}
|
||||
|
||||
static int Zanders3AppendUntilStringEnd(bool appendEscapeCharacter, int startIdx, string json)
|
||||
{
|
||||
Zanders3_stringBuilder.Append(json[startIdx]);
|
||||
for (int i = startIdx + 1; i < json.Length; i++)
|
||||
{
|
||||
if (json[i] == '\\')
|
||||
{
|
||||
if (appendEscapeCharacter)
|
||||
Zanders3_stringBuilder.Append(json[i]);
|
||||
Zanders3_stringBuilder.Append(json[i + 1]);
|
||||
i++;//Skip next character as it is escaped
|
||||
}
|
||||
else if (json[i] == '"')
|
||||
{
|
||||
Zanders3_stringBuilder.Append(json[i]);
|
||||
return i;
|
||||
}
|
||||
else
|
||||
Zanders3_stringBuilder.Append(json[i]);
|
||||
}
|
||||
return json.Length - 1;
|
||||
}
|
||||
|
||||
//Splits { <value>:<value>, <value>:<value> } and [ <value>, <value> ] into a list of <value> strings
|
||||
static List<string> Zanders3Split(string json)
|
||||
{
|
||||
List<string> splitArray = Zanders3_splitArrayPool.Count > 0 ? Zanders3_splitArrayPool.Pop() : new List<string>();
|
||||
splitArray.Clear();
|
||||
if (json.Length == 2)
|
||||
return splitArray;
|
||||
int parseDepth = 0;
|
||||
Zanders3_stringBuilder.Length = 0;
|
||||
for (int i = 1; i < json.Length - 1; i++)
|
||||
{
|
||||
switch (json[i])
|
||||
{
|
||||
case '[':
|
||||
case '{':
|
||||
parseDepth++;
|
||||
break;
|
||||
case ']':
|
||||
case '}':
|
||||
parseDepth--;
|
||||
break;
|
||||
case '"':
|
||||
i = Zanders3AppendUntilStringEnd(true, i, json);
|
||||
continue;
|
||||
case ',':
|
||||
case ':':
|
||||
if (parseDepth == 0)
|
||||
{
|
||||
splitArray.Add(Zanders3_stringBuilder.ToString());
|
||||
Zanders3_stringBuilder.Length = 0;
|
||||
continue;
|
||||
}
|
||||
break;
|
||||
}
|
||||
|
||||
Zanders3_stringBuilder.Append(json[i]);
|
||||
}
|
||||
|
||||
splitArray.Add(Zanders3_stringBuilder.ToString());
|
||||
|
||||
return splitArray;
|
||||
}
|
||||
|
||||
internal static object Zanders3ParseValue(Type type, string json)
|
||||
{
|
||||
if (type == typeof(string))
|
||||
{
|
||||
if (json.Length <= 2)
|
||||
return string.Empty;
|
||||
StringBuilder parseStringBuilder = new StringBuilder(json.Length);
|
||||
for (int i = 1; i < json.Length - 1; ++i)
|
||||
{
|
||||
if (json[i] == '\\' && i + 1 < json.Length - 1)
|
||||
{
|
||||
int j = "\"\\nrtbf/".IndexOf(json[i + 1]);
|
||||
if (j >= 0)
|
||||
{
|
||||
parseStringBuilder.Append("\"\\\n\r\t\b\f/"[j]);
|
||||
++i;
|
||||
continue;
|
||||
}
|
||||
if (json[i + 1] == 'u' && i + 5 < json.Length - 1)
|
||||
{
|
||||
UInt32 c = 0;
|
||||
if (UInt32.TryParse(json.Substring(i + 2, 4), System.Globalization.NumberStyles.AllowHexSpecifier, null, out c))
|
||||
{
|
||||
parseStringBuilder.Append((char)c);
|
||||
i += 5;
|
||||
continue;
|
||||
}
|
||||
}
|
||||
}
|
||||
parseStringBuilder.Append(json[i]);
|
||||
}
|
||||
return parseStringBuilder.ToString();
|
||||
}
|
||||
if (type.IsPrimitive)
|
||||
{
|
||||
var result = Convert.ChangeType(json, type, System.Globalization.CultureInfo.InvariantCulture);
|
||||
return result;
|
||||
}
|
||||
if (type == typeof(decimal))
|
||||
{
|
||||
decimal result;
|
||||
decimal.TryParse(json, System.Globalization.NumberStyles.Float, System.Globalization.CultureInfo.InvariantCulture, out result);
|
||||
return result;
|
||||
}
|
||||
if (type == typeof(DateTime))
|
||||
{
|
||||
DateTime result;
|
||||
DateTime.TryParse(json.Replace("\"",""), System.Globalization.CultureInfo.InvariantCulture, System.Globalization.DateTimeStyles.None, out result);
|
||||
return result;
|
||||
}
|
||||
if (json == "null")
|
||||
{
|
||||
return null;
|
||||
}
|
||||
if (type.IsEnum)
|
||||
{
|
||||
if (json[0] == '"')
|
||||
json = json.Substring(1, json.Length - 2);
|
||||
try
|
||||
{
|
||||
return Enum.Parse(type, json, false);
|
||||
}
|
||||
catch
|
||||
{
|
||||
return 0;
|
||||
}
|
||||
}
|
||||
if (type.IsArray)
|
||||
{
|
||||
Type arrayType = type.GetElementType();
|
||||
if (json[0] != '[' || json[json.Length - 1] != ']')
|
||||
return null;
|
||||
|
||||
List<string> elems = Zanders3Split(json);
|
||||
Array newArray = Array.CreateInstance(arrayType, elems.Count);
|
||||
for (int i = 0; i < elems.Count; i++)
|
||||
newArray.SetValue(Zanders3ParseValue(arrayType, elems[i]), i);
|
||||
Zanders3_splitArrayPool.Push(elems);
|
||||
return newArray;
|
||||
}
|
||||
if (type.IsGenericType && type.GetGenericTypeDefinition() == typeof(List<>))
|
||||
{
|
||||
Type listType = type.GetGenericArguments()[0];
|
||||
if (json[0] != '[' || json[json.Length - 1] != ']')
|
||||
return null;
|
||||
|
||||
List<string> elems = Zanders3Split(json);
|
||||
var list = (IList)type.GetConstructor(new Type[] { typeof(int) }).Invoke(new object[] { elems.Count });
|
||||
for (int i = 0; i < elems.Count; i++)
|
||||
list.Add(Zanders3ParseValue(listType, elems[i]));
|
||||
Zanders3_splitArrayPool.Push(elems);
|
||||
return list;
|
||||
}
|
||||
if (type.IsGenericType && type.GetGenericTypeDefinition() == typeof(Dictionary<,>))
|
||||
{
|
||||
Type keyType, valueType;
|
||||
{
|
||||
Type[] args = type.GetGenericArguments();
|
||||
keyType = args[0];
|
||||
valueType = args[1];
|
||||
}
|
||||
|
||||
//Refuse to parse dictionary keys that aren't of type string
|
||||
if (keyType != typeof(string))
|
||||
return null;
|
||||
//Must be a valid dictionary element
|
||||
if (json[0] != '{' || json[json.Length - 1] != '}')
|
||||
return null;
|
||||
//The list is split into key/value pairs only, this means the split must be divisible by 2 to be valid JSON
|
||||
List<string> elems = Zanders3Split(json);
|
||||
if (elems.Count % 2 != 0)
|
||||
return null;
|
||||
|
||||
var dictionary = (IDictionary)type.GetConstructor(new Type[] { typeof(int) }).Invoke(new object[] { elems.Count / 2 });
|
||||
for (int i = 0; i < elems.Count; i += 2)
|
||||
{
|
||||
if (elems[i].Length <= 2)
|
||||
continue;
|
||||
string keyValue = elems[i].Substring(1, elems[i].Length - 2);
|
||||
object val = Zanders3ParseValue(valueType, elems[i + 1]);
|
||||
dictionary[keyValue] = val;
|
||||
}
|
||||
return dictionary;
|
||||
}
|
||||
if (type == typeof(object))
|
||||
{
|
||||
return Zanders3ParseAnonymousValue(json);
|
||||
}
|
||||
if (json[0] == '{' && json[json.Length - 1] == '}')
|
||||
{
|
||||
return Zanders3ParseObject(type, json);
|
||||
}
|
||||
|
||||
return null;
|
||||
}
|
||||
|
||||
static object Zanders3ParseAnonymousValue(string json)
|
||||
{
|
||||
if (json.Length == 0)
|
||||
return null;
|
||||
if (json[0] == '{' && json[json.Length - 1] == '}')
|
||||
{
|
||||
List<string> elems = Zanders3Split(json);
|
||||
if (elems.Count % 2 != 0)
|
||||
return null;
|
||||
var dict = new Dictionary<string, object>(elems.Count / 2);
|
||||
for (int i = 0; i < elems.Count; i += 2)
|
||||
dict[elems[i].Substring(1, elems[i].Length - 2)] = Zanders3ParseAnonymousValue(elems[i + 1]);
|
||||
return dict;
|
||||
}
|
||||
if (json[0] == '[' && json[json.Length - 1] == ']')
|
||||
{
|
||||
List<string> items = Zanders3Split(json);
|
||||
var finalList = new List<object>(items.Count);
|
||||
for (int i = 0; i < items.Count; i++)
|
||||
finalList.Add(Zanders3ParseAnonymousValue(items[i]));
|
||||
return finalList;
|
||||
}
|
||||
if (json[0] == '"' && json[json.Length - 1] == '"')
|
||||
{
|
||||
string str = json.Substring(1, json.Length - 2);
|
||||
return str.Replace("\\", string.Empty);
|
||||
}
|
||||
if (char.IsDigit(json[0]) || json[0] == '-')
|
||||
{
|
||||
if (json.Contains("."))
|
||||
{
|
||||
double result;
|
||||
double.TryParse(json, System.Globalization.NumberStyles.Float, System.Globalization.CultureInfo.InvariantCulture, out result);
|
||||
return result;
|
||||
}
|
||||
else
|
||||
{
|
||||
int result;
|
||||
int.TryParse(json, out result);
|
||||
return result;
|
||||
}
|
||||
}
|
||||
if (json == "true")
|
||||
return true;
|
||||
if (json == "false")
|
||||
return false;
|
||||
// handles json == "null" as well as invalid JSON
|
||||
return null;
|
||||
}
|
||||
|
||||
static Dictionary<string, T> Zanders3CreateMemberNameDictionary<T>(T[] members) where T : MemberInfo
|
||||
{
|
||||
Dictionary<string, T> nameToMember = new Dictionary<string, T>(StringComparer.OrdinalIgnoreCase);
|
||||
for (int i = 0; i < members.Length; i++)
|
||||
{
|
||||
T member = members[i];
|
||||
if (member.IsDefined(typeof(IgnoreDataMemberAttribute), true))
|
||||
continue;
|
||||
|
||||
string name = member.Name;
|
||||
if (member.IsDefined(typeof(DataMemberAttribute), true))
|
||||
{
|
||||
DataMemberAttribute dataMemberAttribute = (DataMemberAttribute)Attribute.GetCustomAttribute(member, typeof(DataMemberAttribute), true);
|
||||
if (!string.IsNullOrEmpty(dataMemberAttribute.Name))
|
||||
name = dataMemberAttribute.Name;
|
||||
}
|
||||
|
||||
nameToMember.Add(name, member);
|
||||
}
|
||||
|
||||
return nameToMember;
|
||||
}
|
||||
|
||||
static object Zanders3ParseObject(Type type, string json)
|
||||
{
|
||||
#if NET5_0_OR_GREATER
|
||||
object instance = System.Runtime.CompilerServices.RuntimeHelpers.GetUninitializedObject(type);
|
||||
#else
|
||||
object instance = System.Runtime.Serialization.FormatterServices.GetUninitializedObject(type);
|
||||
#endif
|
||||
//object instance = FormatterServices.GetUninitializedObject(type);
|
||||
|
||||
//The list is split into key/value pairs only, this means the split must be divisible by 2 to be valid JSON
|
||||
List<string> elems = Zanders3Split(json);
|
||||
if (elems.Count % 2 != 0)
|
||||
return instance;
|
||||
|
||||
Dictionary<string, FieldInfo> nameToField;
|
||||
Dictionary<string, PropertyInfo> nameToProperty;
|
||||
if (!Zanders3_fieldInfoCache.TryGetValue(type, out nameToField))
|
||||
{
|
||||
nameToField = Zanders3CreateMemberNameDictionary(type.GetFields(BindingFlags.Instance | BindingFlags.Public | BindingFlags.FlattenHierarchy));
|
||||
Zanders3_fieldInfoCache.Add(type, nameToField);
|
||||
}
|
||||
if (!Zanders3_propertyInfoCache.TryGetValue(type, out nameToProperty))
|
||||
{
|
||||
nameToProperty = Zanders3CreateMemberNameDictionary(type.GetProperties(BindingFlags.Instance | BindingFlags.Public | BindingFlags.FlattenHierarchy));
|
||||
Zanders3_propertyInfoCache.Add(type, nameToProperty);
|
||||
}
|
||||
|
||||
for (int i = 0; i < elems.Count; i += 2)
|
||||
{
|
||||
if (elems[i].Length <= 2)
|
||||
continue;
|
||||
string key = elems[i].Substring(1, elems[i].Length - 2);
|
||||
string value = elems[i + 1];
|
||||
|
||||
FieldInfo fieldInfo;
|
||||
PropertyInfo propertyInfo;
|
||||
if (nameToField.TryGetValue(key, out fieldInfo))
|
||||
fieldInfo.SetValue(instance, Zanders3ParseValue(fieldInfo.FieldType, value));
|
||||
else if (nameToProperty.TryGetValue(key, out propertyInfo))
|
||||
propertyInfo.SetValue(instance, Zanders3ParseValue(propertyInfo.PropertyType, value), null);
|
||||
}
|
||||
|
||||
return instance;
|
||||
}
|
||||
|
||||
//Really simple JSON writer
|
||||
//- Outputs JSON structures from an object
|
||||
//- Really simple API (new List<int> { 1, 2, 3 }).ToJson() == "[1,2,3]"
|
||||
//- Will only output public fields and property getters on objects
|
||||
public static string ToJson(this object item)
|
||||
{
|
||||
StringBuilder stringBuilder = new StringBuilder();
|
||||
Zanders3AppendValue(stringBuilder, item);
|
||||
return stringBuilder.ToString();
|
||||
}
|
||||
|
||||
static void Zanders3AppendValue(StringBuilder stringBuilder, object item)
|
||||
{
|
||||
if (item == null)
|
||||
{
|
||||
stringBuilder.Append("null");
|
||||
return;
|
||||
}
|
||||
|
||||
Type type = item.GetType();
|
||||
if (type == typeof(string) || type == typeof(char))
|
||||
{
|
||||
stringBuilder.Append('"');
|
||||
string str = item.ToString();
|
||||
for (int i = 0; i < str.Length; ++i)
|
||||
if (str[i] < ' ' || str[i] == '"' || str[i] == '\\')
|
||||
{
|
||||
stringBuilder.Append('\\');
|
||||
int j = "\"\\\n\r\t\b\f".IndexOf(str[i]);
|
||||
if (j >= 0)
|
||||
stringBuilder.Append("\"\\nrtbf"[j]);
|
||||
else
|
||||
stringBuilder.AppendFormat("u{0:X4}", (UInt32)str[i]);
|
||||
}
|
||||
else
|
||||
stringBuilder.Append(str[i]);
|
||||
stringBuilder.Append('"');
|
||||
}
|
||||
else if (type == typeof(byte) || type == typeof(sbyte))
|
||||
{
|
||||
stringBuilder.Append(item.ToString());
|
||||
}
|
||||
else if (type == typeof(short) || type == typeof(ushort))
|
||||
{
|
||||
stringBuilder.Append(item.ToString());
|
||||
}
|
||||
else if (type == typeof(int) || type == typeof(uint))
|
||||
{
|
||||
stringBuilder.Append(item.ToString());
|
||||
}
|
||||
else if (type == typeof(long) || type == typeof(ulong))
|
||||
{
|
||||
stringBuilder.Append(item.ToString());
|
||||
}
|
||||
else if (type == typeof(float))
|
||||
{
|
||||
stringBuilder.Append(((float)item).ToString(System.Globalization.CultureInfo.InvariantCulture));
|
||||
}
|
||||
else if (type == typeof(double))
|
||||
{
|
||||
stringBuilder.Append(((double)item).ToString(System.Globalization.CultureInfo.InvariantCulture));
|
||||
}
|
||||
else if (type == typeof(decimal))
|
||||
{
|
||||
stringBuilder.Append(((decimal)item).ToString(System.Globalization.CultureInfo.InvariantCulture));
|
||||
}
|
||||
else if (type == typeof(bool))
|
||||
{
|
||||
stringBuilder.Append(((bool)item) ? "true" : "false");
|
||||
}
|
||||
else if (type == typeof(DateTime))
|
||||
{
|
||||
stringBuilder.Append('"');
|
||||
stringBuilder.Append(((DateTime)item).ToString(System.Globalization.CultureInfo.InvariantCulture));
|
||||
stringBuilder.Append('"');
|
||||
}
|
||||
else if (type.IsEnum)
|
||||
{
|
||||
stringBuilder.Append('"');
|
||||
stringBuilder.Append(item.ToString());
|
||||
stringBuilder.Append('"');
|
||||
}
|
||||
else if (item is IList)
|
||||
{
|
||||
stringBuilder.Append('[');
|
||||
bool isFirst = true;
|
||||
IList list = item as IList;
|
||||
for (int i = 0; i < list.Count; i++)
|
||||
{
|
||||
if (isFirst)
|
||||
isFirst = false;
|
||||
else
|
||||
stringBuilder.Append(',');
|
||||
Zanders3AppendValue(stringBuilder, list[i]);
|
||||
}
|
||||
stringBuilder.Append(']');
|
||||
}
|
||||
else if (type.IsGenericType && type.GetGenericTypeDefinition() == typeof(Dictionary<,>))
|
||||
{
|
||||
Type keyType = type.GetGenericArguments()[0];
|
||||
|
||||
//Refuse to output dictionary keys that aren't of type string
|
||||
if (keyType != typeof(string))
|
||||
{
|
||||
stringBuilder.Append("{}");
|
||||
return;
|
||||
}
|
||||
|
||||
stringBuilder.Append('{');
|
||||
IDictionary dict = item as IDictionary;
|
||||
bool isFirst = true;
|
||||
foreach (object key in dict.Keys)
|
||||
{
|
||||
if (isFirst)
|
||||
isFirst = false;
|
||||
else
|
||||
stringBuilder.Append(',');
|
||||
stringBuilder.Append('\"');
|
||||
stringBuilder.Append((string)key);
|
||||
stringBuilder.Append("\":");
|
||||
Zanders3AppendValue(stringBuilder, dict[key]);
|
||||
}
|
||||
stringBuilder.Append('}');
|
||||
}
|
||||
else
|
||||
{
|
||||
stringBuilder.Append('{');
|
||||
|
||||
bool isFirst = true;
|
||||
FieldInfo[] fieldInfos = type.GetFields(BindingFlags.Instance | BindingFlags.Public | BindingFlags.FlattenHierarchy);
|
||||
for (int i = 0; i < fieldInfos.Length; i++)
|
||||
{
|
||||
if (fieldInfos[i].IsDefined(typeof(IgnoreDataMemberAttribute), true))
|
||||
continue;
|
||||
|
||||
object value = fieldInfos[i].GetValue(item);
|
||||
if (value != null)
|
||||
{
|
||||
if (isFirst)
|
||||
isFirst = false;
|
||||
else
|
||||
stringBuilder.Append(',');
|
||||
stringBuilder.Append('\"');
|
||||
stringBuilder.Append(Zanders3GetMemberName(fieldInfos[i]));
|
||||
stringBuilder.Append("\":");
|
||||
Zanders3AppendValue(stringBuilder, value);
|
||||
}
|
||||
}
|
||||
PropertyInfo[] propertyInfo = type.GetProperties(BindingFlags.Instance | BindingFlags.Public | BindingFlags.FlattenHierarchy);
|
||||
for (int i = 0; i < propertyInfo.Length; i++)
|
||||
{
|
||||
if (!propertyInfo[i].CanRead || propertyInfo[i].IsDefined(typeof(IgnoreDataMemberAttribute), true))
|
||||
continue;
|
||||
|
||||
object value = propertyInfo[i].GetValue(item, null);
|
||||
if (value != null)
|
||||
{
|
||||
if (isFirst)
|
||||
isFirst = false;
|
||||
else
|
||||
stringBuilder.Append(',');
|
||||
stringBuilder.Append('\"');
|
||||
stringBuilder.Append(Zanders3GetMemberName(propertyInfo[i]));
|
||||
stringBuilder.Append("\":");
|
||||
Zanders3AppendValue(stringBuilder, value);
|
||||
}
|
||||
}
|
||||
|
||||
stringBuilder.Append('}');
|
||||
}
|
||||
}
|
||||
|
||||
static string Zanders3GetMemberName(MemberInfo member)
|
||||
{
|
||||
if (member.IsDefined(typeof(DataMemberAttribute), true))
|
||||
{
|
||||
DataMemberAttribute dataMemberAttribute = (DataMemberAttribute)Attribute.GetCustomAttribute(member, typeof(DataMemberAttribute), true);
|
||||
if (!string.IsNullOrEmpty(dataMemberAttribute.Name))
|
||||
return dataMemberAttribute.Name;
|
||||
}
|
||||
|
||||
return member.Name;
|
||||
}
|
||||
#endregion zanders3/json
|
||||
}
|
6968
scripts/amy/AmyCore.Words.cs
Normal file
6968
scripts/amy/AmyCore.Words.cs
Normal file
File diff suppressed because it is too large
Load diff
99
scripts/amy/AmyCore.cs
Normal file
99
scripts/amy/AmyCore.cs
Normal file
|
@ -0,0 +1,99 @@
|
|||
/**
|
||||
* AmyCore
|
||||
* Core functionality with zero hard dependencies (besides C# 8.0 and Godot).
|
||||
*
|
||||
* Strongly recommended to include:
|
||||
* System.IO.Hashing
|
||||
* https://www.nuget.org/packages/System.IO.Hashing
|
||||
* Microsoft.Extensions.Logging
|
||||
* https://www.nuget.org/packages/Microsoft.Extensions.Logging
|
||||
*
|
||||
* Stuff that is very commonly needed and very rarely changes should go here.
|
||||
*
|
||||
* Last update date: 2024-04-08
|
||||
*
|
||||
**/
|
||||
|
||||
#define AMY_HAVE_MICROSOFT_EXTENSIONS_LOGGING
|
||||
#define AMY_HAVE_SYSTEM_IO_HASHING
|
||||
|
||||
|
||||
#if AMY_HAVE_MICROSOFT_EXTENSIONS_LOGGING
|
||||
using Logging = Microsoft.Extensions.Logging; // https://www.nuget.org/packages/Microsoft.Extensions.Logging
|
||||
#endif
|
||||
|
||||
#if AMY_HAVE_SYSTEM_IO_HASHING
|
||||
using System.IO.Hashing; // https://www.nuget.org/packages/System.IO.Hashing
|
||||
#endif
|
||||
|
||||
using Godot;
|
||||
using System;
|
||||
using System.Collections;
|
||||
using System.Collections.Generic;
|
||||
using System.Diagnostics.CodeAnalysis;
|
||||
using System.Diagnostics.Contracts;
|
||||
using System.IO.Compression;
|
||||
using System.Linq;
|
||||
using System.Net;
|
||||
using System.Reflection;
|
||||
using System.Runtime.Serialization;
|
||||
using Crypto = System.Security.Cryptography;
|
||||
using System.Text;
|
||||
using System.Text.RegularExpressions;
|
||||
using System.Threading.Tasks;
|
||||
using System.Net.NetworkInformation;
|
||||
using System.Net.Sockets;
|
||||
using System.Net.Http;
|
||||
|
||||
namespace Amy;
|
||||
#nullable enable
|
||||
|
||||
public static partial class AmyCore
|
||||
{
|
||||
private static readonly Logger Logger_ = new("AmyCore");
|
||||
|
||||
static AmyCore()
|
||||
{
|
||||
List<string> adjectives = new();
|
||||
foreach (var age in MonolexemicAdjectivesAge) {
|
||||
adjectives.Add(age);
|
||||
}
|
||||
foreach (var appearance in MonolexemicAdjectivesAppearance) {
|
||||
adjectives.Add(appearance);
|
||||
}
|
||||
foreach (var appearance in MonolexemicAdjectivesFeelings) {
|
||||
adjectives.Add(appearance);
|
||||
}
|
||||
foreach (var color in MonolexemicColorWords) {
|
||||
adjectives.Add(color);
|
||||
}
|
||||
foreach (var gerund in MonolexemicGerunds) {
|
||||
adjectives.Add(gerund);
|
||||
}
|
||||
adjectives.Sort();
|
||||
var monoadj = adjectives.Distinct().ToArray();
|
||||
Array.Sort(monoadj);
|
||||
MonolexemicAdjectives = monoadj;
|
||||
|
||||
List<string> nouns = new();
|
||||
foreach (var gerund in MonolexemicGerunds) {
|
||||
nouns.Add(gerund);
|
||||
}
|
||||
foreach (var bodypart in MonolexemicNounsBodyParts) {
|
||||
nouns.Add(bodypart);
|
||||
}
|
||||
foreach (var fruit in MonolexemicNounsFruitsAndVeggies) {
|
||||
nouns.Add(fruit);
|
||||
}
|
||||
foreach (var plant in MonolexemicNounsPlants) {
|
||||
nouns.Add(plant);
|
||||
}
|
||||
foreach (var sport in MonolexemicSports) {
|
||||
nouns.Add(sport);
|
||||
}
|
||||
nouns.Sort();
|
||||
var mononoun = nouns.Distinct().ToArray();
|
||||
Array.Sort(mononoun);
|
||||
MonolexemicNouns = mononoun;
|
||||
}
|
||||
}
|
174
scripts/amy/AmyCurses.cs
Normal file
174
scripts/amy/AmyCurses.cs
Normal file
|
@ -0,0 +1,174 @@
|
|||
using Godot;
|
||||
using System;
|
||||
using System.Text;
|
||||
|
||||
namespace Amy;
|
||||
#nullable enable
|
||||
|
||||
public partial class AmyCurses : RichTextLabel
|
||||
{
|
||||
public enum Border : sbyte
|
||||
{
|
||||
None,
|
||||
Ascii,
|
||||
Thin,
|
||||
Thick,
|
||||
Double,
|
||||
}
|
||||
|
||||
[Export]
|
||||
public Vector2I GridSize { get; private set; } = new(120, 30);
|
||||
|
||||
public int Cursor { get; private set; }
|
||||
|
||||
public string[,] Grid { get; private set; }
|
||||
public Vector4I WindowCoords { get; private set; } = Vector4I.Zero;
|
||||
|
||||
public AmyCurses()
|
||||
{
|
||||
Grid = new string[GridSize.X, GridSize.Y];
|
||||
WindowCoords = new(0, 0, GridSize.X, GridSize.Y);
|
||||
}
|
||||
|
||||
public int Advance(int by = 1) => Seek(Cursor + by);
|
||||
|
||||
public void Put(string text)
|
||||
{
|
||||
foreach (var ch in text) {
|
||||
PutCell(ch);
|
||||
}
|
||||
}
|
||||
|
||||
public void PutCell(char ch) => PutCell(ch switch {
|
||||
'[' => "[lb]",
|
||||
']' => "[rb]",
|
||||
_ => ch.ToString(),
|
||||
});
|
||||
|
||||
public void PutCell(string ch)
|
||||
{
|
||||
Grid[WindowCoords.X + Cursor % WindowCoords.Z, WindowCoords.Y + Cursor / WindowCoords.Z] = ch;
|
||||
Advance();
|
||||
}
|
||||
|
||||
public void PutLine(string text)
|
||||
{
|
||||
Put(text);
|
||||
RepeatToEol(' ');
|
||||
}
|
||||
|
||||
public void RepeatToEol(char ch) => RepeatToEol(ch switch {
|
||||
'[' => "[lb]",
|
||||
']' => "[rb]",
|
||||
_ => ch.ToString(),
|
||||
});
|
||||
|
||||
public void RepeatToEol(string ch)
|
||||
{
|
||||
do {
|
||||
PutCell(ch);
|
||||
} while (Cursor % WindowCoords.Z != 0);
|
||||
}
|
||||
|
||||
public int Seek(Vector2I pos) => Seek(pos.Y, pos.X);
|
||||
|
||||
public int Seek(int row, int col) => Seek(row * WindowCoords.Z + col);
|
||||
|
||||
public int Seek(int pos) => Cursor = pos;
|
||||
|
||||
public void Window() => Window(0);
|
||||
|
||||
public void Window(Vector2I pos) => Window(pos.Y, pos.X);
|
||||
|
||||
public void Window(int row, int col) => Window(row * GridSize.X + col);
|
||||
|
||||
public void Window(int pos)
|
||||
{
|
||||
WindowCoords = new(0, 0, GridSize.X, GridSize.Y);
|
||||
Seek(pos);
|
||||
}
|
||||
|
||||
public void Window(int row, int col, int width, int height, Border border)
|
||||
{
|
||||
WindowCoords = new(col, row, width, height);
|
||||
Seek(0);
|
||||
PutCell(border switch {
|
||||
Border.None => " ",
|
||||
Border.Ascii => "+",
|
||||
Border.Thin => "┌",
|
||||
Border.Thick => "┏",
|
||||
Border.Double => "╔",
|
||||
_ => "?",
|
||||
});
|
||||
var hbar = border switch {
|
||||
Border.None => " ",
|
||||
Border.Ascii => "-",
|
||||
Border.Thin => "─",
|
||||
Border.Thick => "━",
|
||||
Border.Double => "═",
|
||||
_ => "?",
|
||||
};
|
||||
RepeatToEol(hbar);
|
||||
Advance(-1);
|
||||
PutCell(border switch {
|
||||
Border.None => " ",
|
||||
Border.Ascii => "+",
|
||||
Border.Thin => "┐",
|
||||
Border.Thick => "┓",
|
||||
Border.Double => "╗",
|
||||
_ => "?",
|
||||
});
|
||||
var vbar = border switch {
|
||||
Border.None => " ",
|
||||
Border.Ascii => "|",
|
||||
Border.Thin => "│",
|
||||
Border.Thick => "┃",
|
||||
Border.Double => "║",
|
||||
_ => "?",
|
||||
};
|
||||
for (int r = 1; r < height - 1; r++) {
|
||||
PutCell(vbar);
|
||||
RepeatToEol(' ');
|
||||
Advance(-1);
|
||||
PutCell(vbar);
|
||||
}
|
||||
PutCell(border switch {
|
||||
Border.None => " ",
|
||||
Border.Ascii => "+",
|
||||
Border.Thin => "└",
|
||||
Border.Thick => "┗",
|
||||
Border.Double => "╚",
|
||||
_ => "?",
|
||||
});
|
||||
RepeatToEol(hbar);
|
||||
Advance(-1);
|
||||
PutCell(border switch {
|
||||
Border.None => " ",
|
||||
Border.Ascii => "+",
|
||||
Border.Thin => "┘",
|
||||
Border.Thick => "┛",
|
||||
Border.Double => "╝",
|
||||
_ => "?",
|
||||
});
|
||||
WindowCoords = new(col + 1, row + 1, width - 2, height - 2);
|
||||
Seek(0);
|
||||
}
|
||||
|
||||
public override void _Process(double delta)
|
||||
{
|
||||
StringBuilder sb = new();
|
||||
for (int row = 0; row < GridSize.Y; row++) {
|
||||
for (int col = 0; col < GridSize.X; col++) {
|
||||
var ch = Grid[col, row];
|
||||
if (string.IsNullOrEmpty(ch)) {
|
||||
ch = " ";
|
||||
}
|
||||
sb.Append(ch);
|
||||
}
|
||||
if (row != GridSize.Y - 1) {
|
||||
sb.Append('\n');
|
||||
}
|
||||
}
|
||||
Text = sb.ToString();
|
||||
}
|
||||
}
|
66
scripts/amy/AmyDialogue.cs
Normal file
66
scripts/amy/AmyDialogue.cs
Normal file
|
@ -0,0 +1,66 @@
|
|||
using Godot;
|
||||
using System;
|
||||
using System.Collections.Generic;
|
||||
using System.Text;
|
||||
|
||||
namespace Amy;
|
||||
#nullable enable
|
||||
|
||||
public static partial class AmyDialogue
|
||||
{
|
||||
#if false // Enable if using Dialogue addon
|
||||
public static AmyBalloon? Balloon { get; private set; }
|
||||
public static string BalloonPath { get; set; } = "res://scenes/ui/dialogue/balloon.tscn";
|
||||
public static string DialoguePath { get; set; } = "res://assets/dialogue/default.dialogue";
|
||||
public static bool Visible
|
||||
{
|
||||
get {
|
||||
if (AmyCore.IsSafeToAccessAndInTree(Balloon)) {
|
||||
return true;
|
||||
}
|
||||
Balloon = null;
|
||||
return false;
|
||||
}
|
||||
}
|
||||
|
||||
public static Node? ShowBalloon(Node self, string title = "", params Variant[] extraGameStates)
|
||||
=> ShowBalloon(self, AmyPreload.Scene(BalloonPath), AmyPreload.Resource(DialoguePath), title, extraGameStates);
|
||||
|
||||
public static Node? ShowBalloon(Node self, PackedScene balloonScene, string title = "", params Variant[] extraGameStates)
|
||||
=> ShowBalloon(self, balloonScene, AmyPreload.Resource(DialoguePath), title, extraGameStates);
|
||||
|
||||
public static Node? ShowBalloon(Node self, Resource dialogueResource, string title = "", params Variant[] extraGameStates)
|
||||
=> ShowBalloon(self, AmyPreload.Scene(BalloonPath), dialogueResource, title, extraGameStates);
|
||||
|
||||
public static Node? ShowBalloon(Node self, PackedScene balloonScene, Resource dialogueResource, string title = "", params Variant[] extraGameStates)
|
||||
=> ShowBalloon(self, string.Empty, balloonScene, dialogueResource, title, extraGameStates);
|
||||
|
||||
public static Node? ShowBalloon(Node self, string callback, string title, params Variant[] extraGameStates)
|
||||
=> ShowBalloon(self, callback, AmyPreload.Scene(BalloonPath), AmyPreload.Resource(DialoguePath), title, extraGameStates);
|
||||
|
||||
public static Node? ShowBalloon(Node self, string callback, PackedScene balloonScene, string title = "", params Variant[] extraGameStates)
|
||||
=> ShowBalloon(self, callback, balloonScene, AmyPreload.Resource(DialoguePath), title, extraGameStates);
|
||||
|
||||
public static Node? ShowBalloon(Node self, string callback, Resource dialogueResource, string title = "", params Variant[] extraGameStates)
|
||||
=> ShowBalloon(self, callback, AmyPreload.Scene(BalloonPath), dialogueResource, title, extraGameStates);
|
||||
|
||||
public static Node? ShowBalloon(Node self, string callback, PackedScene balloonScene, Resource dialogueResource, string title = "", params Variant[] extraGameStates)
|
||||
{
|
||||
if (Visible) {
|
||||
return null;
|
||||
}
|
||||
var egs = new Godot.Collections.Array<Variant>(extraGameStates);
|
||||
if (balloonScene.Instantiate() is not AmyBalloon balloon) {
|
||||
return null;
|
||||
}
|
||||
Balloon = balloon;
|
||||
self.GetTree().CurrentScene?.AddChild(balloon);
|
||||
if (callback.Length > 0) {
|
||||
balloon.RegisterDialogueEndedCallback(self, new StringName(callback));
|
||||
}
|
||||
Callable.From<Resource, string, Godot.Collections.Array<Variant>?>(balloon.Start)
|
||||
.CallDeferred(dialogueResource, title, egs);
|
||||
return balloon;
|
||||
}
|
||||
#endif
|
||||
}
|
92
scripts/amy/AmyFloatableBody3D.cs
Normal file
92
scripts/amy/AmyFloatableBody3D.cs
Normal file
|
@ -0,0 +1,92 @@
|
|||
// Derived from https://github.com/ueshita/godot-floatable-body
|
||||
|
||||
using Godot;
|
||||
using System;
|
||||
|
||||
namespace Amy;
|
||||
#nullable enable
|
||||
|
||||
[GlobalClass]
|
||||
public partial class AmyFloatableBody3D : RigidBody3D, IAmyFluidBody3D
|
||||
{
|
||||
[Signal] public delegate void EnteredToFluidEventHandler(Vector3 position);
|
||||
[Signal] public delegate void ExitedToFluidEventHandler(Vector3 position);
|
||||
|
||||
[Export] public bool EnableFloating = true;
|
||||
[Export] public bool UseCollisionShapes = true;
|
||||
[Export] public double FluidDamp = 4d;
|
||||
[Export] public double MassOverride = 0d;
|
||||
[Export] public double GravityScaleOverride = 1d;
|
||||
|
||||
public readonly AmyFluidInteractor3D FluidInteractor = new();
|
||||
|
||||
public void FluidAreaEnter(AmyFluidArea3D area)
|
||||
{
|
||||
FluidInteractor.FluidAreaEnter(area);
|
||||
}
|
||||
|
||||
public void FluidAreaExit(AmyFluidArea3D area)
|
||||
{
|
||||
FluidInteractor.FluidAreaExit(area);
|
||||
}
|
||||
|
||||
public override void _PhysicsProcess(double delta)
|
||||
{
|
||||
if (!EnableFloating) {
|
||||
return;
|
||||
}
|
||||
var mass = MassOverride > 0d ? MassOverride : Mass;
|
||||
var gs = GravityScaleOverride > 0d ? GravityScaleOverride : GravityScale;
|
||||
FluidInteractor.Process(GlobalTransform, mass, gs);
|
||||
foreach (var floater in FluidInteractor.Floaters) {
|
||||
if (floater.JustEnteredFluid) {
|
||||
EmitSignal(SignalName.EnteredToFluid, floater.Position);
|
||||
}
|
||||
if (floater.JustExitedFluid) {
|
||||
EmitSignal(SignalName.ExitedToFluid, floater.Position);
|
||||
}
|
||||
}
|
||||
var ff = FluidInteractor.FloatForce;
|
||||
if (!ff.IsZeroApprox()) {
|
||||
ApplyForce(ff, FluidInteractor.FloatPosition);
|
||||
var ffd = (float) FluidDamp;
|
||||
LinearDamp = ffd;
|
||||
AngularDamp = ffd;
|
||||
} else {
|
||||
LinearDamp = 0f;
|
||||
AngularDamp = 0f;
|
||||
}
|
||||
}
|
||||
|
||||
#if false
|
||||
public override void _Process(double delta) // SetProcess(true) is needed iff _Process is used!
|
||||
{
|
||||
foreach (var child in GetChildren()) {
|
||||
if (child is CollisionShape3D cs3d) {
|
||||
if (cs3d.Shape is BoxShape3D box) {
|
||||
DebugDraw3D.DrawBox(cs3d.GlobalPosition - box.Size * .5f,
|
||||
cs3d.GlobalTransform.Basis.GetRotationQuaternion(), box.Size, Colors.Red);
|
||||
}
|
||||
}
|
||||
}
|
||||
}
|
||||
#endif
|
||||
|
||||
public override void _Ready()
|
||||
{
|
||||
var isServer = Multiplayer?.IsServer() ?? false;
|
||||
//SetProcess(true); // Needed iff _Process is used!
|
||||
SetPhysicsProcess(isServer);
|
||||
if (!isServer) {
|
||||
return;
|
||||
}
|
||||
if (UseCollisionShapes) {
|
||||
foreach (var ownerID in GetShapeOwners()) {
|
||||
var collision = ShapeOwnerGetOwner((uint) ownerID);
|
||||
if (collision is CollisionShape3D cs3d) {
|
||||
FluidInteractor.AddCollisionShape(cs3d);
|
||||
}
|
||||
}
|
||||
}
|
||||
}
|
||||
}
|
97
scripts/amy/AmyFluidArea3D.cs
Normal file
97
scripts/amy/AmyFluidArea3D.cs
Normal file
|
@ -0,0 +1,97 @@
|
|||
// Derived from https://github.com/ueshita/godot-floatable-body
|
||||
|
||||
using Godot;
|
||||
using System;
|
||||
using System.Collections.Generic;
|
||||
|
||||
namespace Amy;
|
||||
#nullable enable
|
||||
|
||||
public partial class AmyFluidArea3D : Area3D
|
||||
{
|
||||
[Export] public double Density = 100d;
|
||||
[Export] public bool SimulateTurbulence = true;
|
||||
|
||||
public readonly HashSet<IAmyFluidBody3D> CurrentlyOverlappingBodies = new();
|
||||
public readonly HashSet<IAmyFluidBody3D> EverOverlappingBodies = new();
|
||||
public FastNoiseLite? Noise = new();
|
||||
public double Time = 0d;
|
||||
|
||||
public double SurfaceHeight => GlobalPosition.Y + SurfaceHeightAdd;
|
||||
public double SurfaceHeightAdd;
|
||||
|
||||
// Don't do this in _Ready, do this in _init so it gets called on script changes
|
||||
public AmyFluidArea3D()
|
||||
{
|
||||
var isServer = Multiplayer?.IsServer() ?? false;
|
||||
SetPhysicsProcess(isServer);
|
||||
if (!isServer) {
|
||||
return;
|
||||
}
|
||||
foreach (var ownerID in GetShapeOwners()) {
|
||||
var collision = ShapeOwnerGetOwner((uint) ownerID);
|
||||
if (collision is CollisionShape3D cs) {
|
||||
var shape = cs.Shape;
|
||||
if (shape is BoxShape3D box) {
|
||||
var extent = box.Size * .5f;
|
||||
SurfaceHeightAdd += (cs.Transform * extent).Y;
|
||||
}
|
||||
}
|
||||
}
|
||||
}
|
||||
|
||||
public double GetHeight(Vector3 position)
|
||||
=> SurfaceHeight + .3d * Noise.GetNoise3D(
|
||||
(float) (Time * 2d + position.X),
|
||||
position.Y,
|
||||
(float) (Time * 5d + position.Z));
|
||||
|
||||
public void OnBodyEntered(Node3D body)
|
||||
{
|
||||
if (body is IAmyFluidBody3D fbody && body is not IAmyFluidBodyManualOverlapDetection) {
|
||||
EverOverlappingBodies.Add(fbody);
|
||||
CurrentlyOverlappingBodies.Add(fbody);
|
||||
fbody.FluidAreaEnter(this);
|
||||
}
|
||||
}
|
||||
|
||||
public void OnBodyExited(Node3D body)
|
||||
{
|
||||
if (body is IAmyFluidBody3D fbody && body is not IAmyFluidBodyManualOverlapDetection) {
|
||||
CurrentlyOverlappingBodies.Remove(fbody);
|
||||
fbody.FluidAreaExit(this);
|
||||
}
|
||||
}
|
||||
|
||||
public override void _PhysicsProcess(double delta)
|
||||
{
|
||||
if (!Connected) {
|
||||
Connected = true;
|
||||
BodyEntered += OnBodyEntered;
|
||||
BodyExited += OnBodyExited;
|
||||
}
|
||||
Time += delta;
|
||||
foreach (var body in EverOverlappingBodies) {
|
||||
if (!AmyCore.IsSafeToAccessAndInTree(body)) {
|
||||
CurrentlyOverlappingBodies.Remove(body);
|
||||
EverOverlappingBodies.Remove(body);
|
||||
continue;
|
||||
}
|
||||
if (body is not Node3D n3d) {
|
||||
continue;
|
||||
}
|
||||
var overlapping = OverlapsBody(n3d);
|
||||
if (CurrentlyOverlappingBodies.Contains(body)) {
|
||||
if (!overlapping) {
|
||||
OnBodyExited(n3d);
|
||||
}
|
||||
} else {
|
||||
if (overlapping) {
|
||||
OnBodyEntered(n3d);
|
||||
}
|
||||
}
|
||||
}
|
||||
}
|
||||
|
||||
private bool Connected;
|
||||
}
|
126
scripts/amy/AmyFluidInteractor3D.cs
Normal file
126
scripts/amy/AmyFluidInteractor3D.cs
Normal file
|
@ -0,0 +1,126 @@
|
|||
// Derived from https://github.com/ueshita/godot-floatable-body
|
||||
|
||||
using Godot;
|
||||
using System;
|
||||
using System.Collections.Generic;
|
||||
|
||||
namespace Amy;
|
||||
#nullable enable
|
||||
|
||||
public partial class AmyFluidInteractor3D : RefCounted
|
||||
{
|
||||
public class Floater3D
|
||||
{
|
||||
public Vector3 Position;
|
||||
public double Radius;
|
||||
public int State;
|
||||
|
||||
public bool IsInFluid => State >= 2;
|
||||
public bool JustEnteredFluid => State == 2;
|
||||
public bool JustExitedFluid => State == 1;
|
||||
|
||||
public Floater3D(Vector3 position, double radius)
|
||||
{
|
||||
Position = position;
|
||||
Radius = radius;
|
||||
}
|
||||
}
|
||||
|
||||
public readonly List<Floater3D> Floaters = new();
|
||||
public Vector3 FloatPosition = Vector3.Zero;
|
||||
public Vector3 FloatForce = Vector3.Zero;
|
||||
public readonly HashSet<AmyFluidArea3D> FluidAreas = new();
|
||||
public double Volume;
|
||||
|
||||
public bool Submerged => FluidAreas.Count > 0;
|
||||
|
||||
public void AddCollisionShape(CollisionShape3D collision)
|
||||
{
|
||||
var shape = collision.Shape;
|
||||
if (shape is BoxShape3D box) {
|
||||
var extent = box.Size * .5f;
|
||||
AddFloater(collision.Transform * new Vector3(-extent.X, 0f, -extent.Z));
|
||||
AddFloater(collision.Transform * new Vector3(-extent.X, 0f, extent.Z));
|
||||
AddFloater(collision.Transform * new Vector3( extent.X, 0f, -extent.Z));
|
||||
AddFloater(collision.Transform * new Vector3( extent.X, 0f, extent.Z));
|
||||
Volume += box.Size.X * box.Size.Y * box.Size.Z;
|
||||
} else if (shape is SphereShape3D sphere) {
|
||||
AddFloater(collision.Position, sphere.Radius);
|
||||
Volume += (4d / 3d) * Math.PI * sphere.Radius * sphere.Radius * sphere.Radius;
|
||||
} else if (shape is CylinderShape3D cylinder) {
|
||||
AddFloater(collision.Transform * new Vector3(0f, -cylinder.Height * .5f + cylinder.Radius, 0f), cylinder.Radius);
|
||||
AddFloater(collision.Transform * new Vector3(0f, cylinder.Height * .5f - cylinder.Radius, 0f), cylinder.Radius);
|
||||
Volume += Math.PI * cylinder.Radius * cylinder.Radius * cylinder.Height;
|
||||
} else if (shape is CapsuleShape3D capsule) {
|
||||
AddFloater(collision.Transform * new Vector3(0f, -capsule.Height * .5f, 0f), capsule.Radius);
|
||||
AddFloater(collision.Transform * new Vector3(0f, capsule.Height * .5f, 0f), capsule.Radius);
|
||||
Volume += (4d / 3d) * Math.PI * capsule.Radius * capsule.Radius * capsule.Radius
|
||||
+ Math.PI * capsule.Radius * capsule.Radius * capsule.Height;
|
||||
} else if (shape is SeparationRayShape3D ray) {
|
||||
// Don't warn, but don't add anything.
|
||||
} else {
|
||||
GD.PushWarning(collision.GetParent().Name.ToString() + " has atypical collision.");
|
||||
}
|
||||
}
|
||||
|
||||
public void AddFloater(Vector3 position, double radius = 0d)
|
||||
{
|
||||
Floaters.Add(new Floater3D(position, radius));
|
||||
}
|
||||
|
||||
public void ClearFloaters()
|
||||
{
|
||||
Floaters.Clear();
|
||||
}
|
||||
|
||||
public void FluidAreaEnter(AmyFluidArea3D area)
|
||||
{
|
||||
FluidAreas.Add(area);
|
||||
}
|
||||
|
||||
public void FluidAreaExit(AmyFluidArea3D area)
|
||||
{
|
||||
FluidAreas.Remove(area);
|
||||
}
|
||||
|
||||
public void Process(Transform3D transform, double mass = 1d, double gravityScale = 1d)
|
||||
{
|
||||
FloatPosition = Vector3.Zero;
|
||||
FloatForce = Vector3.Zero;
|
||||
if (FluidAreas.Count < 1) {
|
||||
return;
|
||||
}
|
||||
var sumPositions = Vector3.Zero;
|
||||
var sumWeights = 0d;
|
||||
var maxDiff = 0d;
|
||||
var minDiff = double.PositiveInfinity;
|
||||
foreach (var fluidArea in FluidAreas) {
|
||||
foreach (var floater in Floaters) {
|
||||
var floaterPosition = transform * floater.Position;
|
||||
var surfaceHeight = fluidArea.GetHeight(floaterPosition);
|
||||
var diffB = floaterPosition.Y - floater.Radius - surfaceHeight;
|
||||
var diffU = floaterPosition.Y + floater.Radius - surfaceHeight;
|
||||
maxDiff = Math.Max(maxDiff, diffU);
|
||||
minDiff = Math.Min(minDiff, diffB);
|
||||
floater.State >>= 1;
|
||||
if (diffB < 0d) {
|
||||
var ndiffB = -diffB;
|
||||
sumPositions += floaterPosition * (float) ndiffB;
|
||||
sumWeights += ndiffB;
|
||||
floater.State |= 2;
|
||||
}
|
||||
}
|
||||
if (sumWeights > 0d) {
|
||||
var floatVolume = Volume;
|
||||
var floatDiff = Math.Abs(minDiff - maxDiff);
|
||||
if (maxDiff > 0d) {
|
||||
floatVolume *= Math.Abs(minDiff) / floatDiff;
|
||||
floatDiff = Math.Abs(minDiff);
|
||||
}
|
||||
FloatPosition += sumPositions / (float) sumWeights - transform.Origin;
|
||||
FloatForce += Vector3.Up * (float) (floatDiff * floatVolume / mass
|
||||
* fluidArea.Density * gravityScale);
|
||||
}
|
||||
}
|
||||
}
|
||||
}
|
35
scripts/amy/AmyFullscreenCheckButton.cs
Normal file
35
scripts/amy/AmyFullscreenCheckButton.cs
Normal file
|
@ -0,0 +1,35 @@
|
|||
using Godot;
|
||||
using System;
|
||||
|
||||
namespace Amy;
|
||||
#nullable enable
|
||||
|
||||
public partial class AmyFullscreenCheckButton : CheckButton
|
||||
{
|
||||
public override void _Ready()
|
||||
{
|
||||
var value = AmyCore.Config.Get("Config", "Fullscreen", true);
|
||||
ButtonPressed = value;
|
||||
Toggled += OnToggled;
|
||||
SetFullscreen(value);
|
||||
}
|
||||
|
||||
private void OnToggled(bool pressed)
|
||||
{
|
||||
AmyCore.Config.Set("Config", "Fullscreen", pressed);
|
||||
SetFullscreen(pressed);
|
||||
}
|
||||
|
||||
private void SetFullscreen(bool fullscreen)
|
||||
{
|
||||
if (fullscreen) {
|
||||
if (DisplayServer.WindowGetMode() != DisplayServer.WindowMode.Fullscreen) {
|
||||
DisplayServer.WindowSetMode(DisplayServer.WindowMode.Fullscreen);
|
||||
}
|
||||
} else {
|
||||
if (DisplayServer.WindowGetMode() != DisplayServer.WindowMode.Windowed) {
|
||||
DisplayServer.WindowSetMode(DisplayServer.WindowMode.Windowed);
|
||||
}
|
||||
}
|
||||
}
|
||||
}
|
34
scripts/amy/AmyGPUParticles2DOneShot.cs
Normal file
34
scripts/amy/AmyGPUParticles2DOneShot.cs
Normal file
|
@ -0,0 +1,34 @@
|
|||
using Amy;
|
||||
using Godot;
|
||||
using System;
|
||||
using System.Collections.Generic;
|
||||
|
||||
namespace Amy;
|
||||
#nullable enable
|
||||
|
||||
public partial class AmyGPUParticles2DOneShot : GpuParticles2D
|
||||
{
|
||||
[Export]
|
||||
public ulong LifetimeMsec = 1250uL;
|
||||
|
||||
public override void _Process(double delta)
|
||||
{
|
||||
if (Expiration == 0uL) {
|
||||
if (!Emitting) {
|
||||
Expiration = Time.GetTicksMsec() + LifetimeMsec;
|
||||
}
|
||||
} else if (Expiration != ulong.MaxValue && Time.GetTicksMsec() > Expiration) {
|
||||
Expiration = ulong.MaxValue;
|
||||
GetParent()?.RemoveChild(this);
|
||||
QueueFree();
|
||||
}
|
||||
}
|
||||
|
||||
public override void _Ready()
|
||||
{
|
||||
Name = Guid.NewGuid().ToString();
|
||||
Emitting = true;
|
||||
}
|
||||
|
||||
private ulong Expiration;
|
||||
}
|
34
scripts/amy/AmyGPUParticles3DOneShot.cs
Normal file
34
scripts/amy/AmyGPUParticles3DOneShot.cs
Normal file
|
@ -0,0 +1,34 @@
|
|||
using Amy;
|
||||
using Godot;
|
||||
using System;
|
||||
using System.Collections.Generic;
|
||||
|
||||
namespace Amy;
|
||||
#nullable enable
|
||||
|
||||
public partial class AmyGPUParticles3DOneShot : GpuParticles3D
|
||||
{
|
||||
[Export]
|
||||
public ulong LifetimeMsec = 1250uL;
|
||||
|
||||
public override void _Process(double delta)
|
||||
{
|
||||
if (Expiration == 0uL) {
|
||||
if (!Emitting) {
|
||||
Expiration = Time.GetTicksMsec() + LifetimeMsec;
|
||||
}
|
||||
} else if (Expiration != ulong.MaxValue && Time.GetTicksMsec() > Expiration) {
|
||||
Expiration = ulong.MaxValue;
|
||||
GetParent()?.RemoveChild(this);
|
||||
QueueFree();
|
||||
}
|
||||
}
|
||||
|
||||
public override void _Ready()
|
||||
{
|
||||
Name = Guid.NewGuid().ToString();
|
||||
Emitting = true;
|
||||
}
|
||||
|
||||
private ulong Expiration;
|
||||
}
|
15
scripts/amy/AmyGender.cs
Normal file
15
scripts/amy/AmyGender.cs
Normal file
|
@ -0,0 +1,15 @@
|
|||
using Godot;
|
||||
using System;
|
||||
|
||||
namespace Amy;
|
||||
#nullable enable
|
||||
|
||||
public enum AmyGender : sbyte
|
||||
{
|
||||
Unspecified,
|
||||
Female,
|
||||
Male,
|
||||
Nonbinary,
|
||||
NotMale,
|
||||
NotFemale,
|
||||
}
|
12
scripts/amy/AmyHeat.cs
Normal file
12
scripts/amy/AmyHeat.cs
Normal file
|
@ -0,0 +1,12 @@
|
|||
using Godot;
|
||||
using System;
|
||||
|
||||
namespace Amy;
|
||||
#nullable enable
|
||||
|
||||
public enum AmyHeat : sbyte
|
||||
{
|
||||
Cold = -16,
|
||||
None = 0,
|
||||
Hot = 16,
|
||||
}
|
35
scripts/amy/AmyHitbox2D.cs
Normal file
35
scripts/amy/AmyHitbox2D.cs
Normal file
|
@ -0,0 +1,35 @@
|
|||
using Godot;
|
||||
using System;
|
||||
|
||||
namespace Amy;
|
||||
#nullable enable
|
||||
|
||||
public partial class AmyHitbox2D : Area2D
|
||||
{
|
||||
public void CauseDamageServer(Node2D by, double amount,
|
||||
Vector2 knockbackOrigin, double knockbackAmount, AmyHeat heat,
|
||||
params object[] metadata)
|
||||
{
|
||||
foreach (var body in GetOverlappingBodies()) {
|
||||
if (body is IAmyDamageableBody2D damageableBody) {
|
||||
var knockbackDirection = (body.GlobalPosition - knockbackOrigin).Normalized();
|
||||
var knockback = (float) knockbackAmount * knockbackDirection;
|
||||
damageableBody.TakeDamageServer(by, amount, knockback, heat, metadata);
|
||||
}
|
||||
}
|
||||
foreach (var area in GetOverlappingAreas()) {
|
||||
if (area is AmyHurtbox2D hurtbox) {
|
||||
Vector2 agentpos;
|
||||
if (hurtbox.HasNode(hurtbox.Agent)
|
||||
&& hurtbox.GetNode(hurtbox.Agent) is Node2D agent) {
|
||||
agentpos = agent.GlobalPosition;
|
||||
} else {
|
||||
agentpos = hurtbox.GlobalPosition;
|
||||
}
|
||||
var knockbackDirection = (agentpos - knockbackOrigin).Normalized();
|
||||
var knockback = (float) knockbackAmount * knockbackDirection;
|
||||
hurtbox.TakeDamageServer(by, amount, knockback, heat, metadata);
|
||||
}
|
||||
}
|
||||
}
|
||||
}
|
35
scripts/amy/AmyHitbox3D.cs
Normal file
35
scripts/amy/AmyHitbox3D.cs
Normal file
|
@ -0,0 +1,35 @@
|
|||
using Godot;
|
||||
using System;
|
||||
|
||||
namespace Amy;
|
||||
#nullable enable
|
||||
|
||||
public partial class AmyHitbox3D : Area3D
|
||||
{
|
||||
public void CauseDamageServer(Node3D by, double amount,
|
||||
Vector3 knockbackOrigin, double knockbackAmount, AmyHeat heat,
|
||||
params object[] metadata)
|
||||
{
|
||||
foreach (var body in GetOverlappingBodies()) {
|
||||
if (body is IAmyDamageableBody3D damageableBody) {
|
||||
var knockbackDirection = (body.GlobalPosition - knockbackOrigin).Normalized();
|
||||
var knockback = (float) knockbackAmount * knockbackDirection;
|
||||
damageableBody.TakeDamageServer(by, amount, knockback, heat, metadata);
|
||||
}
|
||||
}
|
||||
foreach (var area in GetOverlappingAreas()) {
|
||||
if (area is AmyHurtbox3D hurtbox) {
|
||||
Vector3 agentpos;
|
||||
if (hurtbox.HasNode(hurtbox.Agent)
|
||||
&& hurtbox.GetNode(hurtbox.Agent) is Node3D agent) {
|
||||
agentpos = agent.GlobalPosition;
|
||||
} else {
|
||||
agentpos = hurtbox.GlobalPosition;
|
||||
}
|
||||
var knockbackDirection = (agentpos - knockbackOrigin).Normalized();
|
||||
var knockback = (float) knockbackAmount * knockbackDirection;
|
||||
hurtbox.TakeDamageServer(by, amount, knockback, heat, metadata);
|
||||
}
|
||||
}
|
||||
}
|
||||
}
|
18
scripts/amy/AmyHoukinClass.cs
Normal file
18
scripts/amy/AmyHoukinClass.cs
Normal file
|
@ -0,0 +1,18 @@
|
|||
using Godot;
|
||||
using System;
|
||||
|
||||
namespace Amy.HoukinPark;
|
||||
#nullable enable
|
||||
|
||||
public enum AmyHoukinClass : sbyte
|
||||
{
|
||||
NotHoukin,
|
||||
D,
|
||||
C,
|
||||
B,
|
||||
A,
|
||||
S,
|
||||
SS,
|
||||
SSS,
|
||||
EX,
|
||||
}
|
19
scripts/amy/AmyHurtbox2D.cs
Normal file
19
scripts/amy/AmyHurtbox2D.cs
Normal file
|
@ -0,0 +1,19 @@
|
|||
using Godot;
|
||||
using System;
|
||||
|
||||
namespace Amy;
|
||||
#nullable enable
|
||||
|
||||
public partial class AmyHurtbox2D : Area2D
|
||||
{
|
||||
[Export]
|
||||
public NodePath Agent { get; private set; } = "..";
|
||||
|
||||
public void TakeDamageServer(Node2D by, double amount, Vector2 knockback, AmyHeat heat,
|
||||
params object[] metadata)
|
||||
{
|
||||
if (HasNode(Agent) && GetNode(Agent) is IAmyDamageable2D damageable) {
|
||||
damageable.TakeDamageServer(by, amount, knockback, heat, metadata);
|
||||
}
|
||||
}
|
||||
}
|
19
scripts/amy/AmyHurtbox3D.cs
Normal file
19
scripts/amy/AmyHurtbox3D.cs
Normal file
|
@ -0,0 +1,19 @@
|
|||
using Godot;
|
||||
using System;
|
||||
|
||||
namespace Amy;
|
||||
#nullable enable
|
||||
|
||||
public partial class AmyHurtbox3D : Area3D
|
||||
{
|
||||
[Export]
|
||||
public NodePath Agent { get; private set; } = "..";
|
||||
|
||||
public void TakeDamageServer(Node3D by, double amount, Vector3 knockback, AmyHeat heat,
|
||||
params object[] metadata)
|
||||
{
|
||||
if (HasNode(Agent) && GetNode(Agent) is IAmyDamageable3D damageable) {
|
||||
damageable.TakeDamageServer(by, amount, knockback, heat, metadata);
|
||||
}
|
||||
}
|
||||
}
|
64
scripts/amy/AmyInterfaceSounds.cs
Normal file
64
scripts/amy/AmyInterfaceSounds.cs
Normal file
|
@ -0,0 +1,64 @@
|
|||
using Godot;
|
||||
using System;
|
||||
using System.Collections.Generic;
|
||||
|
||||
namespace Amy;
|
||||
#nullable enable
|
||||
|
||||
public partial class AmyInterfaceSounds : Node
|
||||
{
|
||||
[Export]
|
||||
public NodePath UIRoot { get; private set; } = "..";
|
||||
|
||||
public void InstallSounds(AmyInterfaceSounds self, Node node, StringName set)
|
||||
{
|
||||
var setnode = self.GetNode(set.ToString());
|
||||
foreach (var each in setnode.GetChildren()) {
|
||||
if (each is not AudioStreamPlayer asp) {
|
||||
continue;
|
||||
}
|
||||
var signal = asp.Name;
|
||||
if (node.HasSignal(signal)) {
|
||||
node.Connect(signal, Callable.From(() => asp.Play()));
|
||||
} else {
|
||||
GD.PushWarning($"Node ``{node.GetPath()}'' does not have signal ``{signal}''.");
|
||||
}
|
||||
}
|
||||
}
|
||||
|
||||
public void InstallSoundsRecursive(AmyInterfaceSounds self, Node node)
|
||||
{
|
||||
if (node == self) {
|
||||
return; // Skip the config nodes.
|
||||
}
|
||||
foreach (var child in node.GetChildren()) {
|
||||
var name = child.Name.ToString();
|
||||
StringName? match = null;
|
||||
if (!name.StartsWith('_') && Names.Contains(child.Name)) {
|
||||
match = child.Name;
|
||||
} else {
|
||||
foreach (var check in Names) {
|
||||
var chk = check.ToString();
|
||||
if (chk.StartsWith('_') && name.EndsWith(chk)) {
|
||||
match = check;
|
||||
break;
|
||||
}
|
||||
}
|
||||
}
|
||||
if (match is StringName sn) {
|
||||
InstallSounds(self, child, sn);
|
||||
}
|
||||
InstallSoundsRecursive(self, child);
|
||||
}
|
||||
}
|
||||
|
||||
public override void _Ready()
|
||||
{
|
||||
foreach (var child in GetChildren()) {
|
||||
Names.Add(child.Name);
|
||||
}
|
||||
InstallSoundsRecursive(this, GetNode(UIRoot));
|
||||
}
|
||||
|
||||
public readonly HashSet<StringName> Names = new();
|
||||
}
|
236
scripts/amy/AmyKonamiCode.cs
Normal file
236
scripts/amy/AmyKonamiCode.cs
Normal file
|
@ -0,0 +1,236 @@
|
|||
using Amy;
|
||||
using Godot;
|
||||
using System;
|
||||
|
||||
namespace Amy;
|
||||
|
||||
public partial class AmyKonamiCode : Node
|
||||
{
|
||||
#nullable enable annotations
|
||||
#nullable enable warnings
|
||||
|
||||
[Export]
|
||||
public bool RequireVisible { get; private set; } = false;
|
||||
|
||||
[Export]
|
||||
public NodePath RequireVisiblePath { get; private set; } = "";
|
||||
|
||||
[Export]
|
||||
public NodePath[] ShowOnKonamiCode { get; private set; } = new NodePath[0];
|
||||
|
||||
[Export]
|
||||
public NodePath[] HideOnKonamiCode { get; private set; } = new NodePath[0];
|
||||
|
||||
[Export]
|
||||
public NodePath[] HideOnKonamiCodeButDontShowOnReset { get; private set; } = new NodePath[0];
|
||||
|
||||
public override void _Input(InputEvent @event)
|
||||
{
|
||||
if (RequireVisible && !CheckIsVisible(RequiredVisible, false)) {
|
||||
Code = 0;
|
||||
if (Revealed) {
|
||||
Reset();
|
||||
}
|
||||
return;
|
||||
}
|
||||
if (!(@event is InputEventKey or InputEventMouseButton or InputEventJoypadButton)) {
|
||||
return;
|
||||
}
|
||||
switch (Code) {
|
||||
case 0:
|
||||
case 1:
|
||||
// up
|
||||
if (@event is InputEventKey upKeyEvent && upKeyEvent.Pressed) {
|
||||
if (upKeyEvent.PhysicalKeycode == Key.W || upKeyEvent.PhysicalKeycode == Key.Up) {
|
||||
Code++;
|
||||
return;
|
||||
}
|
||||
} else if (@event is InputEventJoypadButton upJoyEvent && upJoyEvent.Pressed) {
|
||||
if (upJoyEvent.ButtonIndex == JoyButton.DpadUp) {
|
||||
Code++;
|
||||
return;
|
||||
}
|
||||
}
|
||||
break;
|
||||
case 2:
|
||||
case 3:
|
||||
// down
|
||||
if (@event is InputEventKey downKeyEvent && downKeyEvent.Pressed) {
|
||||
if (downKeyEvent.PhysicalKeycode == Key.S || downKeyEvent.PhysicalKeycode == Key.Down) {
|
||||
Code++;
|
||||
return;
|
||||
}
|
||||
} else if (@event is InputEventJoypadButton downJoyEvent && downJoyEvent.Pressed) {
|
||||
if (downJoyEvent.ButtonIndex == JoyButton.DpadDown) {
|
||||
Code++;
|
||||
return;
|
||||
}
|
||||
}
|
||||
break;
|
||||
case 4:
|
||||
case 6:
|
||||
// left
|
||||
if (@event is InputEventKey leftKeyEvent && leftKeyEvent.Pressed) {
|
||||
if (leftKeyEvent.PhysicalKeycode == Key.A || leftKeyEvent.PhysicalKeycode == Key.Left) {
|
||||
Code++;
|
||||
return;
|
||||
}
|
||||
} else if (@event is InputEventJoypadButton leftJoyEvent && leftJoyEvent.Pressed) {
|
||||
if (leftJoyEvent.ButtonIndex == JoyButton.DpadLeft) {
|
||||
Code++;
|
||||
return;
|
||||
}
|
||||
}
|
||||
break;
|
||||
case 5:
|
||||
case 7:
|
||||
// right
|
||||
if (@event is InputEventKey rightKeyEvent && rightKeyEvent.Pressed) {
|
||||
if (rightKeyEvent.PhysicalKeycode == Key.D || rightKeyEvent.PhysicalKeycode == Key.Right) {
|
||||
Code++;
|
||||
return;
|
||||
}
|
||||
} else if (@event is InputEventJoypadButton rightJoyEvent && rightJoyEvent.Pressed) {
|
||||
if (rightJoyEvent.ButtonIndex == JoyButton.DpadRight) {
|
||||
Code++;
|
||||
return;
|
||||
}
|
||||
}
|
||||
break;
|
||||
case 8:
|
||||
// b
|
||||
if (@event is InputEventKey bKeyEvent && bKeyEvent.Pressed) {
|
||||
if (bKeyEvent.PhysicalKeycode == Key.B) {
|
||||
Code++;
|
||||
return;
|
||||
}
|
||||
} else if (@event is InputEventMouseButton bMbEvent && bMbEvent.Pressed) {
|
||||
if (bMbEvent.ButtonIndex == MouseButton.Right) {
|
||||
Code++;
|
||||
return;
|
||||
}
|
||||
} else if (@event is InputEventJoypadButton bJoyEvent && bJoyEvent.Pressed) {
|
||||
if (bJoyEvent.ButtonIndex == JoyButton.B) {
|
||||
Code++;
|
||||
return;
|
||||
}
|
||||
}
|
||||
break;
|
||||
case 9:
|
||||
// a
|
||||
if (@event is InputEventKey aKeyEvent && aKeyEvent.Pressed) {
|
||||
if (aKeyEvent.PhysicalKeycode == Key.A) {
|
||||
Code++;
|
||||
Success();
|
||||
return;
|
||||
}
|
||||
} else if (@event is InputEventMouseButton aMbEvent && aMbEvent.Pressed) {
|
||||
if (aMbEvent.ButtonIndex == MouseButton.Left) {
|
||||
Code++;
|
||||
Success();
|
||||
return;
|
||||
}
|
||||
} else if (@event is InputEventJoypadButton aJoyEvent && aJoyEvent.Pressed) {
|
||||
if (aJoyEvent.ButtonIndex == JoyButton.A) {
|
||||
Code++;
|
||||
Success();
|
||||
return;
|
||||
}
|
||||
}
|
||||
break;
|
||||
default:
|
||||
return;
|
||||
}
|
||||
// reset: up
|
||||
if (@event is InputEventKey rstKeyEvent && rstKeyEvent.Pressed) {
|
||||
if (rstKeyEvent.PhysicalKeycode == Key.W || rstKeyEvent.PhysicalKeycode == Key.Up) {
|
||||
Code = 1;
|
||||
return;
|
||||
}
|
||||
} else if (@event is InputEventJoypadButton rstJoyEvent && rstJoyEvent.Pressed) {
|
||||
if (rstJoyEvent.ButtonIndex == JoyButton.DpadUp) {
|
||||
Code = 1;
|
||||
return;
|
||||
}
|
||||
}
|
||||
// reset: fail
|
||||
if (@event is InputEventKey failKeyEvent && failKeyEvent.Pressed) {
|
||||
Code = 0;
|
||||
if (Revealed) {
|
||||
Reset();
|
||||
}
|
||||
return;
|
||||
} else if (@event is InputEventMouseButton failMbEvent && failMbEvent.Pressed) {
|
||||
Code = 0;
|
||||
if (Revealed) {
|
||||
Reset();
|
||||
}
|
||||
return;
|
||||
} else if (@event is InputEventJoypadButton failJoyEvent && failJoyEvent.Pressed) {
|
||||
Code = 0;
|
||||
if (Revealed) {
|
||||
Reset();
|
||||
}
|
||||
return;
|
||||
}
|
||||
}
|
||||
|
||||
public override void _Ready()
|
||||
{
|
||||
Reset();
|
||||
if (RequireVisible) {
|
||||
RequiredVisible = GetNode(RequireVisiblePath);
|
||||
}
|
||||
}
|
||||
|
||||
private static bool CheckIsVisible(Node? node, bool fallback)
|
||||
{
|
||||
if (node is CanvasItem canvasItem && AmyCore.IsSafeToAccessAndInTree(canvasItem)) {
|
||||
return canvasItem.Visible;
|
||||
} else if (node is Node3D node3D && AmyCore.IsSafeToAccessAndInTree(node3D)) {
|
||||
return node3D.Visible;
|
||||
}
|
||||
return fallback;
|
||||
}
|
||||
|
||||
private static void SetVisibility(Node? node, bool visible)
|
||||
{
|
||||
if (node is CanvasItem canvasItem && AmyCore.IsSafeToAccessAndInTree(canvasItem)) {
|
||||
canvasItem.Visible = visible;
|
||||
} else if (node is Node3D node3D && AmyCore.IsSafeToAccessAndInTree(node3D)) {
|
||||
node3D.Visible = visible;
|
||||
}
|
||||
}
|
||||
|
||||
private int Code;
|
||||
private Node? RequiredVisible;
|
||||
private bool Revealed;
|
||||
|
||||
private void Reset()
|
||||
{
|
||||
Revealed = false;
|
||||
foreach (var path in ShowOnKonamiCode) {
|
||||
SetVisibility(GetNode(path), false);
|
||||
}
|
||||
foreach (var path in HideOnKonamiCode) {
|
||||
SetVisibility(GetNode(path), true);
|
||||
}
|
||||
}
|
||||
|
||||
private void Success()
|
||||
{
|
||||
Revealed = true;
|
||||
foreach (var path in HideOnKonamiCode) {
|
||||
SetVisibility(GetNode(path), false);
|
||||
}
|
||||
foreach (var path in HideOnKonamiCodeButDontShowOnReset) {
|
||||
SetVisibility(GetNode(path), false);
|
||||
}
|
||||
foreach (var path in ShowOnKonamiCode) {
|
||||
SetVisibility(GetNode(path), true);
|
||||
}
|
||||
}
|
||||
|
||||
#nullable restore warnings
|
||||
#nullable restore annotations
|
||||
}
|
31
scripts/amy/AmyLuaRaiseException.cs
Normal file
31
scripts/amy/AmyLuaRaiseException.cs
Normal file
|
@ -0,0 +1,31 @@
|
|||
using Godot;
|
||||
using System;
|
||||
|
||||
namespace Amy;
|
||||
#nullable enable
|
||||
|
||||
public partial class AmyLuaRaiseException : Exception
|
||||
{
|
||||
public Color Color;
|
||||
public string? Handler;
|
||||
|
||||
public AmyLuaRaiseException(string? handler, Color color)
|
||||
{
|
||||
Color = color;
|
||||
Handler = handler;
|
||||
}
|
||||
|
||||
public AmyLuaRaiseException(string? handler, Color color, string message)
|
||||
: base(message)
|
||||
{
|
||||
Color = color;
|
||||
Handler = handler;
|
||||
}
|
||||
|
||||
public AmyLuaRaiseException(string? handler, Color color, string message, Exception inner)
|
||||
: base(message, inner)
|
||||
{
|
||||
Color = color;
|
||||
Handler = handler;
|
||||
}
|
||||
}
|
67
scripts/amy/AmyMessages.cs
Normal file
67
scripts/amy/AmyMessages.cs
Normal file
|
@ -0,0 +1,67 @@
|
|||
using Amy;
|
||||
using Godot;
|
||||
using System;
|
||||
using System.Collections.Generic;
|
||||
|
||||
namespace Amy;
|
||||
|
||||
public partial class AmyMessages : Node
|
||||
{
|
||||
#nullable enable annotations
|
||||
#nullable enable warnings
|
||||
|
||||
[Export]
|
||||
public string[] Messages = Array.Empty<string>();
|
||||
|
||||
[Export]
|
||||
public NodePath[] MessageLabels { get; private set; } = Array.Empty<NodePath>();
|
||||
|
||||
public override void _Process(double delta)
|
||||
{
|
||||
var now = Time.GetTicksMsec();
|
||||
if (now < Expiration) {
|
||||
return;
|
||||
}
|
||||
Expiration = now + 5uL * 60uL * 1000uL;
|
||||
if (Messages.Length < 1) {
|
||||
return;
|
||||
}
|
||||
foreach (var rtl in RichTextLabels) {
|
||||
if (rtl.Visible) {
|
||||
rtl.Text = PickRandomMessage();
|
||||
}
|
||||
}
|
||||
foreach (var lbl in Labels) {
|
||||
if (lbl.Visible) {
|
||||
lbl.Text = PickRandomMessage();
|
||||
}
|
||||
}
|
||||
}
|
||||
|
||||
public override void _Ready()
|
||||
{
|
||||
List<RichTextLabel> rtls = new();
|
||||
List<Label> lbls = new();
|
||||
foreach (var path in MessageLabels) {
|
||||
if (HasNode(path)) {
|
||||
var node = GetNode(path);
|
||||
if (node is RichTextLabel rtl) {
|
||||
rtls.Add(rtl);
|
||||
} else if (node is Label lbl) {
|
||||
lbls.Add(lbl);
|
||||
}
|
||||
}
|
||||
}
|
||||
Labels = lbls.ToArray();
|
||||
RichTextLabels = rtls.ToArray();
|
||||
}
|
||||
|
||||
private ulong Expiration;
|
||||
private Label[] Labels = Array.Empty<Label>();
|
||||
private RichTextLabel[] RichTextLabels = Array.Empty<RichTextLabel>();
|
||||
|
||||
private string PickRandomMessage() => AmyCore.FastRandom.Select(Messages);
|
||||
|
||||
#nullable restore warnings
|
||||
#nullable restore annotations
|
||||
}
|
31
scripts/amy/AmyPortrait.cs
Normal file
31
scripts/amy/AmyPortrait.cs
Normal file
|
@ -0,0 +1,31 @@
|
|||
using Godot;
|
||||
using System;
|
||||
using System.Collections.Generic;
|
||||
|
||||
namespace Amy.HoukinPark;
|
||||
#nullable enable
|
||||
|
||||
[GlobalClass]
|
||||
[Tool]
|
||||
public partial class AmyPortrait : TextureRect
|
||||
{
|
||||
[Export] public int MannequinHeight { get; private set; } = 1280;
|
||||
|
||||
public override void _Process(double delta)
|
||||
{
|
||||
if (Texture is null) {
|
||||
return;
|
||||
}
|
||||
double viewportHeight;
|
||||
if (!Engine.IsEditorHint()) {
|
||||
viewportHeight = GetViewport().GetVisibleRect().Size.Y;
|
||||
} else {
|
||||
viewportHeight = (double) ProjectSettings.GetSetting("display/window/size/viewport_height");
|
||||
}
|
||||
var texHeight = Texture?.GetHeight() ?? MannequinHeight;
|
||||
var texWidth = Texture?.GetWidth() ?? (MannequinHeight / 2);
|
||||
var height = viewportHeight * texHeight / (double) MannequinHeight;
|
||||
var width = height * texWidth / texHeight;
|
||||
CustomMinimumSize = new Vector2((float) width, (float) height);
|
||||
}
|
||||
}
|
331
scripts/amy/AmyPreload.cs
Normal file
331
scripts/amy/AmyPreload.cs
Normal file
|
@ -0,0 +1,331 @@
|
|||
using Godot;
|
||||
using System;
|
||||
using System.Collections.Generic;
|
||||
using System.Text;
|
||||
|
||||
namespace Amy;
|
||||
#nullable enable
|
||||
|
||||
public partial class AmyPreload : Node
|
||||
{
|
||||
public static bool Finished { get; private set; }
|
||||
|
||||
public static AmyPreload? Instance { get; private set; }
|
||||
|
||||
public static event Action? OnFinished;
|
||||
|
||||
public static readonly Dictionary<string, Material> Materials = new();
|
||||
public static readonly Dictionary<string, Resource> Resources = new();
|
||||
public static readonly Dictionary<string, PackedScene> Scenes = new();
|
||||
|
||||
[Export]
|
||||
public string[] MixersToMute { get; private set; } = Array.Empty<string>();
|
||||
|
||||
[Export]
|
||||
public bool PreloadAllOnReady { get; private set; }
|
||||
|
||||
[Export]
|
||||
public bool InstantiateMaterialsOnPreloadAllOnReady { get; private set; }
|
||||
|
||||
[Export]
|
||||
public bool InstantiateScenesOnPreloadAllOnReady { get; private set; }
|
||||
|
||||
[Export]
|
||||
public string[] Materials_ { get; private set; } = Array.Empty<string>();
|
||||
|
||||
[Export]
|
||||
public string[] Resources_ { get; private set; } = Array.Empty<string>();
|
||||
|
||||
[Export]
|
||||
public string[] Scenes_ { get; private set; } = Array.Empty<string>();
|
||||
|
||||
public static void All(bool instantiateMaterials, bool instantiateScenes, bool evenIfNotIdle = false)
|
||||
{
|
||||
Instance?.AllImpl(instantiateMaterials, instantiateScenes, evenIfNotIdle);
|
||||
}
|
||||
|
||||
public static Material Material(string path, bool skipCache = false, bool suppressNotInCacheError = false)
|
||||
{
|
||||
if (!skipCache) {
|
||||
if (Materials.TryGetValue(path, out var cached) && cached is Material nonNullCache) {
|
||||
return nonNullCache;
|
||||
}
|
||||
if (!suppressNotInCacheError) {
|
||||
GD.PushError("AmyPreload: material ``" + path + "'' was not preloaded.");
|
||||
}
|
||||
}
|
||||
if (!ResourceLoader.Exists(path)) {
|
||||
throw new InvalidOperationException("AmyPreload: material ``" + path + "'' does not exist.");
|
||||
}
|
||||
var material = GD.Load<Material>(path);
|
||||
if (material is Material nonNullMaterial) {
|
||||
Materials[path] = nonNullMaterial;
|
||||
return nonNullMaterial;
|
||||
}
|
||||
throw new InvalidOperationException("AmyPreload: material ``" + path + "'' could not be loaded as a material.");
|
||||
}
|
||||
|
||||
public static Resource Resource(string path, bool skipCache = false, bool suppressNotInCacheError = false)
|
||||
{
|
||||
if (!skipCache) {
|
||||
if (Resources.TryGetValue(path, out var cached) && cached is Resource nonNullCache) {
|
||||
return nonNullCache;
|
||||
}
|
||||
if (!suppressNotInCacheError) {
|
||||
GD.PushError("AmyPreload: resource ``" + path + "'' was not preloaded.");
|
||||
}
|
||||
}
|
||||
if (!ResourceLoader.Exists(path)) {
|
||||
throw new InvalidOperationException("AmyPreload: resource ``" + path + "'' does not exist.");
|
||||
}
|
||||
var resource = GD.Load<Resource>(path);
|
||||
if (resource is Resource nonNullResource) {
|
||||
Resources[path] = nonNullResource;
|
||||
return nonNullResource;
|
||||
}
|
||||
throw new InvalidOperationException("AmyPreload: resource ``" + path + "'' could not be loaded as a Resource.");
|
||||
}
|
||||
|
||||
public static PackedScene Scene(string path, bool skipCache = false, bool suppressNotInCacheError = false)
|
||||
{
|
||||
if (!skipCache) {
|
||||
if (Scenes.TryGetValue(path, out var cached) && cached is PackedScene nonNullCache) {
|
||||
return nonNullCache;
|
||||
}
|
||||
if (!suppressNotInCacheError) {
|
||||
GD.PushError("AmyPreload: scene ``" + path + "'' was not preloaded.");
|
||||
}
|
||||
}
|
||||
if (!ResourceLoader.Exists(path)) {
|
||||
throw new InvalidOperationException("AmyPreload: scene ``" + path + "'' does not exist.");
|
||||
}
|
||||
var scene = GD.Load<PackedScene>(path);
|
||||
if (scene is PackedScene nonNullScene) {
|
||||
Scenes[path] = nonNullScene;
|
||||
return nonNullScene;
|
||||
}
|
||||
throw new InvalidOperationException("AmyPreload: scene ``" + path + "'' could not be loaded as a scene.");
|
||||
}
|
||||
|
||||
public override void _Process(double delta)
|
||||
{
|
||||
var loop = true;
|
||||
while (loop) {
|
||||
switch (ProcessState) {
|
||||
case State.Idle:
|
||||
return;
|
||||
case State.Start:
|
||||
ProcessState++;
|
||||
continue;
|
||||
case State.PreloadingMaterials:
|
||||
var materialIndex = PreloadingIndex;
|
||||
if (materialIndex >= 0 && materialIndex < Materials_.Length) {
|
||||
PreloadingIndex++;
|
||||
var fullpath = Materials_[materialIndex];
|
||||
_ = Material(fullpath, suppressNotInCacheError: true);
|
||||
} else {
|
||||
PreloadingIndex = 0;
|
||||
ProcessState++;
|
||||
continue;
|
||||
}
|
||||
break;
|
||||
case State.PreloadingResources:
|
||||
var resourceIndex = PreloadingIndex;
|
||||
if (resourceIndex >= 0 && resourceIndex < Resources_.Length) {
|
||||
PreloadingIndex++;
|
||||
var fullpath = Resources_[resourceIndex];
|
||||
_ = Resource(fullpath, suppressNotInCacheError: true);
|
||||
} else {
|
||||
PreloadingIndex = 0;
|
||||
ProcessState++;
|
||||
continue;
|
||||
}
|
||||
break;
|
||||
case State.PreloadingScenes:
|
||||
var sceneIndex = PreloadingIndex;
|
||||
if (sceneIndex >= 0 && sceneIndex < Scenes_.Length) {
|
||||
PreloadingIndex++;
|
||||
var abbrpath = Scenes_[sceneIndex];
|
||||
var fullpath = GetUnabbreviatedScenePath(abbrpath, out _);
|
||||
_ = Scene(fullpath, suppressNotInCacheError: true);
|
||||
} else {
|
||||
PreloadingIndex = 0;
|
||||
ProcessState++;
|
||||
continue;
|
||||
}
|
||||
break;
|
||||
case State.InstantiatingMaterials:
|
||||
if (!WantInstantiateMaterials) {
|
||||
ProcessState++;
|
||||
continue;
|
||||
}
|
||||
var materialInstanceIndex = PreloadingIndex;
|
||||
if (materialInstanceIndex >= 0 && materialInstanceIndex < Materials_.Length) {
|
||||
PreloadingIndex++;
|
||||
var fullpath = Materials_[materialInstanceIndex];
|
||||
var material = Material(fullpath);
|
||||
if (material is ParticleProcessMaterial ppm) {
|
||||
var node = new GpuParticles2D { ProcessMaterial = ppm, };
|
||||
Nodes.Enqueue(node);
|
||||
AddChild(node);
|
||||
node.Emitting = true;
|
||||
}
|
||||
} else {
|
||||
PreloadingIndex = 0;
|
||||
ProcessState++;
|
||||
continue;
|
||||
}
|
||||
break;
|
||||
case State.Mute:
|
||||
ProcessState++;
|
||||
// Do NOT store and restore the previous values
|
||||
// of each bus's "muted" state, as short-circuting
|
||||
// could cause busses to be permanently musted.
|
||||
foreach (var bus in AudioBussesToMute) {
|
||||
AudioServer.SetBusMute(bus, true);
|
||||
}
|
||||
break;
|
||||
case State.InstantiatingScenes:
|
||||
if (!WantInstantiateScenes) {
|
||||
ProcessState++;
|
||||
continue;
|
||||
}
|
||||
var sceneInstanceIndex = PreloadingIndex;
|
||||
if (sceneInstanceIndex >= 0 && sceneInstanceIndex < Scenes_.Length) {
|
||||
PreloadingIndex++;
|
||||
var abbrpath = Scenes_[sceneInstanceIndex];
|
||||
var fullpath = GetUnabbreviatedScenePath(abbrpath, out var inhibit);
|
||||
var scene = Scene(fullpath);
|
||||
if (!inhibit) {
|
||||
var node = scene.Instantiate();
|
||||
Nodes.Enqueue(node);
|
||||
AddChild(node);
|
||||
}
|
||||
} else {
|
||||
PreloadingIndex = 0;
|
||||
ProcessState++;
|
||||
continue;
|
||||
}
|
||||
break;
|
||||
case State.PreCleanWait: // Let the emitters do their thing
|
||||
if (PreloadingIndex >= 3) {
|
||||
PreloadingIndex = 0;
|
||||
ProcessState++;
|
||||
continue;
|
||||
}
|
||||
PreloadingIndex++;
|
||||
break;
|
||||
case State.CleaningUp:
|
||||
if (!Nodes.TryDequeue(out var nodeToFree)) {
|
||||
ProcessState++;
|
||||
continue;
|
||||
}
|
||||
if (AmyCore.IsSafeToAccess(nodeToFree)) { // It might have already freed itself
|
||||
nodeToFree?.QueueFree();
|
||||
}
|
||||
break;
|
||||
case State.PostCleanWait: // Let the queued frees do their thing
|
||||
if (PreloadingIndex >= 1) {
|
||||
PreloadingIndex = 0;
|
||||
ProcessState++;
|
||||
continue;
|
||||
}
|
||||
PreloadingIndex++;
|
||||
break;
|
||||
case State.Unmute:
|
||||
ProcessState++;
|
||||
// Do NOT store and restore the previous values
|
||||
// of each bus's "muted" state, as short-circuting
|
||||
// could cause busses to be permanently musted.
|
||||
foreach (var bus in AudioBussesToMute) {
|
||||
AudioServer.SetBusMute(bus, false);
|
||||
}
|
||||
break;
|
||||
case State.Finished:
|
||||
SetProcess(false);
|
||||
Finished = true;
|
||||
OnFinished?.Invoke();
|
||||
break;
|
||||
}
|
||||
loop = false;
|
||||
}
|
||||
}
|
||||
|
||||
public override void _Ready()
|
||||
{
|
||||
if (PreloadAllOnReady) {
|
||||
AllImpl(instantiateMaterials: InstantiateMaterialsOnPreloadAllOnReady,
|
||||
instantiateScenes: InstantiateScenesOnPreloadAllOnReady, evenIfNotIdle: false);
|
||||
} else {
|
||||
SetProcess(false);
|
||||
}
|
||||
Instance = this;
|
||||
}
|
||||
|
||||
private enum State : byte
|
||||
{
|
||||
Idle,
|
||||
Start,
|
||||
PreloadingMaterials,
|
||||
PreloadingResources,
|
||||
PreloadingScenes,
|
||||
InstantiatingMaterials,
|
||||
Mute,
|
||||
InstantiatingScenes,
|
||||
PreCleanWait,
|
||||
CleaningUp,
|
||||
PostCleanWait,
|
||||
Unmute,
|
||||
Finished,
|
||||
}
|
||||
|
||||
private static string GetUnabbreviatedScenePath(string abbreviatedScenePath, out bool instantiateInhibited)
|
||||
{
|
||||
StringBuilder sb = new("res://Scenes/");
|
||||
if (abbreviatedScenePath.StartsWith("res://")) {
|
||||
sb.Clear();
|
||||
}
|
||||
sb.Append(abbreviatedScenePath);
|
||||
var endsWithDot = abbreviatedScenePath.EndsWith(".");
|
||||
instantiateInhibited = endsWithDot;
|
||||
if (endsWithDot) {
|
||||
sb.Append("tscn");
|
||||
} else if (!abbreviatedScenePath.EndsWith(".tscn")) {
|
||||
sb.Append(".tscn");
|
||||
}
|
||||
return sb.ToString();
|
||||
}
|
||||
|
||||
private int[] AudioBussesToMute
|
||||
{
|
||||
get {
|
||||
var cache = Internal_AudioBussesToMute;
|
||||
if (cache is null) {
|
||||
cache = new int[MixersToMute.Length];
|
||||
for (int index = 0; index < MixersToMute.Length; index++) {
|
||||
cache[index] = AudioServer.GetBusIndex(MixersToMute[index]);
|
||||
}
|
||||
Internal_AudioBussesToMute = cache;
|
||||
}
|
||||
return cache;
|
||||
}
|
||||
}
|
||||
private int[]? Internal_AudioBussesToMute;
|
||||
|
||||
private readonly Queue<Node> Nodes = new();
|
||||
private int PreloadingIndex;
|
||||
private State ProcessState = State.Idle;
|
||||
private bool WantInstantiateMaterials;
|
||||
private bool WantInstantiateScenes;
|
||||
|
||||
private void AllImpl(bool instantiateMaterials, bool instantiateScenes, bool evenIfNotIdle)
|
||||
{
|
||||
if (!evenIfNotIdle && ProcessState != State.Idle) {
|
||||
return;
|
||||
}
|
||||
WantInstantiateMaterials = instantiateMaterials;
|
||||
WantInstantiateScenes = instantiateScenes;
|
||||
ProcessState = State.Start;
|
||||
SetProcess(true);
|
||||
}
|
||||
}
|
118
scripts/amy/AmyQualityOptionButton.cs
Normal file
118
scripts/amy/AmyQualityOptionButton.cs
Normal file
|
@ -0,0 +1,118 @@
|
|||
using Godot;
|
||||
using System;
|
||||
|
||||
namespace Amy;
|
||||
#nullable enable
|
||||
|
||||
public partial class AmyQualityOptionButton : OptionButton
|
||||
{
|
||||
public override void _Process(double delta)
|
||||
{
|
||||
var fps = 1d / delta;
|
||||
if (AutomaticQuality > 50 && fps < 60d) {
|
||||
SlowFrames++;
|
||||
} else if (AutomaticQuality < 77 && fps > 90d) {
|
||||
SlowFrames--;
|
||||
}
|
||||
if (SlowFrames > 150) {
|
||||
SlowFrames = 0;
|
||||
AutomaticQuality = AutomaticQuality switch {
|
||||
77 => 67,
|
||||
67 => 59,
|
||||
59 => 50,
|
||||
_ => throw new InvalidOperationException(),
|
||||
};
|
||||
ProjectSettings.SetSetting("rendering/scaling_3d/scale",
|
||||
(float) (AutomaticQuality * .01d));
|
||||
} else if (SlowFrames < -150) {
|
||||
SlowFrames = 0;
|
||||
AutomaticQuality = AutomaticQuality switch {
|
||||
67 => 77,
|
||||
59 => 67,
|
||||
50 => 59,
|
||||
_ => throw new InvalidOperationException(),
|
||||
};
|
||||
ProjectSettings.SetSetting("rendering/scaling_3d/scale",
|
||||
(float) (AutomaticQuality * .01d));
|
||||
}
|
||||
}
|
||||
|
||||
public override void _Ready()
|
||||
{
|
||||
if (ItemCount < 1) {
|
||||
AddItem("Auto");
|
||||
var editor = OS.HasFeature("editor");
|
||||
if (editor) {
|
||||
AddItem("Perfect Quality");
|
||||
}
|
||||
AddItem("Ultra Quality");
|
||||
AddItem("Quality");
|
||||
AddItem("Balanced");
|
||||
AddItem("Performance");
|
||||
if (editor) {
|
||||
AddItem("Third");
|
||||
AddItem("Quarter");
|
||||
AddItem("Fourth");
|
||||
AddItem("Fifth");
|
||||
AddItem("Sixth");
|
||||
AddItem("Eighth");
|
||||
AddItem("Tenth");
|
||||
AddItem("Twelvth");
|
||||
AddItem("Sixteenth");
|
||||
}
|
||||
} else {
|
||||
DefaultQuality = GetItemText(0);
|
||||
}
|
||||
var quality = AmyCore.Config.GetString("Config", "Quality", DefaultQuality);
|
||||
var sel = -1;
|
||||
for (var index = 0; index < ItemCount; index++) {
|
||||
if (quality.ToLowerInvariant() == GetItemText(index).ToLowerInvariant()) {
|
||||
sel = index;
|
||||
break;
|
||||
}
|
||||
}
|
||||
Selected = sel;
|
||||
ItemSelected += OnItemSelected;
|
||||
SetQuality(quality);
|
||||
}
|
||||
|
||||
private int AutomaticQuality = 77;
|
||||
private string DefaultQuality = "Auto";
|
||||
private int SlowFrames = 0;
|
||||
|
||||
private void OnItemSelected(long index)
|
||||
{
|
||||
var quality = index >= 0L ? GetItemText((int) index) : DefaultQuality;
|
||||
AmyCore.Config.Set("Config", "Quality", quality);
|
||||
SetQuality(quality);
|
||||
}
|
||||
|
||||
private void SetQuality(string quality)
|
||||
{
|
||||
var isAuto = quality == "Auto";
|
||||
SetProcess(isAuto);
|
||||
if (isAuto) {
|
||||
AutomaticQuality = 77;
|
||||
SlowFrames = 0;
|
||||
}
|
||||
var flt = quality switch {
|
||||
"Perfect Quality" => 1f,
|
||||
"Auto" => .77,
|
||||
"Ultra Quality" => .77f,
|
||||
"Quality" => .67f,
|
||||
"Balanced" => .59f,
|
||||
"Performance" => .5f,
|
||||
"Third" => (float) (1d / 3d),
|
||||
"Quarter" => .25f,
|
||||
"Fourth" => .25f,
|
||||
"Fifth" => .2f,
|
||||
"Sixth" => (float) (1d / 6d),
|
||||
"Eighth" => .125f,
|
||||
"Tenth" => .1f,
|
||||
"Twelvth" => (float) (1d / 12d),
|
||||
"Sixteenth" => .0625f,
|
||||
_ => .67f,
|
||||
};
|
||||
ProjectSettings.SetSetting("rendering/scaling_3d/scale", flt);
|
||||
}
|
||||
}
|
416
scripts/amy/AmyRadial.cs
Normal file
416
scripts/amy/AmyRadial.cs
Normal file
|
@ -0,0 +1,416 @@
|
|||
using Godot;
|
||||
using System;
|
||||
using System.Collections.Generic;
|
||||
|
||||
namespace Amy;
|
||||
#nullable enable
|
||||
|
||||
[GlobalClass]
|
||||
[Tool]
|
||||
public partial class AmyRadial : Control
|
||||
{
|
||||
public static bool Enabled = true;
|
||||
public static readonly HashSet<AmyRadial> Instances = new();
|
||||
public static bool Locked = false;
|
||||
public static Input.MouseModeEnum MouseMode = Input.MouseModeEnum.Visible;
|
||||
|
||||
public static void DisableChildrenByName(StringName name)
|
||||
{
|
||||
EnableChildrenByName(name, false);
|
||||
}
|
||||
|
||||
public static void DisableSubChildrenByName(StringName name)
|
||||
{
|
||||
EnableSubChildrenByName(name, false);
|
||||
}
|
||||
|
||||
public static void EnableChildrenByName(StringName name, bool enable = true)
|
||||
{
|
||||
if (enable) {
|
||||
foreach (var inst in Instances) {
|
||||
if (AmyCore.IsSafeToAccessAndInTree(inst)) {
|
||||
inst.ShowChildrenNamed(name);
|
||||
}
|
||||
}
|
||||
} else {
|
||||
foreach (var inst in Instances) {
|
||||
if (AmyCore.IsSafeToAccessAndInTree(inst)) {
|
||||
inst.HideChildrenNamed(name);
|
||||
}
|
||||
}
|
||||
}
|
||||
}
|
||||
|
||||
public static void EnableSubChildrenByName(StringName name, bool enable = true)
|
||||
{
|
||||
if (enable) {
|
||||
foreach (var inst in Instances) {
|
||||
if (AmyCore.IsSafeToAccessAndInTree(inst)) {
|
||||
inst.UnprefixSubChildrenToName(name);
|
||||
}
|
||||
}
|
||||
} else {
|
||||
foreach (var inst in Instances) {
|
||||
if (AmyCore.IsSafeToAccessAndInTree(inst)) {
|
||||
inst.PrefixSubChildrenNamed(name);
|
||||
}
|
||||
}
|
||||
}
|
||||
}
|
||||
|
||||
[ExportGroup("Base")]
|
||||
[Export] public string ActionName = "radial";
|
||||
[Export] public Color BaseCircleColor = new Color(AmyCore.Colors.Grey800, 0f);
|
||||
[Export] public Color BaseRingColor = new Color(AmyCore.Colors.Grey800, .5f);
|
||||
[Export] public float InnerRadiusFraction = .5f;
|
||||
[Export] public float CancelRadiusFraction = .125f;
|
||||
|
||||
[ExportGroup("Cursor")]
|
||||
[Export] public Resource? Cursor { get; private set; }
|
||||
/// Recommended to leave this as "Arrow" or it might not retain the shape.
|
||||
[Export] public new Input.CursorShape CursorShape { get; private set; } = Input.CursorShape.Arrow;
|
||||
[Export] public Vector2 CursorHotspot = Vector2.Zero;
|
||||
[Export] public Resource? DefaultCursor { get; private set; }
|
||||
[Export] public Input.CursorShape DefaultCursorShape { get; private set; } = Input.CursorShape.Arrow;
|
||||
[Export] public Vector2 DefaultCursorHotspot = Vector2.Zero;
|
||||
|
||||
[ExportGroup("Spokes")]
|
||||
[Export] public Color SpokeColor = new Color(AmyCore.Colors.Grey100, .75f);
|
||||
[Export] public float SpokeWidth = 6f;
|
||||
[Export] public bool SpokeAntiAliased = true;
|
||||
|
||||
[ExportGroup("Hover")]
|
||||
[Export] public Color HoverColor = new Color(AmyCore.Colors.Grey300, .75f);
|
||||
[Export] public int HoverPoints = 16;
|
||||
|
||||
[ExportGroup("SubSelection")]
|
||||
[Export] public bool EnableSubSelection = false;
|
||||
[Export] public string NextSubSelectionActionName = "radial_next";
|
||||
[Export] public string PreviousSubSelectionActionName = "radial_previous";
|
||||
|
||||
[Signal] public delegate void RadialCanceledEventHandler();
|
||||
[Signal] public delegate void RadialSelectedEventHandler(int index,
|
||||
Control control, int subindex, Control? subcontrolOrNull);
|
||||
[Signal] public delegate void RadialSubSelectionChangedEventHandler(int index,
|
||||
Control control, int subindex, Control subcontrol);
|
||||
|
||||
public int Selection = -1;
|
||||
public readonly Dictionary<int, int> SubSelections = new();
|
||||
|
||||
public int VisibleChildCount
|
||||
{
|
||||
get {
|
||||
var count = 0;
|
||||
foreach (var child in GetChildren()) {
|
||||
if (child is Control control && control.Visible) {
|
||||
count++;
|
||||
}
|
||||
}
|
||||
return count;
|
||||
}
|
||||
}
|
||||
|
||||
public int GetUnprefixedSubChildCount(Control child)
|
||||
{
|
||||
var count = 0;
|
||||
foreach (var subchild in child.GetChildren()) {
|
||||
if (subchild is Control control && !control.Name.ToString().StartsWith('_')) {
|
||||
count++;
|
||||
}
|
||||
}
|
||||
return count;
|
||||
}
|
||||
|
||||
public Control? GetUnprefixedSubChildOrNull(Control child, int index)
|
||||
{
|
||||
var count = 0;
|
||||
foreach (var subchild in child.GetChildren()) {
|
||||
if (subchild is Control control && !control.Name.ToString().StartsWith('_')) {
|
||||
if (count == index) {
|
||||
return control;
|
||||
}
|
||||
count++;
|
||||
}
|
||||
}
|
||||
return null;
|
||||
}
|
||||
|
||||
public Control GetVisibleChild(int index)
|
||||
{
|
||||
var count = 0;
|
||||
foreach (var child in GetChildren()) {
|
||||
if (child is Control control && control.Visible) {
|
||||
if (count == index) {
|
||||
return control;
|
||||
}
|
||||
count++;
|
||||
}
|
||||
}
|
||||
throw new InvalidOperationException();
|
||||
}
|
||||
|
||||
public void HideChildrenNamed(StringName name)
|
||||
{
|
||||
foreach (var child in GetChildren()) {
|
||||
if (child is Control control && control.Visible && control.Name == name) {
|
||||
control.Hide();
|
||||
}
|
||||
}
|
||||
}
|
||||
|
||||
public void OnVisibilityChanged()
|
||||
{
|
||||
if (Cursor is Resource cursor) {
|
||||
if (Visible) {
|
||||
Input.SetCustomMouseCursor(image: cursor,
|
||||
shape: CursorShape, hotspot: CursorHotspot);
|
||||
Input.SetDefaultCursorShape(CursorShape);
|
||||
} else {
|
||||
Input.SetCustomMouseCursor(image: DefaultCursor,
|
||||
shape: DefaultCursorShape, hotspot: DefaultCursorHotspot);
|
||||
Input.SetDefaultCursorShape(DefaultCursorShape);
|
||||
}
|
||||
}
|
||||
}
|
||||
|
||||
public void PrefixSubChildrenNamed(StringName name)
|
||||
{
|
||||
if (name.ToString().StartsWith('_')) {
|
||||
throw new ArgumentException(nameof(name));
|
||||
}
|
||||
var newName = $"_{name}";
|
||||
foreach (var child in GetChildren()) {
|
||||
foreach (var subchild in child.GetChildren()) {
|
||||
if (subchild is Control control && control.Name == name) {
|
||||
control.Name = newName;
|
||||
}
|
||||
}
|
||||
}
|
||||
}
|
||||
|
||||
public void PutChild(int index, Vector2 textureOffset, int idfl = 0)
|
||||
{
|
||||
Vector2 offset = new(Size.X * .5f, Size.Y * .5f);
|
||||
List<Control> children = new();
|
||||
foreach (var chld in GetChildren()) {
|
||||
if (chld is Control ci && ci.Visible) {
|
||||
children.Add(ci);
|
||||
}
|
||||
}
|
||||
if (index >= 0 && index < children.Count) {
|
||||
var child = children[index];
|
||||
child.Position = (offset - child.Size * .5f) + textureOffset;
|
||||
child.PivotOffset = child.Size * .5f;
|
||||
}
|
||||
}
|
||||
|
||||
public void ShowChildrenNamed(StringName name)
|
||||
{
|
||||
foreach (var child in GetChildren()) {
|
||||
if (child is Control control && !control.Visible && control.Name == name) {
|
||||
control.Show();
|
||||
}
|
||||
}
|
||||
}
|
||||
|
||||
public void UnprefixSubChildrenToName(StringName name)
|
||||
{
|
||||
if (name.ToString().StartsWith('_')) {
|
||||
throw new ArgumentException(nameof(name));
|
||||
}
|
||||
StringName oldName = new($"_{name}");
|
||||
foreach (var child in GetChildren()) {
|
||||
foreach (var subchild in child.GetChildren()) {
|
||||
if (subchild is Control control && control.Name == oldName) {
|
||||
control.Name = name;
|
||||
}
|
||||
}
|
||||
}
|
||||
}
|
||||
|
||||
public override void _Draw()
|
||||
{
|
||||
var childCount = VisibleChildCount;
|
||||
if (childCount < 1) {
|
||||
return;
|
||||
}
|
||||
Vector2 offset = new(Size.X * .5f, Size.Y * .5f);
|
||||
var smallest = Math.Min(Size.X, Size.Y) * .5d;
|
||||
var oRad = (int) Math.Round(smallest); // radius
|
||||
var mRad = (int) Math.Round((InnerRadiusFraction + 1d) * .5d * smallest); // radius_mid
|
||||
var iRad = (int) Math.Round(InnerRadiusFraction * smallest); // inner_radius
|
||||
DrawCircle(offset, oRad, BaseCircleColor);
|
||||
var baseColor = new Color[] { BaseRingColor, };
|
||||
var hoverColor = new Color[] { HoverColor, };
|
||||
if (childCount >= 1) {
|
||||
for (int index = 0; index < childCount; index++) {
|
||||
var rads = (Math.Tau * (index + .5d) / childCount);
|
||||
var jndex = index + 1;
|
||||
var startsRads = Math.Tau * jndex / childCount;
|
||||
var endsRads = Math.Tau * index / childCount;
|
||||
var midRads = (startsRads + endsRads) * -.5d;
|
||||
var drawAngle = Math.PI * .5d - midRads + Math.PI - Math.PI / childCount;
|
||||
var drawPos = Vector2.FromAngle((float) drawAngle) * mRad;
|
||||
jndex %= childCount;
|
||||
var pointsPerArc = HoverPoints;
|
||||
List<Vector2> points = new();
|
||||
List<Vector2> pOuter = new();
|
||||
for (int kndex = 0; kndex <= pointsPerArc; kndex++) {
|
||||
var ang0 = startsRads + kndex * (endsRads - startsRads) / pointsPerArc;
|
||||
var angle = Math.PI * .5d + Math.PI / childCount - ang0;
|
||||
var tauMinusAngle = (float) (Math.Tau - angle);
|
||||
points.Add(offset + iRad * Vector2.FromAngle(tauMinusAngle));
|
||||
pOuter.Add(offset + oRad * Vector2.FromAngle(tauMinusAngle));
|
||||
}
|
||||
for (int kndex = pOuter.Count - 1; kndex >= 0; kndex--) {
|
||||
points.Add(pOuter[kndex]);
|
||||
}
|
||||
var pts = points.ToArray();
|
||||
if (index != Selection) {
|
||||
DrawPolygon(pts, baseColor);
|
||||
} else {
|
||||
DrawPolygon(pts, hoverColor);
|
||||
}
|
||||
var point = Vector2.FromAngle((float) (rads - Math.PI * .5d));
|
||||
DrawLine(
|
||||
offset + point * iRad,
|
||||
offset + point * oRad,
|
||||
SpokeColor,
|
||||
SpokeWidth,
|
||||
SpokeAntiAliased);
|
||||
PutChild(index, drawPos, index + 1);
|
||||
}
|
||||
}
|
||||
}
|
||||
|
||||
public override void _EnterTree()
|
||||
{
|
||||
Instances.Add(this);
|
||||
}
|
||||
|
||||
public override void _ExitTree()
|
||||
{
|
||||
Instances.Remove(this);
|
||||
}
|
||||
|
||||
public override void _PhysicsProcess(double delta)
|
||||
{
|
||||
if (JoyDevice < 0) {
|
||||
return;
|
||||
}
|
||||
if (!Visible) {
|
||||
return;
|
||||
}
|
||||
var vp = GetViewport();
|
||||
var jx = Input.GetJoyAxis(JoyDevice, JoyAxis.RightX);
|
||||
var jy = Input.GetJoyAxis(JoyDevice, JoyAxis.RightY);
|
||||
Vector2 jxy = new(jx, jy);
|
||||
if (jxy.LengthSquared() >= .25f) {
|
||||
vp.WarpMouse(GlobalPosition + Size * .5f + Size * .375f * jxy.Normalized());
|
||||
}
|
||||
}
|
||||
|
||||
public override void _Process(double delta)
|
||||
{
|
||||
if (!Visible) {
|
||||
return;
|
||||
}
|
||||
if (!Enabled) {
|
||||
Hide();
|
||||
return;
|
||||
}
|
||||
var childCount = VisibleChildCount;
|
||||
if (childCount < 1) {
|
||||
Hide();
|
||||
return;
|
||||
}
|
||||
Vector2 offset = new(Size.X * .5f, Size.Y * .5f);
|
||||
var smallest = Math.Min(Size.X, Size.Y) * .5d;
|
||||
var oRad = (int) Math.Round(smallest); // radius
|
||||
var mRad = (int) Math.Round((InnerRadiusFraction + 1d) * .5d * smallest); // radius_mid
|
||||
var iRad = (int) Math.Round(InnerRadiusFraction * smallest); // inner_radius
|
||||
var cRad = (int) Math.Round(CancelRadiusFraction * smallest); // center_radius
|
||||
var vpSize = GetViewport().GetVisibleRect().Size;
|
||||
var posOffset = vpSize - (Size + Position);
|
||||
var sizeOffset = vpSize * .5f - offset;
|
||||
var gmpos = GetGlobalMousePosition() - vpSize * .5f;
|
||||
var mpos = gmpos - sizeOffset + posOffset;
|
||||
var mlen = mpos.Length();
|
||||
if (mlen < cRad) {
|
||||
Selection = -1;
|
||||
} else {
|
||||
var angle = Math.Tau + Math.PI * .5d + mpos.Angle();
|
||||
Selection = (int) Math.Round(angle * childCount / Math.Tau) % childCount;
|
||||
}
|
||||
QueueRedraw();
|
||||
}
|
||||
|
||||
public override void _Ready()
|
||||
{
|
||||
if (!Engine.IsEditorHint()) {
|
||||
Hide();
|
||||
VisibilityChanged += OnVisibilityChanged;
|
||||
}
|
||||
}
|
||||
|
||||
public override void _UnhandledInput(InputEvent @event)
|
||||
{
|
||||
var childCount = VisibleChildCount;
|
||||
if (Enabled && !Locked && !Visible && @event.IsActionPressed(ActionName) && childCount >= 1) {
|
||||
Locked = true;
|
||||
Show();
|
||||
MouseMode = Input.MouseMode;
|
||||
Input.MouseMode = Input.MouseModeEnum.Visible;
|
||||
var vp = GetViewport();
|
||||
vp.WarpMouse(GlobalPosition + Size * .5f);
|
||||
vp.SetInputAsHandled();
|
||||
} else if (Visible && (@event.IsActionReleased(ActionName) || childCount < 1)) {
|
||||
var sel = Selection;
|
||||
if (sel >= 0 && sel < childCount) {
|
||||
var child = GetVisibleChild(sel);
|
||||
if (!SubSelections.TryGetValue(sel, out var subsel)) {
|
||||
subsel = 0;
|
||||
}
|
||||
Control? subchild = null;
|
||||
if (EnableSubSelection) {
|
||||
subchild = GetUnprefixedSubChildOrNull(child, subsel);
|
||||
}
|
||||
EmitSignal(SignalName.RadialSelected, sel, child, subsel, subchild);
|
||||
} else {
|
||||
EmitSignal(SignalName.RadialCanceled);
|
||||
}
|
||||
Input.MouseMode = MouseMode;
|
||||
Locked = false;
|
||||
Hide();
|
||||
GetViewport().SetInputAsHandled();
|
||||
} else if (EnableSubSelection && Visible &&
|
||||
(@event.IsActionPressed(NextSubSelectionActionName)
|
||||
|| @event.IsActionPressed(PreviousSubSelectionActionName))) {
|
||||
var sel = Selection;
|
||||
if (sel >= 0 && sel < childCount) {
|
||||
var child = GetVisibleChild(sel);
|
||||
var subChildCount = GetUnprefixedSubChildCount(child);
|
||||
if (!SubSelections.TryGetValue(sel, out var subsel)) {
|
||||
subsel = 0;
|
||||
}
|
||||
var add = @event.IsActionPressed(NextSubSelectionActionName)
|
||||
? 1 : subChildCount - 1;
|
||||
subsel = (subsel + add) % subChildCount;
|
||||
SubSelections[sel] = subsel;
|
||||
for (int childNumber = 0; childNumber < subChildCount; childNumber++) {
|
||||
if (GetUnprefixedSubChildOrNull(child, childNumber) is Control ctrl) {
|
||||
ctrl.Visible = childNumber == subsel;
|
||||
}
|
||||
}
|
||||
EmitSignal(SignalName.RadialSubSelectionChanged, sel, child,
|
||||
subsel, GetUnprefixedSubChildOrNull(child, subsel)
|
||||
?? throw new InvalidOperationException());
|
||||
GetViewport().SetInputAsHandled();
|
||||
}
|
||||
} else if (Visible && @event is InputEventJoypadMotion jm) {
|
||||
JoyDevice = jm.Device;
|
||||
}
|
||||
}
|
||||
|
||||
private int JoyDevice = -1;
|
||||
}
|
44
scripts/amy/AmyRichTextLabel.cs
Normal file
44
scripts/amy/AmyRichTextLabel.cs
Normal file
|
@ -0,0 +1,44 @@
|
|||
using Amy;
|
||||
using Godot;
|
||||
using System;
|
||||
|
||||
namespace Amy;
|
||||
#nullable enable
|
||||
|
||||
public partial class AmyRichTextLabel : RichTextLabel
|
||||
{
|
||||
public static Func<AmyRichTextLabel, string, bool>? UriOpener { get; set; } = DefaultUriOpener;
|
||||
|
||||
public static bool DefaultUriOpener(AmyRichTextLabel label, string uri)
|
||||
{
|
||||
_ = label;
|
||||
try {
|
||||
var err = OS.ShellOpen(uri);
|
||||
if (err == Error.Ok) {
|
||||
return true;
|
||||
}
|
||||
} catch {
|
||||
}
|
||||
return false;
|
||||
}
|
||||
|
||||
public override void _Ready()
|
||||
{
|
||||
MetaClicked += OnMetaClicked;
|
||||
}
|
||||
|
||||
protected virtual void OnMetaClicked(Variant meta)
|
||||
{
|
||||
if (meta.VariantType == Variant.Type.String) {
|
||||
var str = meta.AsString();
|
||||
if (!string.IsNullOrEmpty(str) && Uri.IsWellFormedUriString(str, UriKind.RelativeOrAbsolute)) {
|
||||
OnUriClicked(str);
|
||||
}
|
||||
}
|
||||
}
|
||||
|
||||
protected virtual void OnUriClicked(string uri)
|
||||
{
|
||||
_ = UriOpener?.Invoke(this, uri);
|
||||
}
|
||||
}
|
331
scripts/amy/AmySingleton.cs
Normal file
331
scripts/amy/AmySingleton.cs
Normal file
|
@ -0,0 +1,331 @@
|
|||
using Godot;
|
||||
using System;
|
||||
using System.Collections.Generic;
|
||||
|
||||
namespace Amy;
|
||||
#nullable enable
|
||||
|
||||
public partial class AmySingleton : Node
|
||||
{
|
||||
public static AmySingleton? Instance { get; private set; }
|
||||
|
||||
public readonly Godot.Collections.Dictionary Players = new();
|
||||
|
||||
public CanvasLayer ToastCanvas
|
||||
{
|
||||
get {
|
||||
if (Internal_ToastCanvas is CanvasLayer cache) {
|
||||
return cache;
|
||||
}
|
||||
CanvasLayer cl = new();
|
||||
cl.Name = "ToastCanvas";
|
||||
cl.Layer = 99;
|
||||
AddChild(cl);
|
||||
Internal_ToastCanvas = cl;
|
||||
return cl;
|
||||
}
|
||||
}
|
||||
private CanvasLayer? Internal_ToastCanvas;
|
||||
|
||||
public Color? ToastDefaultBackgroundColor { get; set; } = null;
|
||||
public double ToastDefaultDuration { get; set; } = 5d;
|
||||
public Color? ToastDefaultFontColor { get; set; } = null;
|
||||
public int ToastDefaultFontSize { get; set; } = 18;
|
||||
public bool ToastDefaultRight { get; set; } = true;
|
||||
public bool ToastDefaultTop { get; set; } = false;
|
||||
public int ToastStartBottomLeft { get; set; } = 0;
|
||||
public int ToastStartBottomRight { get; set; } = 0;
|
||||
public int ToastStartTopLeft { get; set; } = 0;
|
||||
public int ToastStartTopRight { get; set; } = 0;
|
||||
|
||||
public PackedScene ToastSceneRich
|
||||
{
|
||||
get {
|
||||
if (Internal_ToastSceneRich is PackedScene cache) {
|
||||
return cache;
|
||||
}
|
||||
var ps = GD.Load<PackedScene>("res://scripts/amy/assets/amy_toast.tscn");
|
||||
Internal_ToastSceneRich = ps;
|
||||
return ps;
|
||||
}
|
||||
}
|
||||
private PackedScene? Internal_ToastSceneRich;
|
||||
|
||||
public PackedScene ToastSceneSimple
|
||||
{
|
||||
get {
|
||||
if (Internal_ToastSceneSimple is PackedScene cache) {
|
||||
return cache;
|
||||
}
|
||||
var ps = GD.Load<PackedScene>("res://scripts/amy/assets/toast_label.tscn");
|
||||
Internal_ToastSceneSimple = ps;
|
||||
return ps;
|
||||
}
|
||||
}
|
||||
private PackedScene? Internal_ToastSceneSimple;
|
||||
|
||||
public void AddPlayer(long id, Node agent)
|
||||
{
|
||||
Players[id] = agent;
|
||||
}
|
||||
|
||||
public void AddProgressDouble(string section, string key, double value, bool writeRegistry)
|
||||
=> SetProgressDouble(section, key, GetProgressDouble(section, key, 0d) + value, writeRegistry);
|
||||
|
||||
public void AddProgressInt(string section, string key, int value, bool writeRegistry)
|
||||
=> SetProgressInt(section, key, GetProgressInt(section, key, 0) + value, writeRegistry);
|
||||
|
||||
public bool GetConfigBool(string section, string key, bool fallback)
|
||||
=> AmyCore.Config.Get(section, key, fallback);
|
||||
|
||||
public double GetConfigDouble(string section, string key, double fallback)
|
||||
=> AmyCore.Config.Get(section, key, fallback);
|
||||
|
||||
public int GetConfigInt(string section, string key, int fallback)
|
||||
=> AmyCore.Config.Get(section, key, fallback);
|
||||
|
||||
public string GetConfigString(string section, string key, string fallback)
|
||||
=> AmyCore.Config.Get(section, key, fallback) ?? fallback;
|
||||
|
||||
public Godot.Collections.Dictionary GetPlayers() => Players;
|
||||
|
||||
public bool GetProgressBool(string section, string key, bool fallback)
|
||||
=> AmyCore.Progress.Get(section, key, fallback);
|
||||
|
||||
public double GetProgressDouble(string section, string key, double fallback)
|
||||
=> AmyCore.Progress.Get(section, key, fallback);
|
||||
|
||||
public int GetProgressInt(string section, string key, int fallback)
|
||||
=> AmyCore.Progress.Get(section, key, fallback);
|
||||
|
||||
public string GetProgressString(string section, string key, string fallback)
|
||||
=> AmyCore.Progress.Get(section, key, fallback) ?? fallback;
|
||||
|
||||
public void RemovePlayer(long id)
|
||||
{
|
||||
Players.Remove(id);
|
||||
}
|
||||
|
||||
[Rpc(mode: MultiplayerApi.RpcMode.AnyPeer, CallLocal = false)]
|
||||
public void RpcToastAll(string message, string rich,
|
||||
double duration, bool useDuration,
|
||||
bool right, bool useRight,
|
||||
bool top, bool useTop,
|
||||
int fontSize, bool useFontSize,
|
||||
Color color, bool useColor,
|
||||
Color backgroundColor, bool useBackgroundColor,
|
||||
string icon, bool useIcon,
|
||||
string iconRight, bool useIconRight)
|
||||
{
|
||||
Toast(message: message, rich: rich,
|
||||
duration: useDuration ? duration : null,
|
||||
right: useRight ? right : null,
|
||||
top: useTop ? top : null,
|
||||
fontSize: useFontSize ? fontSize : null,
|
||||
color: useColor ? color : null,
|
||||
backgroundColor: useBackgroundColor ? backgroundColor : null,
|
||||
icon: useIcon ? icon : null,
|
||||
iconRight: useIconRight ? iconRight : null);
|
||||
}
|
||||
|
||||
public void SetProgressBool(string section, string key, bool value, bool writeRegistry)
|
||||
=> AmyCore.Progress.Set(section, key, value, writeRegistry: writeRegistry);
|
||||
|
||||
public void SetProgressDouble(string section, string key, double value, bool writeRegistry)
|
||||
=> AmyCore.Progress.Set(section, key, value, writeRegistry: writeRegistry);
|
||||
|
||||
public void SetProgressInt(string section, string key, int value, bool writeRegistry)
|
||||
=> AmyCore.Progress.Set(section, key, value, writeRegistry: writeRegistry);
|
||||
|
||||
public void SetProgressString(string section, string key, string value, bool writeRegistry)
|
||||
=> AmyCore.Progress.Set(section, key, value, writeRegistry: writeRegistry);
|
||||
|
||||
public IAmyToast? Toast(string message, string rich,
|
||||
double? duration = 5d, bool? right = null, bool? top = null,
|
||||
int? fontSize = null, Color? color = null,
|
||||
Color? backgroundColor = null,
|
||||
string? icon = null, string? iconRight = null)
|
||||
{
|
||||
var scene = ToastSceneRich;
|
||||
if (string.IsNullOrEmpty(rich)) {
|
||||
rich = message;
|
||||
if (icon is null && iconRight is null) {
|
||||
scene = ToastSceneSimple;
|
||||
}
|
||||
}
|
||||
if (scene.Instantiate() is not IAmyToast toast) {
|
||||
GD.PushError("Unable to instantiate AmyToast!");
|
||||
return null;
|
||||
}
|
||||
var nndur = duration ?? ToastDefaultDuration;
|
||||
var nnright = right ?? ToastDefaultRight;
|
||||
var nntop = top ?? ToastDefaultTop;
|
||||
var nnfs = fontSize ?? ToastDefaultFontSize;
|
||||
color ??= ToastDefaultFontColor;
|
||||
backgroundColor ??= ToastDefaultBackgroundColor;
|
||||
if (toast is Node node) {
|
||||
ToastCanvas.AddChild(node);
|
||||
}
|
||||
if (toast is AmyToastRich richToast) {
|
||||
richToast.ToastRemoved += RemoveRichToastFromArray;
|
||||
} else if (toast is AmyToastSimple simpleToast) {
|
||||
simpleToast.ToastRemoved += RemoveSimpleToastFromArray;
|
||||
}
|
||||
if (!nntop) {
|
||||
if (nnright) {
|
||||
ToastsBottomRight.AddFirst(toast);
|
||||
} else {
|
||||
ToastsBottomLeft.AddFirst(toast);
|
||||
}
|
||||
} else {
|
||||
if (nnright) {
|
||||
ToastsTopRight.AddFirst(toast);
|
||||
} else {
|
||||
ToastsTopLeft.AddFirst(toast);
|
||||
}
|
||||
}
|
||||
toast.Init(message, rich, nndur, nnright, nntop, nnfs,
|
||||
color, backgroundColor, icon, iconRight);
|
||||
MovePositions(nnright, nntop);
|
||||
return toast;
|
||||
}
|
||||
|
||||
public void ToastAll(string message, string rich,
|
||||
double? duration = null,
|
||||
bool? right = null, bool? top = null, int? fontSize = null,
|
||||
Color? color = null, Color? backgroundColor = null,
|
||||
string? icon = null, string? iconRight = null,
|
||||
bool callLocal = false)
|
||||
{
|
||||
var dur = duration ?? 0d;
|
||||
var rt = right ?? false;
|
||||
var tp = top ?? false;
|
||||
var fs = fontSize ?? 0;
|
||||
var fg = color ?? Colors.Black;
|
||||
var bg = backgroundColor ?? Colors.Black;
|
||||
var ic = icon ?? string.Empty;
|
||||
var ir = iconRight ?? string.Empty;
|
||||
Rpc("RpcToastAll", message, rich,
|
||||
dur, duration is not null,
|
||||
rt, right is not null,
|
||||
tp, top is not null,
|
||||
fs, fontSize is not null,
|
||||
fg, color is not null,
|
||||
bg, backgroundColor is not null,
|
||||
ic, icon is not null,
|
||||
ir, iconRight is not null);
|
||||
if (callLocal) {
|
||||
RpcToastAll(message, rich,
|
||||
dur, duration is not null,
|
||||
rt, right is not null,
|
||||
tp, top is not null,
|
||||
fs, fontSize is not null,
|
||||
fg, color is not null,
|
||||
bg, backgroundColor is not null,
|
||||
ic, icon is not null,
|
||||
ir, iconRight is not null);
|
||||
}
|
||||
}
|
||||
|
||||
public void ToastSettings(double? duration = null,
|
||||
bool? right = null, bool? top = null,
|
||||
int? fontSize = null, Color? color = null,
|
||||
Color? backgroundColor = null,
|
||||
int? startBottomLeft = null, int? startBottomRight = null,
|
||||
int? startTopLeft = null, int? startTopRight = null)
|
||||
{
|
||||
ToastDefaultDuration = duration ?? ToastDefaultDuration;
|
||||
ToastDefaultRight = right ?? ToastDefaultRight;
|
||||
ToastDefaultTop = top ?? ToastDefaultTop;
|
||||
ToastDefaultFontSize = fontSize ?? ToastDefaultFontSize;
|
||||
ToastDefaultFontColor = color ?? ToastDefaultFontColor;
|
||||
ToastDefaultBackgroundColor = backgroundColor ?? ToastDefaultBackgroundColor;
|
||||
ToastStartBottomLeft = startBottomLeft ?? ToastStartBottomLeft;
|
||||
ToastStartBottomRight = startBottomRight ?? ToastStartBottomRight;
|
||||
ToastStartTopLeft = startTopLeft ?? ToastStartTopLeft;
|
||||
ToastStartTopRight = startTopRight ?? ToastStartTopRight;
|
||||
}
|
||||
|
||||
public override void _Ready()
|
||||
{
|
||||
Instance = this;
|
||||
GetViewport().SizeChanged += OnSizeChanged;
|
||||
}
|
||||
|
||||
private static readonly LinkedList<IAmyToast> ToastsBottomLeft = new();
|
||||
private static readonly LinkedList<IAmyToast> ToastsBottomRight = new();
|
||||
private static readonly LinkedList<IAmyToast> ToastsTopLeft = new();
|
||||
private static readonly LinkedList<IAmyToast> ToastsTopRight = new();
|
||||
|
||||
private static void MovePositions(bool right, bool top)
|
||||
{
|
||||
if (!top) {
|
||||
if (right) {
|
||||
var index = Instance?.ToastStartBottomRight ?? 0;
|
||||
foreach (var toast in ToastsBottomRight) {
|
||||
toast.MoveTo(index);
|
||||
index++;
|
||||
}
|
||||
} else {
|
||||
var index = Instance?.ToastStartBottomLeft ?? 0;
|
||||
foreach (var toast in ToastsBottomLeft) {
|
||||
toast.MoveTo(index);
|
||||
index++;
|
||||
}
|
||||
}
|
||||
} else {
|
||||
if (right) {
|
||||
var index = Instance?.ToastStartTopRight ?? 0;
|
||||
foreach (var toast in ToastsTopRight) {
|
||||
toast.MoveTo(index);
|
||||
index++;
|
||||
}
|
||||
} else {
|
||||
var index = Instance?.ToastStartTopLeft ?? 0;
|
||||
foreach (var toast in ToastsTopLeft) {
|
||||
toast.MoveTo(index);
|
||||
index++;
|
||||
}
|
||||
}
|
||||
}
|
||||
}
|
||||
|
||||
private static void OnSizeChanged()
|
||||
{
|
||||
foreach (var toast in ToastsBottomRight) {
|
||||
toast.UpdateXPosition();
|
||||
}
|
||||
foreach (var toast in ToastsBottomLeft) {
|
||||
toast.UpdateXPosition();
|
||||
}
|
||||
foreach (var toast in ToastsTopRight) {
|
||||
toast.UpdateXPosition();
|
||||
}
|
||||
foreach (var toast in ToastsTopLeft) {
|
||||
toast.UpdateXPosition();
|
||||
}
|
||||
}
|
||||
|
||||
private static void RemoveRichToastFromArray(AmyToastRich toast)
|
||||
=> RemoveToastFromArray(toast);
|
||||
|
||||
private static void RemoveSimpleToastFromArray(AmyToastSimple toast)
|
||||
=> RemoveToastFromArray(toast);
|
||||
|
||||
private static void RemoveToastFromArray(IAmyToast toast)
|
||||
{
|
||||
if (!toast.Top) {
|
||||
if (toast.Right) {
|
||||
ToastsBottomRight.Remove(toast);
|
||||
} else {
|
||||
ToastsBottomLeft.Remove(toast);
|
||||
}
|
||||
} else {
|
||||
if (toast.Right) {
|
||||
ToastsTopRight.Remove(toast);
|
||||
} else {
|
||||
ToastsTopLeft.Remove(toast);
|
||||
}
|
||||
}
|
||||
}
|
||||
}
|
15
scripts/amy/AmySoundSet.cs
Normal file
15
scripts/amy/AmySoundSet.cs
Normal file
|
@ -0,0 +1,15 @@
|
|||
using Godot;
|
||||
using System;
|
||||
|
||||
namespace Amy;
|
||||
#nullable enable
|
||||
|
||||
[GlobalClass]
|
||||
public partial class AmySoundSet : Resource
|
||||
{
|
||||
[Export]
|
||||
public Godot.Collections.Array<AudioStream> Streams = new();
|
||||
|
||||
[Export]
|
||||
public Vector2 PitchRange = Vector2.One;
|
||||
}
|
139
scripts/amy/AmySteam.cs
Normal file
139
scripts/amy/AmySteam.cs
Normal file
|
@ -0,0 +1,139 @@
|
|||
using Godot;
|
||||
using System;
|
||||
using System.Collections.Generic;
|
||||
using System.Linq;
|
||||
using System.Net;
|
||||
|
||||
namespace Amy;
|
||||
#nullable enable
|
||||
|
||||
public partial class AmySteam : Node
|
||||
{
|
||||
#if false
|
||||
[Signal] public delegate void OwnAvatarLoadedLargeEventHandler(Texture2D texture);
|
||||
[Signal] public delegate void OwnAvatarLoadedMediumEventHandler(Texture2D texture);
|
||||
[Signal] public delegate void OwnAvatarLoadedSmallEventHandler(Texture2D texture);
|
||||
[Signal] public delegate void OwnPersonaNameDetectedEventHandler(string personaName);
|
||||
[Signal] public delegate void OwnSteamIDDetectedEventHandler(ulong steamID);
|
||||
|
||||
public static ulong AppID => Instance?.AppID_ ?? 480uL;
|
||||
public static event Action<ulong, GodotSteam.AvatarSize, Texture2D>? AvatarLoaded;
|
||||
public static readonly Dictionary<ulong, Texture2D> AvatarsLarge = new();
|
||||
public static readonly Dictionary<ulong, Texture2D> AvatarsMedium = new();
|
||||
public static readonly Dictionary<ulong, Texture2D> AvatarsSmall = new();
|
||||
public static AmySteam? Instance { get; private set; }
|
||||
public static bool IsNotRunning { get; private set; }
|
||||
public static bool IsRunning { get; private set; }
|
||||
public static string PersonaName { get; private set; } = string.Empty;
|
||||
public static ulong SteamID { get; private set; }
|
||||
|
||||
public static void GetPlayerAvatar(GodotSteam.AvatarSize avatarSize = GodotSteam.AvatarSize.Medium,
|
||||
ulong steamID = 0uL)
|
||||
{
|
||||
var dict = avatarSize switch {
|
||||
GodotSteam.AvatarSize.Small => AvatarsSmall,
|
||||
GodotSteam.AvatarSize.Medium => AvatarsMedium,
|
||||
GodotSteam.AvatarSize.Large => AvatarsLarge,
|
||||
_ => throw new InvalidOperationException(),
|
||||
};
|
||||
var key = steamID == 0uL ? SteamID : steamID;
|
||||
if (dict.ContainsKey(key)) {
|
||||
return;
|
||||
}
|
||||
Steam.GetPlayerAvatar((int) avatarSize, steamID);
|
||||
}
|
||||
|
||||
[Export] public bool EnableByDefault { get; private set; } = true;
|
||||
[Export] public ulong AppID_ { get; private set; } = 480uL;
|
||||
[Export] public bool GetOwnAvatarOnReadySmall { get; private set; } = false;
|
||||
[Export] public bool GetOwnAvatarOnReadyMedium { get; private set; } = false;
|
||||
[Export] public bool GetOwnAvatarOnReadyLarge { get; private set; } = false;
|
||||
|
||||
// Once per render frame, Steam suggests.
|
||||
public override void _Process(double delta)
|
||||
{
|
||||
if (IsRunning) {
|
||||
Callable.From(Steam.RunCallbacks).CallDeferred();
|
||||
}
|
||||
}
|
||||
|
||||
public override void _Ready()
|
||||
{
|
||||
if (Instance is not null) {
|
||||
return;
|
||||
}
|
||||
Instance = this;
|
||||
OS.SetEnvironment("SteamAppId", AppID.ToString());
|
||||
OS.SetEnvironment("SteamGameId", AppID.ToString());
|
||||
if (!AmyCore.Config.Get("Steam", "Enabled", EnableByDefault)) {
|
||||
IsNotRunning = true;
|
||||
return;
|
||||
}
|
||||
Steam.SteamInit();
|
||||
if (!Steam.IsSteamRunning()) {
|
||||
IsNotRunning = true;
|
||||
return;
|
||||
}
|
||||
Steam.AvatarLoaded += OnAvatarLoaded;
|
||||
Steam.SteamworksError += OnSteamworksError;
|
||||
SteamID = Steam.GetSteamID();
|
||||
EmitSignal(SignalName.OwnSteamIDDetected, SteamID);
|
||||
PersonaName = Steam.GetPersonaName();
|
||||
EmitSignal(SignalName.OwnPersonaNameDetected, PersonaName);
|
||||
IsRunning = true;
|
||||
if (GetOwnAvatarOnReadySmall) {
|
||||
GetPlayerAvatar(GodotSteam.AvatarSize.Small, steamID: 0uL);
|
||||
}
|
||||
if (GetOwnAvatarOnReadyMedium) {
|
||||
GetPlayerAvatar(GodotSteam.AvatarSize.Medium, steamID: 0uL);
|
||||
}
|
||||
if (GetOwnAvatarOnReadyLarge) {
|
||||
GetPlayerAvatar(GodotSteam.AvatarSize.Large, steamID: 0uL);
|
||||
}
|
||||
}
|
||||
|
||||
private static void OnAvatarLoaded(long avatarID, long width, Godot.Collections.Array data)
|
||||
{
|
||||
if (avatarID < 0L) {
|
||||
return;
|
||||
}
|
||||
var dict = width switch {
|
||||
32 => AvatarsSmall,
|
||||
64 => AvatarsMedium,
|
||||
_ => AvatarsLarge,
|
||||
};
|
||||
var key = avatarID == 0L ? SteamID : (ulong) avatarID;
|
||||
if (width < 1 || width > int.MaxValue) {
|
||||
return;
|
||||
}
|
||||
var wid = (int) width;
|
||||
var packed = GodotArrayToPackedArray<byte>(data);
|
||||
var img = Image.CreateFromData(wid, wid, false, Image.Format.Rgba8, packed);
|
||||
var tex = ImageTexture.CreateFromImage(img);
|
||||
dict[key] = tex;
|
||||
if (key == SteamID && Instance is AmySteam self) {
|
||||
var signal = width switch {
|
||||
32 => SignalName.OwnAvatarLoadedSmall,
|
||||
64 => SignalName.OwnAvatarLoadedMedium,
|
||||
_ => SignalName.OwnAvatarLoadedLarge,
|
||||
};
|
||||
self.EmitSignal(signal, tex);
|
||||
}
|
||||
}
|
||||
|
||||
private static void OnSteamworksError(string failedSignal, string iOFailure)
|
||||
{
|
||||
GD.PushError("OnSteamworksError.failedSignal=" + failedSignal);
|
||||
GD.PushError("OnSteamworksError.iOFailure=" + iOFailure);
|
||||
}
|
||||
|
||||
static T[] GodotArrayToPackedArray<[MustBeVariant] T>(Godot.Collections.Array array)
|
||||
{
|
||||
var result = new T[array.Count];
|
||||
for (var index = 0; index < array.Count; index++) {
|
||||
result[index] = array[index].As<T>();
|
||||
}
|
||||
return result;
|
||||
}
|
||||
#endif
|
||||
}
|
201
scripts/amy/AmyToastRich.cs
Normal file
201
scripts/amy/AmyToastRich.cs
Normal file
|
@ -0,0 +1,201 @@
|
|||
#undef AMY_GODOT_REAL_T_IS_DOUBLE
|
||||
#if GODOT_REAL_T_IS_DOUBLE
|
||||
#define AMY_GODOT_REAL_T_IS_DOUBLE
|
||||
#endif
|
||||
#if AMY_GODOT_REAL_T_IS_DOUBLE
|
||||
using real_t = double;
|
||||
#else
|
||||
using real_t = float;
|
||||
#endif
|
||||
|
||||
using Godot;
|
||||
using System;
|
||||
|
||||
namespace Amy;
|
||||
#nullable enable
|
||||
|
||||
public partial class AmyToastRich : Container, IAmyToast
|
||||
{
|
||||
[Signal] public delegate void ToastRemovedEventHandler(AmyToastRich self);
|
||||
|
||||
public double Duration { get; set; } = 5d;
|
||||
public bool Right { get; set; } = true;
|
||||
public bool Top { get; set; } = false;
|
||||
public Vector2 ToastSize { get; set; } = Vector2.Zero;
|
||||
public Tween? TweenIn { get; set; }
|
||||
|
||||
public void Init(string message, string rich, double duration, bool right, bool top,
|
||||
int fontSize, Color? color, Color? backgroundColor, string? icon, string? iconRight)
|
||||
{
|
||||
var fg = color ?? new Color(1f, 1f, 1f, 1f);
|
||||
var bg = backgroundColor ?? new Color(0xb0 / 255f, 0xbe / 255f, 0xc5 / 255f, 0x60 / 255f);
|
||||
Duration = duration;
|
||||
Right = right;
|
||||
Top = top;
|
||||
UpdateTextAndIcons(rich, icon, iconRight);
|
||||
SetBgColor(bg);
|
||||
SetColor(fg);
|
||||
SetTextSize(fontSize);
|
||||
var pos = Position;
|
||||
pos.Y = GetYPos(-100, Top);
|
||||
Position = pos;
|
||||
SetMargins();
|
||||
SetShadowDirection();
|
||||
}
|
||||
|
||||
public void MoveTo(int index)
|
||||
{
|
||||
UpdateXPosition();
|
||||
var offsetY = (MarginBetween + ToastSize.Y) * index;
|
||||
var y = GetYPos(offsetY, Top);
|
||||
var tweenIn = GetTree().CreateTween();
|
||||
TweenIn = tweenIn;
|
||||
tweenIn.SetPauseMode(Tween.TweenPauseMode.Process);
|
||||
tweenIn.Stop();
|
||||
if (index == 0) {
|
||||
var delayed = .03f;
|
||||
tweenIn
|
||||
.TweenProperty(this, "position", new Vector2(Position.X, y), .3f)
|
||||
.SetTrans(Tween.TransitionType.Quint)
|
||||
.SetEase(Tween.EaseType.In)
|
||||
.SetDelay(delayed)
|
||||
;
|
||||
} else {
|
||||
tweenIn
|
||||
.TweenProperty(this, "position", new Vector2(Position.X, y), .3f)
|
||||
.SetTrans(Tween.TransitionType.Elastic)
|
||||
.SetEase(Tween.EaseType.InOut)
|
||||
;
|
||||
}
|
||||
tweenIn.Play();
|
||||
}
|
||||
|
||||
public void UpdateXPosition()
|
||||
{
|
||||
SetResolution();
|
||||
real_t x;
|
||||
if (Right) {
|
||||
x = Resolution.X - MarginLeft - Size.X - ScreenOffsetPosition.X;
|
||||
} else {
|
||||
x = MarginLeft + ScreenOffsetPosition.X;
|
||||
}
|
||||
var pos = Position;
|
||||
pos.X = x;
|
||||
Position = pos;
|
||||
}
|
||||
|
||||
public override void _Ready()
|
||||
{
|
||||
SetResolution();
|
||||
ToastSize = Size;
|
||||
TweenDestroyLabelTimer();
|
||||
}
|
||||
|
||||
private const int MarginBetween = 23;
|
||||
private const int MarginBottom = 7;
|
||||
private const int MarginLeft = 12;
|
||||
private const int MarginRight = 12;
|
||||
private const int MarginTop = 7;
|
||||
private static readonly Vector2 ScreenOffsetPosition = new Vector2(10f, 10f);
|
||||
private Vector2 Resolution = Vector2.Zero;
|
||||
|
||||
private real_t GetYPos(real_t offset, bool top)
|
||||
{
|
||||
return !top
|
||||
? Resolution.Y - MarginTop - ToastSize.Y - ScreenOffsetPosition.Y - offset
|
||||
: MarginTop + ScreenOffsetPosition.Y + offset;
|
||||
}
|
||||
|
||||
private void SetBgColor(Color color)
|
||||
{
|
||||
if (GetNode<Panel>("%Panel")?.GetThemeStylebox("normal") is StyleBoxFlat flat) {
|
||||
flat.BgColor = color;
|
||||
AddThemeStyleboxOverride("normal", flat);
|
||||
}
|
||||
}
|
||||
|
||||
private void SetColor(Color color)
|
||||
{
|
||||
#if false
|
||||
var themeOverride = Get("label_settings").Obj as LabelSettings;
|
||||
themeOverride!.Set("font_color", color);
|
||||
#endif
|
||||
}
|
||||
|
||||
private void SetMargins()
|
||||
{
|
||||
if (GetNode<Panel>("%Panel")?.GetThemeStylebox("normal") is StyleBoxFlat flat) {
|
||||
flat.ExpandMarginLeft = MarginLeft;
|
||||
flat.ExpandMarginTop = MarginTop;
|
||||
flat.ExpandMarginRight = MarginRight;
|
||||
flat.ExpandMarginBottom = MarginBottom;
|
||||
AddThemeStyleboxOverride("normal", flat);
|
||||
}
|
||||
}
|
||||
|
||||
private void SetResolution()
|
||||
{
|
||||
var size = GetViewport().GetVisibleRect().Size;
|
||||
Resolution.X = size.X;
|
||||
Resolution.Y = size.Y;
|
||||
}
|
||||
|
||||
private void SetShadowDirection()
|
||||
{
|
||||
if (GetNode<Panel>("%Panel")?.GetThemeStylebox("normal") is StyleBoxFlat flat) {
|
||||
var abs = 2f;
|
||||
if (Right) {
|
||||
flat.ShadowOffset = new Vector2(abs, abs);
|
||||
} else { // left
|
||||
flat.ShadowOffset = new Vector2(-abs, abs);
|
||||
}
|
||||
AddThemeStyleboxOverride("normal", flat);
|
||||
}
|
||||
}
|
||||
|
||||
private void SetTextSize(int textSize)
|
||||
{
|
||||
#if false
|
||||
var themeOverride = Get("label_settings").Obj as LabelSettings;
|
||||
themeOverride!.Set("font_size", textSize);
|
||||
#endif
|
||||
}
|
||||
|
||||
private void TweenDestroyLabelComplete()
|
||||
{
|
||||
EmitSignal(SignalName.ToastRemoved, this);
|
||||
QueueFree();
|
||||
}
|
||||
|
||||
private void TweenDestroyLabelTimer()
|
||||
{
|
||||
var tweenAlpha = GetTree().CreateTween();
|
||||
tweenAlpha.SetPauseMode(Tween.TweenPauseMode.Process);
|
||||
tweenAlpha.TweenProperty(this, "modulate:a", 0f, .8f)
|
||||
.SetDelay((float) Duration);
|
||||
tweenAlpha.TweenCallback(Callable.From(TweenDestroyLabelComplete));
|
||||
}
|
||||
|
||||
private void UpdateTextAndIcons(string text, string? icon, string? iconRight)
|
||||
{
|
||||
if (GetNode("%RichTextLabel") is RichTextLabel rtl) {
|
||||
rtl.Text = text;
|
||||
ToastSize = rtl.Size;
|
||||
UpdateXPosition();
|
||||
}
|
||||
if (icon is string ic && !string.IsNullOrEmpty(ic)
|
||||
&& GetNode("%LeftTextureRect") is TextureRect ltr) {
|
||||
ltr.Texture = GD.Load<Texture2D>(ic);
|
||||
GetNode<CanvasItem>("%LeftTextureMargin")?.Show();
|
||||
} else {
|
||||
GetNode<CanvasItem>("%LeftTextureMargin")?.Hide();
|
||||
}
|
||||
if (iconRight is string ir && !string.IsNullOrEmpty(ir)
|
||||
&& GetNode("%RightTextureRect") is TextureRect rtr) {
|
||||
rtr.Texture = GD.Load<Texture2D>(ir);
|
||||
GetNode<CanvasItem>("%RightTextureMargin")?.Show();
|
||||
} else {
|
||||
GetNode<CanvasItem>("%RightTextureMargin")?.Hide();
|
||||
}
|
||||
}
|
||||
}
|
184
scripts/amy/AmyToastSimple.cs
Normal file
184
scripts/amy/AmyToastSimple.cs
Normal file
|
@ -0,0 +1,184 @@
|
|||
#undef AMY_GODOT_REAL_T_IS_DOUBLE
|
||||
#if GODOT_REAL_T_IS_DOUBLE
|
||||
#define AMY_GODOT_REAL_T_IS_DOUBLE
|
||||
#endif
|
||||
#if AMY_GODOT_REAL_T_IS_DOUBLE
|
||||
using real_t = double;
|
||||
#else
|
||||
using real_t = float;
|
||||
#endif
|
||||
|
||||
using Godot;
|
||||
using System;
|
||||
|
||||
namespace Amy;
|
||||
#nullable enable
|
||||
|
||||
public partial class AmyToastSimple : Label, IAmyToast
|
||||
{
|
||||
[Signal] public delegate void ToastRemovedEventHandler(AmyToastSimple self);
|
||||
|
||||
public double Duration { get; set; } = 5d;
|
||||
public bool Right { get; set; } = true;
|
||||
public bool Top { get; set; } = false;
|
||||
public Vector2 ToastSize { get; set; } = Vector2.Zero;
|
||||
public Tween? TweenIn { get; set; }
|
||||
|
||||
public void Init(string message, string rich, double duration, bool right, bool top,
|
||||
int fontSize, Color? color, Color? backgroundColor, string? icon, string? iconRight)
|
||||
{
|
||||
var fg = color ?? new Color(1f, 1f, 1f, 1f);
|
||||
var bg = backgroundColor ?? new Color(0xb0 / 255f, 0xbe / 255f, 0xc5 / 255f, 0x60 / 255f);
|
||||
Duration = duration;
|
||||
Right = right;
|
||||
Top = top;
|
||||
UpdateText(message);
|
||||
_ = rich;
|
||||
_ = icon;
|
||||
_ = iconRight;
|
||||
SetBgColor(bg);
|
||||
SetColor(fg);
|
||||
SetTextSize(fontSize);
|
||||
var pos = Position;
|
||||
pos.Y = GetYPos(-100, Top);
|
||||
Position = pos;
|
||||
SetMargins();
|
||||
SetShadowDirection();
|
||||
}
|
||||
|
||||
public void MoveTo(int index)
|
||||
{
|
||||
UpdateXPosition();
|
||||
var offsetY = (MarginBetween + ToastSize.Y) * index;
|
||||
var y = GetYPos(offsetY, Top);
|
||||
var tweenIn = GetTree().CreateTween();
|
||||
TweenIn = tweenIn;
|
||||
tweenIn.SetPauseMode(Tween.TweenPauseMode.Process);
|
||||
tweenIn.Stop();
|
||||
if (index == 0) {
|
||||
var delayed = .03f;
|
||||
tweenIn
|
||||
.TweenProperty(this, "position", new Vector2(Position.X, y), .3f)
|
||||
.SetTrans(Tween.TransitionType.Quint)
|
||||
.SetEase(Tween.EaseType.In)
|
||||
.SetDelay(delayed)
|
||||
;
|
||||
} else {
|
||||
tweenIn
|
||||
.TweenProperty(this, "position", new Vector2(Position.X, y), .3f)
|
||||
.SetTrans(Tween.TransitionType.Elastic)
|
||||
.SetEase(Tween.EaseType.InOut)
|
||||
;
|
||||
}
|
||||
tweenIn.Play();
|
||||
}
|
||||
|
||||
public void UpdateXPosition()
|
||||
{
|
||||
SetResolution();
|
||||
real_t x;
|
||||
if (Right) {
|
||||
x = Resolution.X - MarginLeft - Size.X - ScreenOffsetPosition.X;
|
||||
} else {
|
||||
x = MarginLeft + ScreenOffsetPosition.X;
|
||||
}
|
||||
var pos = Position;
|
||||
pos.X = x;
|
||||
Position = pos;
|
||||
}
|
||||
|
||||
public override void _Ready()
|
||||
{
|
||||
SetResolution();
|
||||
ToastSize = Size;
|
||||
TweenDestroyLabelTimer();
|
||||
}
|
||||
|
||||
private const int MarginBetween = 23;
|
||||
private const int MarginBottom = 7;
|
||||
private const int MarginLeft = 12;
|
||||
private const int MarginRight = 12;
|
||||
private const int MarginTop = 7;
|
||||
private static readonly Vector2 ScreenOffsetPosition = new Vector2(10f, 10f);
|
||||
private Vector2 Resolution = Vector2.Zero;
|
||||
|
||||
private real_t GetYPos(real_t offset, bool top)
|
||||
{
|
||||
return !top
|
||||
? Resolution.Y - MarginTop - ToastSize.Y - ScreenOffsetPosition.Y - offset
|
||||
: MarginTop + ScreenOffsetPosition.Y + offset;
|
||||
}
|
||||
|
||||
private void SetBgColor(Color color)
|
||||
{
|
||||
if (GetThemeStylebox("normal") is StyleBoxFlat flat) {
|
||||
flat.BgColor = color;
|
||||
AddThemeStyleboxOverride("normal", flat);
|
||||
}
|
||||
}
|
||||
|
||||
private void SetColor(Color color)
|
||||
{
|
||||
var themeOverride = Get("label_settings").Obj as LabelSettings;
|
||||
themeOverride!.Set("font_color", color);
|
||||
}
|
||||
|
||||
private void SetMargins()
|
||||
{
|
||||
if (GetThemeStylebox("normal") is StyleBoxFlat flat) {
|
||||
flat.ExpandMarginLeft = MarginLeft;
|
||||
flat.ExpandMarginTop = MarginTop;
|
||||
flat.ExpandMarginRight = MarginRight;
|
||||
flat.ExpandMarginBottom = MarginBottom;
|
||||
AddThemeStyleboxOverride("normal", flat);
|
||||
}
|
||||
}
|
||||
|
||||
private void SetResolution()
|
||||
{
|
||||
var size = GetViewport().GetVisibleRect().Size;
|
||||
Resolution.X = size.X;
|
||||
Resolution.Y = size.Y;
|
||||
}
|
||||
|
||||
private void SetShadowDirection()
|
||||
{
|
||||
if (GetThemeStylebox("normal") is StyleBoxFlat flat) {
|
||||
var abs = 2f;
|
||||
if (Right) {
|
||||
flat.ShadowOffset = new Vector2(abs, abs);
|
||||
} else { // left
|
||||
flat.ShadowOffset = new Vector2(-abs, abs);
|
||||
}
|
||||
AddThemeStyleboxOverride("normal", flat);
|
||||
}
|
||||
}
|
||||
|
||||
private void SetTextSize(int textSize)
|
||||
{
|
||||
var themeOverride = Get("label_settings").Obj as LabelSettings;
|
||||
themeOverride!.Set("font_size", textSize);
|
||||
}
|
||||
|
||||
private void TweenDestroyLabelComplete()
|
||||
{
|
||||
EmitSignal(SignalName.ToastRemoved, this);
|
||||
QueueFree();
|
||||
}
|
||||
|
||||
private void TweenDestroyLabelTimer()
|
||||
{
|
||||
var tweenAlpha = GetTree().CreateTween();
|
||||
tweenAlpha.SetPauseMode(Tween.TweenPauseMode.Process);
|
||||
tweenAlpha.TweenProperty(this, "modulate:a", 0f, .8f)
|
||||
.SetDelay((float) Duration);
|
||||
tweenAlpha.TweenCallback(Callable.From(TweenDestroyLabelComplete));
|
||||
}
|
||||
|
||||
private void UpdateText(string text)
|
||||
{
|
||||
Text = text;
|
||||
ToastSize = Size;
|
||||
UpdateXPosition();
|
||||
}
|
||||
}
|
146
scripts/amy/AmyUciServer.cs
Normal file
146
scripts/amy/AmyUciServer.cs
Normal file
|
@ -0,0 +1,146 @@
|
|||
using Godot;
|
||||
using System;
|
||||
using System.Diagnostics;
|
||||
using System.IO;
|
||||
using System.Text;
|
||||
using System.Threading.Tasks;
|
||||
|
||||
namespace Amy;
|
||||
|
||||
public partial class AmyUciServer : Node
|
||||
{
|
||||
#nullable enable annotations
|
||||
#nullable enable warnings
|
||||
|
||||
public bool UciOk { get; private set; }
|
||||
|
||||
public async Task Move(Vector2I from, Vector2I to, int moveTimeMsec = 5000)
|
||||
{
|
||||
if (!UciOk) {
|
||||
throw new InvalidOperationException();
|
||||
}
|
||||
var srcx = from.X;
|
||||
var srcy = 7 - from.Y;
|
||||
var dstx = to.X;
|
||||
var dsty = 7 - to.Y;
|
||||
if (AllyIsBlack) {
|
||||
srcx = 7 - srcx;
|
||||
srcy = 7 - srcy;
|
||||
dstx = 7 - dstx;
|
||||
dsty = 7 - dsty;
|
||||
}
|
||||
var src = ((char)('a' + srcx)).ToString() + (srcy + 1);
|
||||
var dst = ((char)('a' + dstx)).ToString() + (dsty + 1);
|
||||
await Move(src + dst, moveTimeMsec);
|
||||
}
|
||||
|
||||
public async Task Move(string move, int moveTimeMsec = 5000)
|
||||
{
|
||||
if (!UciOk) {
|
||||
return;
|
||||
}
|
||||
if (Engine is Process engine) {
|
||||
Position.Append(' ');
|
||||
Position.Append(move);
|
||||
await engine.StandardInput.WriteLineAsync(Position.ToString());
|
||||
await engine.StandardInput.WriteLineAsync("go movetime " + moveTimeMsec);
|
||||
await Task.Delay(moveTimeMsec);
|
||||
await engine.StandardInput.WriteLineAsync("stop");
|
||||
} else {
|
||||
throw new InvalidOperationException();
|
||||
}
|
||||
}
|
||||
|
||||
public async Task NewGame(bool allyIsBlack, Action<string> onBestMove, int moveTimeMsec = 5000)
|
||||
{
|
||||
BestMove = onBestMove;
|
||||
if (Engine is Process engine) {
|
||||
await engine.StandardInput.WriteLineAsync("ucinewgame");
|
||||
await engine.StandardInput.WriteLineAsync("position startpos");
|
||||
Position = new("position startpos moves");
|
||||
if (allyIsBlack) {
|
||||
await engine.StandardInput.WriteLineAsync("go movetime " + moveTimeMsec);
|
||||
await Task.Delay(moveTimeMsec);
|
||||
await engine.StandardInput.WriteLineAsync("stop");
|
||||
}
|
||||
} else {
|
||||
throw new InvalidOperationException();
|
||||
}
|
||||
}
|
||||
|
||||
public override void _EnterTree()
|
||||
{
|
||||
Godot.Engine.RegisterSingleton("Uci", this);
|
||||
var fallback = "StockNemo-5.7.0.0.exe";
|
||||
var exe = AmyCore.Config.Get("External", "ChessEngine", fallback) ?? fallback;
|
||||
StartEngine(exe);
|
||||
}
|
||||
|
||||
public override void _ExitTree()
|
||||
{
|
||||
if (Engine is Process engine) {
|
||||
engine.Kill();
|
||||
}
|
||||
}
|
||||
|
||||
private bool AllyIsBlack;
|
||||
private Action<string>? BestMove;
|
||||
private Process? Engine;
|
||||
private StringBuilder Position = new();
|
||||
|
||||
private async void StartEngine(string exe)
|
||||
{
|
||||
using Process engine = new();
|
||||
Engine = engine;
|
||||
try {
|
||||
var selfexe = OS.GetExecutablePath();
|
||||
var dir = Path.GetDirectoryName(selfexe);
|
||||
engine.StartInfo.FileName = exe;
|
||||
engine.StartInfo.WorkingDirectory = dir;
|
||||
engine.StartInfo.UseShellExecute = false;
|
||||
engine.StartInfo.RedirectStandardInput = true;
|
||||
engine.StartInfo.RedirectStandardOutput = true;
|
||||
engine.StartInfo.CreateNoWindow = true;
|
||||
engine.Start();
|
||||
await engine.StandardInput.WriteLineAsync("uci");
|
||||
var running = true;
|
||||
var discard = true;
|
||||
while (running) {
|
||||
var line = await engine.StandardOutput.ReadLineAsync();
|
||||
if (discard) {
|
||||
if (line == "uciok") {
|
||||
discard = false;
|
||||
UciOk = true;
|
||||
}
|
||||
continue;
|
||||
}
|
||||
if (line?.Split() is string[] fields && fields.Length >= 1) {
|
||||
var cmd = fields[0];
|
||||
switch (cmd) {
|
||||
case "bestmove":
|
||||
if (fields.Length >= 2) {
|
||||
var move = fields[1];
|
||||
Position.Append(' ');
|
||||
Position.Append(move);
|
||||
BestMove?.Invoke(move);
|
||||
} else {
|
||||
throw new InvalidOperationException();
|
||||
}
|
||||
break;
|
||||
case "info":
|
||||
break;
|
||||
case "readyok":
|
||||
break;
|
||||
default:
|
||||
GD.Print($"Unknown UCI command ``{cmd}'' in ``{line}''.");
|
||||
break;
|
||||
}
|
||||
}
|
||||
}
|
||||
} catch (Exception) { }
|
||||
Engine = null;
|
||||
}
|
||||
|
||||
#nullable restore warnings
|
||||
#nullable restore annotations
|
||||
}
|
113
scripts/amy/AmyVirtualMouse.cs
Normal file
113
scripts/amy/AmyVirtualMouse.cs
Normal file
|
@ -0,0 +1,113 @@
|
|||
using Amy;
|
||||
using Godot;
|
||||
using System;
|
||||
|
||||
namespace Amy;
|
||||
|
||||
public partial class AmyVirtualMouse : Control
|
||||
{
|
||||
#nullable enable annotations
|
||||
#nullable enable warnings
|
||||
|
||||
public static AmyVirtualMouse? Instance { get; private set; }
|
||||
public static bool VirtualizeMouseClicks = true;
|
||||
public static bool VirtualizeMouseMovement = true;
|
||||
|
||||
[Export]
|
||||
public StringName VirtualLeftClickAction { get; private set; } = "VirtualLeftClick";
|
||||
|
||||
[Export]
|
||||
public StringName VirtualRightClickAction { get; private set; } = "VirtualRightClick";
|
||||
|
||||
[Export]
|
||||
public StringName VirtualMiddleClickAction { get; private set; } = "VirtualMiddleClick";
|
||||
|
||||
[Export]
|
||||
public StringName VirtualMouseMoveUpAction { get; private set; } = "VirtualMouseMoveUp";
|
||||
|
||||
[Export]
|
||||
public StringName VirtualMouseMoveDownAction { get; private set; } = "VirtualMouseMoveDown";
|
||||
|
||||
[Export]
|
||||
public StringName VirtualMouseMoveLeftAction { get; private set; } = "VirtualMouseMoveLeft";
|
||||
|
||||
[Export]
|
||||
public StringName VirtualMouseMoveRightAction { get; private set; } = "VirtualMouseMoveRight";
|
||||
|
||||
[Export]
|
||||
public int VirtualMouseDevice { get; private set; } = -2;
|
||||
|
||||
[Export]
|
||||
public double VirtualMouseMoveSpeed { get; set; } = 300d;
|
||||
|
||||
public void VirtualMouseClick(MouseButton mouseButton, bool pressed)
|
||||
{
|
||||
MouseButtonMask mask;
|
||||
switch (mouseButton) {
|
||||
case MouseButton.Left:
|
||||
mask = MouseButtonMask.Left;
|
||||
break;
|
||||
case MouseButton.Right:
|
||||
mask = MouseButtonMask.Right;
|
||||
break;
|
||||
case MouseButton.Middle:
|
||||
mask = MouseButtonMask.Middle;
|
||||
break;
|
||||
default:
|
||||
return;
|
||||
}
|
||||
Input.ParseInputEvent(new InputEventMouseButton() {
|
||||
ButtonIndex = mouseButton,
|
||||
ButtonMask = mask,
|
||||
Pressed = pressed,
|
||||
Device = VirtualMouseDevice,
|
||||
GlobalPosition = GetGlobalMousePosition(),
|
||||
Position = GetGlobalMousePosition(),
|
||||
});
|
||||
}
|
||||
|
||||
public void VirtualMouseClick(int mouseButton, bool pressed)
|
||||
{
|
||||
var mouseButtonEnum = (MouseButton) mouseButton;
|
||||
if (Enum.IsDefined(mouseButtonEnum)) {
|
||||
VirtualMouseClick(mouseButtonEnum, pressed);
|
||||
}
|
||||
}
|
||||
|
||||
public override void _Input(InputEvent @event)
|
||||
{
|
||||
if (!VirtualizeMouseClicks) {
|
||||
return;
|
||||
}
|
||||
if (@event is InputEventAction action) {
|
||||
if (action.Action == VirtualLeftClickAction) {
|
||||
Callable.From<int, bool>(VirtualMouseClick).CallDeferred((int) MouseButton.Left, action.Pressed);
|
||||
} else if (action.Action == VirtualRightClickAction) {
|
||||
Callable.From<int, bool>(VirtualMouseClick).CallDeferred((int) MouseButton.Right, action.Pressed);
|
||||
} else if (action.Action == VirtualMiddleClickAction) {
|
||||
Callable.From<int, bool>(VirtualMouseClick).CallDeferred((int) MouseButton.Middle, action.Pressed);
|
||||
}
|
||||
}
|
||||
}
|
||||
|
||||
public override void _Process(double delta)
|
||||
{
|
||||
if (!VirtualizeMouseMovement) {
|
||||
return;
|
||||
}
|
||||
var vmDelta = new Vector2(
|
||||
Input.GetActionStrength(VirtualMouseMoveRightAction) - Input.GetActionStrength(VirtualMouseMoveLeftAction),
|
||||
Input.GetActionStrength(VirtualMouseMoveDownAction) - Input.GetActionStrength(VirtualMouseMoveUpAction));
|
||||
if (vmDelta != Vector2.Zero) {
|
||||
Input.WarpMouse(GetViewport().GetMousePosition() + vmDelta * (float) (VirtualMouseMoveSpeed * delta));
|
||||
}
|
||||
}
|
||||
|
||||
public override void _Ready()
|
||||
{
|
||||
Instance = this;
|
||||
}
|
||||
|
||||
#nullable restore warnings
|
||||
#nullable restore annotations
|
||||
}
|
43
scripts/amy/AmyVolumeSlider.cs
Normal file
43
scripts/amy/AmyVolumeSlider.cs
Normal file
|
@ -0,0 +1,43 @@
|
|||
using Godot;
|
||||
using System;
|
||||
|
||||
namespace Amy;
|
||||
#nullable enable
|
||||
|
||||
public partial class AmyVolumeSlider : HSlider
|
||||
{
|
||||
#nullable enable annotations
|
||||
#nullable enable warnings
|
||||
|
||||
[Export]
|
||||
public string Bus_ { get; private set; } = "Master";
|
||||
|
||||
[Export]
|
||||
public string ConfigSection { get; private set; } = "Settings";
|
||||
|
||||
[Export]
|
||||
public string ConfigKeyOverride { get; private set; } = "";
|
||||
|
||||
public override void _Ready()
|
||||
{
|
||||
Bus = AudioServer.GetBusIndex(Bus_);
|
||||
Key = string.IsNullOrWhiteSpace(ConfigKeyOverride) ? Bus_ + "Volume" : ConfigKeyOverride.Trim();
|
||||
var db = AmyCore.Config.Get(ConfigSection, Key, (double) AudioServer.GetBusVolumeDb(Bus));
|
||||
AudioServer.SetBusVolumeDb(Bus, (float) db);
|
||||
Value = Mathf.DbToLinear(db);
|
||||
ValueChanged += OnValueChanged;
|
||||
}
|
||||
|
||||
private int Bus;
|
||||
private string Key = "";
|
||||
|
||||
private void OnValueChanged(double value)
|
||||
{
|
||||
var db = Mathf.LinearToDb(value);
|
||||
AmyCore.Config.Set(ConfigSection, Key, db);
|
||||
AudioServer.SetBusVolumeDb(Bus, (float) db);
|
||||
}
|
||||
|
||||
#nullable restore warnings
|
||||
#nullable restore annotations
|
||||
}
|
27
scripts/amy/AmyWeather.cs
Normal file
27
scripts/amy/AmyWeather.cs
Normal file
|
@ -0,0 +1,27 @@
|
|||
using Godot;
|
||||
using System;
|
||||
using System.Collections.Generic;
|
||||
|
||||
namespace Amy;
|
||||
#nullable enable
|
||||
|
||||
[GlobalClass]
|
||||
public partial class AmyWeather : Resource
|
||||
{
|
||||
[Export] public double ChanceSeason0Spring;
|
||||
[Export] public double ChanceSeason1Summer;
|
||||
[Export] public double ChanceSeason2Autumn;
|
||||
[Export] public double ChanceSeason3Winter;
|
||||
[Export] public Color CloudColorInner = new(1f, 1f, 1f);
|
||||
[Export] public Color CloudColorOuter = new(.5f, .5f, .5f);
|
||||
[Export] public double CloudCoverLarge = .5d;
|
||||
[Export] public double CloudCoverSmall = .5d;
|
||||
[Export] public double CloudSpeed = .001d;
|
||||
[Export] public Vector2 DurationRange = new Vector2(40000f, 100000f);
|
||||
[Export] public double FogDensity = 0d;
|
||||
[Export] public double RainParticlesAmountRatio = 0d;
|
||||
[Export] public double RainSoundLevel = 0d;
|
||||
[Export] public double SnowParticlesAmountRatio = 0d;
|
||||
[Export] public double TemperatureDelta = 0d;
|
||||
[Export] public double ThunderSoundLevel = 0d;
|
||||
}
|
10
scripts/amy/IAmyDamageable2D.cs
Normal file
10
scripts/amy/IAmyDamageable2D.cs
Normal file
|
@ -0,0 +1,10 @@
|
|||
using Godot;
|
||||
using System;
|
||||
|
||||
namespace Amy;
|
||||
#nullable enable
|
||||
|
||||
public interface IAmyDamageable2D
|
||||
{
|
||||
void TakeDamageServer(Node2D by, double amount, Vector2 knockback, AmyHeat heat, object[] metadata);
|
||||
}
|
10
scripts/amy/IAmyDamageable3D.cs
Normal file
10
scripts/amy/IAmyDamageable3D.cs
Normal file
|
@ -0,0 +1,10 @@
|
|||
using Godot;
|
||||
using System;
|
||||
|
||||
namespace Amy;
|
||||
#nullable enable
|
||||
|
||||
public interface IAmyDamageable3D
|
||||
{
|
||||
void TakeDamageServer(Node3D by, double amount, Vector3 knockback, AmyHeat heat, object[] metadata);
|
||||
}
|
10
scripts/amy/IAmyDamageableBody2D.cs
Normal file
10
scripts/amy/IAmyDamageableBody2D.cs
Normal file
|
@ -0,0 +1,10 @@
|
|||
using Godot;
|
||||
using System;
|
||||
|
||||
namespace Amy;
|
||||
#nullable enable
|
||||
|
||||
public interface IAmyDamageableBody2D
|
||||
{
|
||||
void TakeDamageServer(Node2D by, double amount, Vector2 knockback, AmyHeat heat, object[] metadata);
|
||||
}
|
10
scripts/amy/IAmyDamageableBody3D.cs
Normal file
10
scripts/amy/IAmyDamageableBody3D.cs
Normal file
|
@ -0,0 +1,10 @@
|
|||
using Godot;
|
||||
using System;
|
||||
|
||||
namespace Amy;
|
||||
#nullable enable
|
||||
|
||||
public interface IAmyDamageableBody3D
|
||||
{
|
||||
void TakeDamageServer(Node3D by, double amount, Vector3 knockback, AmyHeat heat, object[] metadata);
|
||||
}
|
11
scripts/amy/IAmyFluidBody3D.cs
Normal file
11
scripts/amy/IAmyFluidBody3D.cs
Normal file
|
@ -0,0 +1,11 @@
|
|||
using Godot;
|
||||
using System;
|
||||
|
||||
namespace Amy;
|
||||
#nullable enable
|
||||
|
||||
public interface IAmyFluidBody3D
|
||||
{
|
||||
void FluidAreaEnter(AmyFluidArea3D area);
|
||||
void FluidAreaExit(AmyFluidArea3D area);
|
||||
}
|
9
scripts/amy/IAmyFluidBodyManualOverlapDetection.cs
Normal file
9
scripts/amy/IAmyFluidBodyManualOverlapDetection.cs
Normal file
|
@ -0,0 +1,9 @@
|
|||
using Godot;
|
||||
using System;
|
||||
|
||||
namespace Amy;
|
||||
#nullable enable
|
||||
|
||||
public interface IAmyFluidBodyManualOverlapDetection
|
||||
{
|
||||
}
|
11
scripts/amy/IAmyInteractable.cs
Normal file
11
scripts/amy/IAmyInteractable.cs
Normal file
|
@ -0,0 +1,11 @@
|
|||
using Godot;
|
||||
using System;
|
||||
|
||||
namespace Amy;
|
||||
#nullable enable
|
||||
|
||||
public interface IAmyInteractable
|
||||
{
|
||||
void InteractServer(Node player, bool alt);
|
||||
string PreviewInteractionClient(Node player);
|
||||
}
|
20
scripts/amy/IAmyToast.cs
Normal file
20
scripts/amy/IAmyToast.cs
Normal file
|
@ -0,0 +1,20 @@
|
|||
using Godot;
|
||||
using System;
|
||||
|
||||
namespace Amy;
|
||||
#nullable enable
|
||||
|
||||
public interface IAmyToast
|
||||
{
|
||||
double Duration { get; set; }
|
||||
bool Right { get; set; }
|
||||
bool Top { get; set; }
|
||||
Vector2 ToastSize { get; set; }
|
||||
Tween? TweenIn { get; set; }
|
||||
|
||||
void Init(string message, string rich, double duration, bool right, bool top,
|
||||
int fontSize, Color? color, Color? backgroundColor,
|
||||
string? icon, string? iconRight);
|
||||
void MoveTo(int index);
|
||||
void UpdateXPosition();
|
||||
}
|
81
scripts/amy/assets/amy_toast.tscn
Normal file
81
scripts/amy/assets/amy_toast.tscn
Normal file
|
@ -0,0 +1,81 @@
|
|||
[gd_scene load_steps=3 format=3 uid="uid://bfvn6nsjdwkfa"]
|
||||
|
||||
[ext_resource type="Script" path="res://scripts/amy/AmyToastRich.cs" id="1_yui2b"]
|
||||
[ext_resource type="StyleBox" uid="uid://cr6bhsww3kgcs" path="res://scripts/amy/assets/toast_label.stylebox" id="2_tbgc6"]
|
||||
|
||||
[node name="AmyToast" type="Container"]
|
||||
offset_right = 128.0
|
||||
offset_bottom = 40.0
|
||||
mouse_filter = 2
|
||||
script = ExtResource("1_yui2b")
|
||||
metadata/_edit_lock_ = true
|
||||
|
||||
[node name="MarginContainer" type="MarginContainer" parent="."]
|
||||
unique_name_in_owner = true
|
||||
layout_mode = 2
|
||||
mouse_filter = 2
|
||||
metadata/_edit_lock_ = true
|
||||
|
||||
[node name="Panel" type="Panel" parent="MarginContainer"]
|
||||
unique_name_in_owner = true
|
||||
layout_mode = 2
|
||||
mouse_filter = 2
|
||||
theme_override_styles/panel = ExtResource("2_tbgc6")
|
||||
metadata/_edit_lock_ = true
|
||||
|
||||
[node name="HBoxContainer" type="HBoxContainer" parent="MarginContainer"]
|
||||
unique_name_in_owner = true
|
||||
layout_mode = 2
|
||||
mouse_filter = 2
|
||||
theme_override_constants/separation = 2
|
||||
metadata/_edit_lock_ = true
|
||||
|
||||
[node name="LeftTextureMargin" type="MarginContainer" parent="MarginContainer/HBoxContainer"]
|
||||
unique_name_in_owner = true
|
||||
visible = false
|
||||
layout_mode = 2
|
||||
mouse_filter = 2
|
||||
theme_override_constants/margin_left = 2
|
||||
theme_override_constants/margin_top = 2
|
||||
theme_override_constants/margin_right = 2
|
||||
theme_override_constants/margin_bottom = 2
|
||||
metadata/_edit_lock_ = true
|
||||
|
||||
[node name="LeftTextureRect" type="TextureRect" parent="MarginContainer/HBoxContainer/LeftTextureMargin"]
|
||||
unique_name_in_owner = true
|
||||
layout_mode = 2
|
||||
mouse_filter = 2
|
||||
metadata/_edit_lock_ = true
|
||||
|
||||
[node name="RichTextLabel" type="RichTextLabel" parent="MarginContainer/HBoxContainer"]
|
||||
unique_name_in_owner = true
|
||||
layout_mode = 2
|
||||
theme_override_colors/font_shadow_color = Color(0, 0, 0, 1)
|
||||
theme_override_font_sizes/bold_italics_font_size = 18
|
||||
theme_override_font_sizes/italics_font_size = 18
|
||||
theme_override_font_sizes/mono_font_size = 18
|
||||
theme_override_font_sizes/normal_font_size = 18
|
||||
theme_override_font_sizes/bold_font_size = 18
|
||||
bbcode_enabled = true
|
||||
text = "Toast Message"
|
||||
fit_content = true
|
||||
scroll_active = false
|
||||
autowrap_mode = 0
|
||||
metadata/_edit_lock_ = true
|
||||
|
||||
[node name="RightTextureMargin" type="MarginContainer" parent="MarginContainer/HBoxContainer"]
|
||||
unique_name_in_owner = true
|
||||
visible = false
|
||||
layout_mode = 2
|
||||
mouse_filter = 2
|
||||
theme_override_constants/margin_left = 2
|
||||
theme_override_constants/margin_top = 2
|
||||
theme_override_constants/margin_right = 2
|
||||
theme_override_constants/margin_bottom = 2
|
||||
metadata/_edit_lock_ = true
|
||||
|
||||
[node name="RightTextureRect" type="TextureRect" parent="MarginContainer/HBoxContainer/RightTextureMargin"]
|
||||
unique_name_in_owner = true
|
||||
layout_mode = 2
|
||||
mouse_filter = 2
|
||||
metadata/_edit_lock_ = true
|
70
scripts/amy/assets/control_map.tscn
Normal file
70
scripts/amy/assets/control_map.tscn
Normal file
|
@ -0,0 +1,70 @@
|
|||
[gd_scene load_steps=4 format=3 uid="uid://dx0lanx6jaew"]
|
||||
|
||||
[ext_resource type="Script" path="res://scripts/amy/AmyControlMap.cs" id="1_dx4wx"]
|
||||
|
||||
[sub_resource type="StyleBoxLine" id="StyleBoxLine_mobtu"]
|
||||
color = Color(0.498039, 0.498039, 0.498039, 0.498039)
|
||||
|
||||
[sub_resource type="StyleBoxFlat" id="StyleBoxFlat_78f37"]
|
||||
bg_color = Color(0.121569, 0.121569, 0.121569, 0.74902)
|
||||
border_width_left = 2
|
||||
border_width_top = 2
|
||||
border_width_right = 2
|
||||
border_width_bottom = 2
|
||||
border_blend = true
|
||||
corner_radius_top_left = 5
|
||||
corner_radius_top_right = 5
|
||||
corner_radius_bottom_right = 5
|
||||
corner_radius_bottom_left = 5
|
||||
|
||||
[node name="ControlMap" type="MarginContainer"]
|
||||
anchors_preset = 10
|
||||
anchor_right = 1.0
|
||||
offset_bottom = 37.0
|
||||
grow_horizontal = 2
|
||||
script = ExtResource("1_dx4wx")
|
||||
metadata/_edit_lock_ = true
|
||||
|
||||
[node name="ColorRect" type="ColorRect" parent="."]
|
||||
layout_mode = 2
|
||||
color = Color(0.121569, 0.121569, 0.121569, 0.74902)
|
||||
metadata/_edit_lock_ = true
|
||||
|
||||
[node name="HSeparator" type="HSeparator" parent="."]
|
||||
layout_mode = 2
|
||||
theme_override_styles/separator = SubResource("StyleBoxLine_mobtu")
|
||||
metadata/_edit_lock_ = true
|
||||
|
||||
[node name="MarginContainer" type="MarginContainer" parent="."]
|
||||
layout_mode = 2
|
||||
theme_override_constants/margin_left = 5
|
||||
theme_override_constants/margin_top = 5
|
||||
theme_override_constants/margin_right = 5
|
||||
theme_override_constants/margin_bottom = 5
|
||||
metadata/_edit_lock_ = true
|
||||
|
||||
[node name="HBoxContainer" type="HBoxContainer" parent="MarginContainer"]
|
||||
layout_mode = 2
|
||||
alignment = 1
|
||||
metadata/_edit_lock_ = true
|
||||
|
||||
[node name="Label" type="Label" parent="MarginContainer/HBoxContainer"]
|
||||
layout_mode = 2
|
||||
size_flags_horizontal = 3
|
||||
size_flags_stretch_ratio = 3.0
|
||||
text = "Action"
|
||||
metadata/_edit_lock_ = true
|
||||
|
||||
[node name="Binding1" type="Button" parent="MarginContainer/HBoxContainer"]
|
||||
layout_mode = 2
|
||||
size_flags_horizontal = 3
|
||||
theme_override_styles/normal = SubResource("StyleBoxFlat_78f37")
|
||||
text = "-"
|
||||
metadata/_edit_lock_ = true
|
||||
|
||||
[node name="Binding2" type="Button" parent="MarginContainer/HBoxContainer"]
|
||||
layout_mode = 2
|
||||
size_flags_horizontal = 3
|
||||
theme_override_styles/normal = SubResource("StyleBoxFlat_78f37")
|
||||
text = "-"
|
||||
metadata/_edit_lock_ = true
|
BIN
scripts/amy/assets/music_32x32.png
Normal file
BIN
scripts/amy/assets/music_32x32.png
Normal file
Binary file not shown.
After Width: | Height: | Size: 287 B |
34
scripts/amy/assets/music_32x32.png.import
Normal file
34
scripts/amy/assets/music_32x32.png.import
Normal file
|
@ -0,0 +1,34 @@
|
|||
[remap]
|
||||
|
||||
importer="texture"
|
||||
type="CompressedTexture2D"
|
||||
uid="uid://bins8kaudnbk3"
|
||||
path="res://.godot/imported/music_32x32.png-188e7888ec76508c41346fb7736776b6.ctex"
|
||||
metadata={
|
||||
"vram_texture": false
|
||||
}
|
||||
|
||||
[deps]
|
||||
|
||||
source_file="res://scripts/amy/assets/music_32x32.png"
|
||||
dest_files=["res://.godot/imported/music_32x32.png-188e7888ec76508c41346fb7736776b6.ctex"]
|
||||
|
||||
[params]
|
||||
|
||||
compress/mode=0
|
||||
compress/high_quality=false
|
||||
compress/lossy_quality=0.7
|
||||
compress/hdr_compression=1
|
||||
compress/normal_map=0
|
||||
compress/channel_pack=0
|
||||
mipmaps/generate=false
|
||||
mipmaps/limit=-1
|
||||
roughness/mode=0
|
||||
roughness/src_normal=""
|
||||
process/fix_alpha_border=true
|
||||
process/premult_alpha=false
|
||||
process/normal_map_invert_y=false
|
||||
process/hdr_as_srgb=false
|
||||
process/hdr_clamp_exposure=false
|
||||
process/size_limit=0
|
||||
detect_3d/compress_to=1
|
BIN
scripts/amy/assets/music_34x34.png
Normal file
BIN
scripts/amy/assets/music_34x34.png
Normal file
Binary file not shown.
After Width: | Height: | Size: 292 B |
34
scripts/amy/assets/music_34x34.png.import
Normal file
34
scripts/amy/assets/music_34x34.png.import
Normal file
|
@ -0,0 +1,34 @@
|
|||
[remap]
|
||||
|
||||
importer="texture"
|
||||
type="CompressedTexture2D"
|
||||
uid="uid://dl5b8103jjc1y"
|
||||
path="res://.godot/imported/music_34x34.png-f19a44b6bc8b8acb03b51d1719258daf.ctex"
|
||||
metadata={
|
||||
"vram_texture": false
|
||||
}
|
||||
|
||||
[deps]
|
||||
|
||||
source_file="res://scripts/amy/assets/music_34x34.png"
|
||||
dest_files=["res://.godot/imported/music_34x34.png-f19a44b6bc8b8acb03b51d1719258daf.ctex"]
|
||||
|
||||
[params]
|
||||
|
||||
compress/mode=0
|
||||
compress/high_quality=false
|
||||
compress/lossy_quality=0.7
|
||||
compress/hdr_compression=1
|
||||
compress/normal_map=0
|
||||
compress/channel_pack=0
|
||||
mipmaps/generate=false
|
||||
mipmaps/limit=-1
|
||||
roughness/mode=0
|
||||
roughness/src_normal=""
|
||||
process/fix_alpha_border=true
|
||||
process/premult_alpha=false
|
||||
process/normal_map_invert_y=false
|
||||
process/hdr_as_srgb=false
|
||||
process/hdr_clamp_exposure=false
|
||||
process/size_limit=0
|
||||
detect_3d/compress_to=1
|
BIN
scripts/amy/assets/toast_label.stylebox
Normal file
BIN
scripts/amy/assets/toast_label.stylebox
Normal file
Binary file not shown.
25
scripts/amy/assets/toast_label.tscn
Normal file
25
scripts/amy/assets/toast_label.tscn
Normal file
|
@ -0,0 +1,25 @@
|
|||
[gd_scene load_steps=4 format=3 uid="uid://d2bnk64l2virf"]
|
||||
|
||||
[ext_resource type="StyleBox" uid="uid://cr6bhsww3kgcs" path="res://scripts/amy/assets/toast_label.stylebox" id="1_o1hkp"]
|
||||
[ext_resource type="LabelSettings" uid="uid://c1h3v4d1qsbvi" path="res://scripts/amy/toast_label_settings.tres" id="2_whqjd"]
|
||||
[ext_resource type="Script" path="res://scripts/amy/AmyToastSimple.cs" id="3_5djg0"]
|
||||
|
||||
[node name="Label" type="Label"]
|
||||
anchors_preset = 8
|
||||
anchor_left = 0.5
|
||||
anchor_top = 0.5
|
||||
anchor_right = 0.5
|
||||
anchor_bottom = 0.5
|
||||
offset_left = -55.0
|
||||
offset_top = -13.0
|
||||
offset_right = 56.0
|
||||
offset_bottom = 13.0
|
||||
grow_horizontal = 2
|
||||
grow_vertical = 2
|
||||
theme_override_font_sizes/font_size = 18
|
||||
theme_override_styles/normal = ExtResource("1_o1hkp")
|
||||
text = "Toast Message"
|
||||
label_settings = ExtResource("2_whqjd")
|
||||
horizontal_alignment = 1
|
||||
vertical_alignment = 1
|
||||
script = ExtResource("3_5djg0")
|
8
scripts/amy/assets/toast_label_settings.tres
Normal file
8
scripts/amy/assets/toast_label_settings.tres
Normal file
|
@ -0,0 +1,8 @@
|
|||
[gd_resource type="LabelSettings" format=3 uid="uid://c1h3v4d1qsbvi"]
|
||||
|
||||
[resource]
|
||||
resource_local_to_scene = true
|
||||
line_spacing = 0.0
|
||||
font_size = 18
|
||||
font_color = Color(0.94902, 0.94902, 0.94902, 1)
|
||||
shadow_size = 0
|
Loading…
Reference in a new issue