mirror of
https://github.com/rmroc451/TweaksAndThings.git
synced 2025-12-17 01:39:38 -06:00
Compare commits
17 Commits
v0.1.2
...
15-add-loc
| Author | SHA1 | Date | |
|---|---|---|---|
| 8a228be5a8 | |||
| 2ed33465d9 | |||
| 67d39801de | |||
| 8dc87f312d | |||
| 9cb788d86a | |||
| 2e47536028 | |||
| b6edc93636 | |||
| 6693a762c9 | |||
| fc43d54815 | |||
| 0adcbfa787 | |||
| 715629394d | |||
| 1ea3d9917d | |||
| d780b075dc | |||
| d0e2c3f99e | |||
| 8ae319fbee | |||
| 90d4262890 | |||
| a74c004fd4 |
1
.gitignore
vendored
1
.gitignore
vendored
@@ -396,4 +396,3 @@ FodyWeavers.xsd
|
||||
|
||||
# JetBrains Rider
|
||||
*.sln.iml
|
||||
/TweaksAndThings/Commands/EchoCommand.cs
|
||||
|
||||
@@ -12,7 +12,7 @@
|
||||
<PropertyGroup Condition="'$(AssemblyVersion)' == '' OR '$(MajorVersion)' != '' OR '$(MinorVersion)' != ''">
|
||||
<MajorVersion Condition="'$(MajorVersion)' == ''">0</MajorVersion>
|
||||
<MinorVersion Condition="'$(MinorVersion)' == ''">1</MinorVersion>
|
||||
<PatchVersion Condition="'$(PatchVersion)' == ''">2</PatchVersion>
|
||||
<PatchVersion Condition="'$(PatchVersion)' == ''">6</PatchVersion>
|
||||
<AssemblyVersion>$(MajorVersion).$(MinorVersion).$(PatchVersion)</AssemblyVersion>
|
||||
<FileVersion>$(AssemblyVersion)</FileVersion>
|
||||
<ProductVersion>$(AssemblyVersion)</ProductVersion>
|
||||
|
||||
@@ -20,7 +20,7 @@ This mod requires Railloader by Zamu.
|
||||
3. Run the game and enjoy all of the tweaks and things!
|
||||
|
||||
## Notes
|
||||
1. This mod currently supports Railroader verison 2024.4.4. This mod may break in future updates. I will do my best to continue to update this mod.
|
||||
1. This mod currently supports Railroader version 2024.4.4. This mod may break in future updates. I will do my best to continue to update this mod.
|
||||
2. It is possible that the developers of Railroader will implement their own fix for this issue. At such time this mod will be deprecated and no longer maintained.
|
||||
3. As the saying goes, use mods at your own risk.
|
||||
|
||||
@@ -35,7 +35,7 @@ This mod requires Railloader by Zamu.
|
||||
* **hold SHIFT** to only show the tags in the FOV for cars with an issue!
|
||||
3. Discord Webhooks
|
||||
* Allows the console messages to post to a discord webhook. useful for those wanting to keep an eye on 24/7 hosted saves.
|
||||
* Locomotive messages grab the locomotive `Ident.RoadNumber` and check the `CTC Panel Markers` if they exist. If found, they will use the red/green color and embed the locmotive as an image in the message. If no marker is found, it defaults to blue.
|
||||
* Locomotive messages grab the locomotive `Ident.RoadNumber` and check the `CTC Panel Markers` if they exist. If found, they will use the red/green color and embed the locomotive as an image in the message. If no marker is found, it defaults to blue.
|
||||
* Currently, One person per server should have this per discord webhook, otherwise you will get duplicate messages to the webhook.
|
||||
* **Multiple hooks**: Allows for many different webhooks per client to be setup, and filtered to the `Ident.ReportingMark` so you can get messages to different hooks based on what save/server you are playing on.
|
||||
* **Customizable** from the in-game Railloader settings, find `RMROC451.TweaksAndThings`
|
||||
|
||||
@@ -5,6 +5,7 @@ VisualStudioVersion = 17.4.33122.133
|
||||
MinimumVisualStudioVersion = 10.0.40219.1
|
||||
Project("{2150E333-8FDC-42A3-9474-1A3956D46DE8}") = "Solution Items", "Solution Items", "{452A23A6-81C8-49C6-A7EE-95FD9377F896}"
|
||||
ProjectSection(SolutionItems) = preProject
|
||||
.gitignore = .gitignore
|
||||
Directory.Build.props = Directory.Build.props
|
||||
Directory.Build.targets = Directory.Build.targets
|
||||
Paths.user = Paths.user
|
||||
|
||||
44
TweaksAndThings/Commands/CrewUpdateCommand.cs
Normal file
44
TweaksAndThings/Commands/CrewUpdateCommand.cs
Normal file
@@ -0,0 +1,44 @@
|
||||
using Game.State;
|
||||
using Helpers;
|
||||
using Model.OpsNew;
|
||||
using Network;
|
||||
using RMROC451.TweaksAndThings.Extensions;
|
||||
using System.Linq;
|
||||
using UI.Console;
|
||||
|
||||
namespace RMROC451.TweaksAndThings.Commands;
|
||||
|
||||
[ConsoleCommand("/cu", "generate a formatted message about a locomotive's status.")]
|
||||
public class EchoCommand : IConsoleCommand
|
||||
{
|
||||
public string Execute(string[] comps)
|
||||
{
|
||||
if (comps.Length < 4)
|
||||
{
|
||||
return "Usage: /cu <car>|. +|- <message>";
|
||||
}
|
||||
|
||||
string query = comps[1];
|
||||
Model.Car car = query == "." ? TrainController.Shared.SelectedLocomotive : TrainController.Shared.CarForString(query);
|
||||
|
||||
if (car.DetermineFuelCar() == null)
|
||||
{
|
||||
return "Car not found.";
|
||||
}
|
||||
string message = string.Join(" ", comps.Skip(3)).Truncate(512);
|
||||
|
||||
switch (comps[2])
|
||||
{
|
||||
case "+":
|
||||
break;
|
||||
case "-":
|
||||
break;
|
||||
default:
|
||||
return "+ to include area or - to leave it out";
|
||||
}
|
||||
|
||||
if (comps[2] == "+") message += $" {OpsController.Shared.ClosestArea(car)?.name ?? "???"}";
|
||||
Multiplayer.Broadcast($"{StateManager.Shared._playersManager.LocalPlayer} {Hyperlink.To(car)}: \"{message}\"");
|
||||
return string.Empty;
|
||||
}
|
||||
}
|
||||
@@ -7,7 +7,13 @@
|
||||
{
|
||||
"id": "railloader",
|
||||
"notBefore": "1.8.1"
|
||||
}
|
||||
},
|
||||
"Zamu.StrangeCustoms"
|
||||
],
|
||||
"assemblies": [ "RMROC451.TweaksAndThings" ]
|
||||
"assemblies": [ "RMROC451.TweaksAndThings" ],
|
||||
"mixintos": {
|
||||
"container:ne-caboose01": "file(mroc-cabeese.json)",
|
||||
"container:ne-caboose02": "file(mroc-cabeese.json)",
|
||||
"container:ne-caboose03": "file(mroc-cabeese.json)"
|
||||
}
|
||||
}
|
||||
9
TweaksAndThings/Enums/EngineRosterFuelDisplayColumn.cs
Normal file
9
TweaksAndThings/Enums/EngineRosterFuelDisplayColumn.cs
Normal file
@@ -0,0 +1,9 @@
|
||||
namespace RMROC451.TweaksAndThings.Enums;
|
||||
|
||||
public enum EngineRosterFuelDisplayColumn
|
||||
{
|
||||
None,
|
||||
Engine,
|
||||
Crew,
|
||||
Status
|
||||
}
|
||||
@@ -1,7 +1,8 @@
|
||||
namespace TweaksAndThings.Enums;
|
||||
namespace RMROC451.TweaksAndThings.Enums;
|
||||
|
||||
public enum MrocHelperType
|
||||
{
|
||||
Handbrake,
|
||||
GladhandAndAnglecock
|
||||
GladhandAndAnglecock,
|
||||
BleedAirSystem
|
||||
}
|
||||
|
||||
121
TweaksAndThings/Extensions/Car_Extensions.cs
Normal file
121
TweaksAndThings/Extensions/Car_Extensions.cs
Normal file
@@ -0,0 +1,121 @@
|
||||
using Helpers;
|
||||
using Model;
|
||||
using Model.Definition.Data;
|
||||
using Model.OpsNew;
|
||||
using Serilog;
|
||||
using System;
|
||||
using System.Collections.Generic;
|
||||
using System.Linq;
|
||||
using UnityEngine;
|
||||
|
||||
namespace RMROC451.TweaksAndThings.Extensions;
|
||||
|
||||
public static class Car_Extensions
|
||||
{
|
||||
public static bool EndAirSystemIssue(this Car car)
|
||||
{
|
||||
bool AEndAirSystemIssue = car[Car.LogicalEnd.A].IsCoupled && !car[Car.LogicalEnd.A].IsAirConnectedAndOpen;
|
||||
bool BEndAirSystemIssue = car[Car.LogicalEnd.B].IsCoupled && !car[Car.LogicalEnd.B].IsAirConnectedAndOpen;
|
||||
bool EndAirSystemIssue = AEndAirSystemIssue || BEndAirSystemIssue;
|
||||
return EndAirSystemIssue;
|
||||
}
|
||||
|
||||
public static bool HandbrakeApplied(this Model.Car car) =>
|
||||
car.air.handbrakeApplied;
|
||||
|
||||
public static bool CarOrEndGearIssue(this Model.Car car) =>
|
||||
car.EndAirSystemIssue() || car.HandbrakeApplied();
|
||||
|
||||
public static bool CarAndEndGearIssue(this Model.Car car) =>
|
||||
car.EndAirSystemIssue() && car.HandbrakeApplied();
|
||||
|
||||
public static Car? DetermineFuelCar(this Car engine, bool returnEngineIfNull = false)
|
||||
{
|
||||
if (engine == null) return null;
|
||||
Car? car;
|
||||
if (engine is SteamLocomotive steamLocomotive && new Func<Car>(steamLocomotive.FuelCar) != null)
|
||||
{
|
||||
car = steamLocomotive.FuelCar();
|
||||
}
|
||||
else
|
||||
{
|
||||
car = engine is DieselLocomotive ? engine : null;
|
||||
if (returnEngineIfNull && car == null) car = engine;
|
||||
}
|
||||
return car;
|
||||
}
|
||||
|
||||
public static bool NotMotivePower(this Car car) => car is not BaseLocomotive && car.Archetype != Model.Definition.CarArchetype.Tender;
|
||||
|
||||
/// <summary>
|
||||
/// For every car in the consist, cost 1 minute of AI Engineer time.
|
||||
/// </summary>
|
||||
/// <param name="consist"></param>
|
||||
public static int CalculateCostForAutoEngineerEndGearSetting(this IEnumerable<Car> consist) =>
|
||||
consist.Count() * 60;
|
||||
|
||||
public static bool IsCaboose(this Car car) => car.Archetype == Model.Definition.CarArchetype.Caboose;
|
||||
|
||||
public static bool CabooseInConsist(this IEnumerable<Car> input) => input.FirstOrDefault(c => c.IsCaboose());
|
||||
|
||||
public static Car? CabooseWithSufficientCrewHours(this Car car, float timeNeeded, HashSet<string> carIdsCheckedAlready, bool decrement = false)
|
||||
{
|
||||
Car? output = null;
|
||||
if (carIdsCheckedAlready.Contains(car.id) || !car.IsCaboose()) return null;
|
||||
|
||||
List<LoadSlot> loadSlots = car.Definition.LoadSlots;
|
||||
for (int i = 0; i < loadSlots.Count; i++)
|
||||
{
|
||||
CarLoadInfo? loadInfo = car.GetLoadInfo(i);
|
||||
if (loadInfo.HasValue)
|
||||
{
|
||||
CarLoadInfo valueOrDefault = loadInfo.GetValueOrDefault();
|
||||
output = valueOrDefault.Quantity >= timeNeeded ? car : null;
|
||||
if (decrement && output != null) output.SetLoadInfo(i, valueOrDefault with { Quantity = valueOrDefault.Quantity - timeNeeded });
|
||||
break;
|
||||
}
|
||||
}
|
||||
return output;
|
||||
}
|
||||
|
||||
public static Car? HuntingForCabeeseNearCar(this Car car, float timeNeeded, TrainController tc, HashSet<string> carIdsCheckedAlready, bool decrement = false)
|
||||
{
|
||||
List<(string carId, float distance)> source =
|
||||
CarsNearCurrentCar(car, timeNeeded, tc, carIdsCheckedAlready, decrement);
|
||||
|
||||
Car output = FindNearestCabooseFromNearbyCars(tc, source);
|
||||
if (output != null) output.CabooseWithSufficientCrewHours(timeNeeded, carIdsCheckedAlready, decrement);
|
||||
|
||||
return output;
|
||||
}
|
||||
|
||||
private static Car FindNearestCabooseFromNearbyCars(TrainController tc, List<(string carId, float distance)> source) =>
|
||||
(
|
||||
from t in source
|
||||
where t.distance < 21f //todo: add setting slider for catchment
|
||||
orderby t.distance ascending
|
||||
select tc.CarForId(t.carId)
|
||||
).FirstOrDefault();
|
||||
|
||||
private static List<(string carId, float distance)> CarsNearCurrentCar(Car car, float timeNeeded, TrainController tc, HashSet<string> carIdsCheckedAlready, bool decrement)
|
||||
{
|
||||
Vector3 position = car.GetMotionSnapshot().Position;
|
||||
Vector3 center = WorldTransformer.WorldToGame(position);
|
||||
Rect rect = new Rect(new Vector2(center.x - 30f, center.z - 30f), Vector2.one * 30f * 2f);
|
||||
var cars = tc.CarIdsInRect(rect);
|
||||
Log.Information($"{nameof(HuntingForCabeeseNearCar)} => {cars.Count()}");
|
||||
List<(string carId, float distance)> source =
|
||||
cars
|
||||
.Select(carId =>
|
||||
{
|
||||
Car car = tc.CarForId(carId);
|
||||
if (car == null || !car.CabooseWithSufficientCrewHours(timeNeeded, carIdsCheckedAlready))
|
||||
{
|
||||
return (carId: carId, distance: 1000f);
|
||||
}
|
||||
Vector3 a = WorldTransformer.WorldToGame(car.GetMotionSnapshot().Position);
|
||||
return (carId: carId, distance: Vector3.Distance(a, center));
|
||||
}).ToList();
|
||||
return source;
|
||||
}
|
||||
}
|
||||
28
TweaksAndThings/Extensions/Load_Extensions.cs
Normal file
28
TweaksAndThings/Extensions/Load_Extensions.cs
Normal file
@@ -0,0 +1,28 @@
|
||||
using Core;
|
||||
using System;
|
||||
|
||||
namespace RMROC451.TweaksAndThings.Extensions;
|
||||
|
||||
public static class Load_Extensions
|
||||
{
|
||||
//https://learn.microsoft.com/en-us/dotnet/standard/base-types/custom-numeric-format-strings?redirectedfrom=MSDN#the--section-separator
|
||||
//https://dotnetfiddle.net/iHVevM
|
||||
public static string FormatCrewHours(this float quantity, string description)
|
||||
{
|
||||
var ts = TimeSpan.FromHours(quantity);
|
||||
float minutes = ts.Minutes - (ts.Minutes % 15);
|
||||
|
||||
string output = string.Format("{0:;;No}{1:##}{2:\\.##;\\.##;.} {3} {4}",
|
||||
ts.Hours + minutes,
|
||||
ts.Hours, (minutes / 60.0f) * 100,
|
||||
description,
|
||||
"Hour".Pluralize(quantity == 1 ? 1 : 0)
|
||||
).Trim();
|
||||
|
||||
if (ts.Hours < 1)
|
||||
{
|
||||
output = string.Format("{0} {1} Minutes", ts.Minutes, description).Trim();
|
||||
}
|
||||
return output;
|
||||
}
|
||||
}
|
||||
@@ -2,22 +2,27 @@
|
||||
using Game.State;
|
||||
using HarmonyLib;
|
||||
using KeyValue.Runtime;
|
||||
using Model;
|
||||
using Model.OpsNew;
|
||||
using Network;
|
||||
using Railloader;
|
||||
using RMROC451.TweaksAndThings.Enums;
|
||||
using RMROC451.TweaksAndThings.Extensions;
|
||||
using Serilog;
|
||||
using System;
|
||||
using System.Collections.Generic;
|
||||
using System.Linq;
|
||||
using TweaksAndThings.Enums;
|
||||
using UI.Builder;
|
||||
using UI.CarInspector;
|
||||
using UI.Tags;
|
||||
using static Model.Car;
|
||||
|
||||
namespace TweaksAndThings.Patches;
|
||||
namespace RMROC451.TweaksAndThings.Patches;
|
||||
|
||||
[HarmonyPatch(typeof(CarInspector))]
|
||||
[HarmonyPatch(nameof(CarInspector.PopulateCarPanel), typeof(UIPanelBuilder))]
|
||||
[HarmonyPatchCategory("RMROC451TweaksAndThings")]
|
||||
public class CarInspector_PopulateCarPanel_Patch
|
||||
internal class CarInspector_PopulateCarPanel_Patch
|
||||
{
|
||||
private static IEnumerable<LogicalEnd> ends = Enum.GetValues(typeof(LogicalEnd)).Cast<LogicalEnd>();
|
||||
|
||||
@@ -30,8 +35,9 @@ public class CarInspector_PopulateCarPanel_Patch
|
||||
private static bool Prefix(CarInspector __instance, UIPanelBuilder builder)
|
||||
{
|
||||
|
||||
TweaksAndThings tweaksAndThings = SingletonPluginBase<TweaksAndThings>.Shared;
|
||||
TweaksAndThingsPlugin tweaksAndThings = SingletonPluginBase<TweaksAndThingsPlugin>.Shared;
|
||||
if (!tweaksAndThings.IsEnabled) return true;
|
||||
bool buttonsHaveCost = tweaksAndThings?.settings?.EndGearHelpersRequirePayment ?? false;
|
||||
|
||||
var consist = __instance._car.EnumerateCoupled(LogicalEnd.A);
|
||||
builder = AddCarConsistRebuildObservers(builder, consist);
|
||||
@@ -39,20 +45,23 @@ public class CarInspector_PopulateCarPanel_Patch
|
||||
builder.HStack(delegate (UIPanelBuilder hstack)
|
||||
{
|
||||
var buttonName = $"{(consist.Any(c => c.HandbrakeApplied()) ? "Release " : "Set ")} {TextSprites.HandbrakeWheel}";
|
||||
hstack.AddButtonCompact(buttonName, delegate
|
||||
{
|
||||
MrocConsistHelper(__instance._car, MrocHelperType.Handbrake);
|
||||
hstack.AddButtonCompact(buttonName, delegate {
|
||||
MrocConsistHelper(__instance._car, MrocHelperType.Handbrake, buttonsHaveCost);
|
||||
hstack.Rebuild();
|
||||
}).Tooltip(buttonName, $"Iterates over cars in this consist and {(consist.Any(c => c.HandbrakeApplied()) ? "releases" : "sets")} {TextSprites.HandbrakeWheel}.");
|
||||
|
||||
if (consist.Any(c => c.EndAirSystemIssue()))
|
||||
{
|
||||
hstack.AddButtonCompact("Connect Air Lines", delegate
|
||||
{
|
||||
MrocConsistHelper(__instance._car, MrocHelperType.GladhandAndAnglecock);
|
||||
hstack.AddButtonCompact("Connect Air", delegate {
|
||||
MrocConsistHelper(__instance._car, MrocHelperType.GladhandAndAnglecock, buttonsHaveCost);
|
||||
hstack.Rebuild();
|
||||
}).Tooltip("Connect Consist Air Lines", "Iterates over each car in this consist and connects gladhands and opens anglecocks.");
|
||||
}).Tooltip("Connect Consist Air", "Iterates over each car in this consist and connects gladhands and opens anglecocks.");
|
||||
}
|
||||
|
||||
hstack.AddButtonCompact("Bleed Consist", delegate {
|
||||
MrocConsistHelper(__instance._car, MrocHelperType.BleedAirSystem, buttonsHaveCost);
|
||||
hstack.Rebuild();
|
||||
}).Tooltip("Bleed Air Lines", "Iterates over each car in this consist and bleeds the air out of the lines.");
|
||||
});
|
||||
|
||||
return true;
|
||||
@@ -60,28 +69,37 @@ public class CarInspector_PopulateCarPanel_Patch
|
||||
|
||||
private static UIPanelBuilder AddCarConsistRebuildObservers(UIPanelBuilder builder, IEnumerable<Model.Car> consist)
|
||||
{
|
||||
TagController tagController = UnityEngine.Object.FindFirstObjectByType<TagController>();
|
||||
foreach (Model.Car car in consist)
|
||||
{
|
||||
builder = AddObserver(builder, car, PropertyChange.KeyForControl(PropertyChange.Control.Handbrake));
|
||||
builder = AddObserver(builder, car, PropertyChange.KeyForControl(PropertyChange.Control.Handbrake), tagController);
|
||||
foreach (LogicalEnd logicalEnd in ends)
|
||||
{
|
||||
builder = AddObserver(builder, car, KeyValueKeyFor(EndGearStateKey.IsCoupled, car.LogicalToEnd(logicalEnd)));
|
||||
builder = AddObserver(builder, car, KeyValueKeyFor(EndGearStateKey.IsAirConnected, car.LogicalToEnd(logicalEnd)));
|
||||
builder = AddObserver(builder, car, KeyValueKeyFor(EndGearStateKey.Anglecock, car.LogicalToEnd(logicalEnd)));
|
||||
builder = AddObserver(builder, car, KeyValueKeyFor(EndGearStateKey.IsCoupled, car.LogicalToEnd(logicalEnd)), tagController);
|
||||
builder = AddObserver(builder, car, KeyValueKeyFor(EndGearStateKey.IsAirConnected, car.LogicalToEnd(logicalEnd)), tagController);
|
||||
builder = AddObserver(builder, car, KeyValueKeyFor(EndGearStateKey.Anglecock, car.LogicalToEnd(logicalEnd)), tagController);
|
||||
}
|
||||
}
|
||||
|
||||
return builder;
|
||||
}
|
||||
|
||||
private static UIPanelBuilder AddObserver(UIPanelBuilder builder, Model.Car car, string key)
|
||||
private static UIPanelBuilder AddObserver(UIPanelBuilder builder, Model.Car car, string key, TagController tagController)
|
||||
{
|
||||
builder.AddObserver(
|
||||
car.KeyValueObject.Observe(
|
||||
key,
|
||||
delegate (Value value)
|
||||
{
|
||||
try
|
||||
{
|
||||
tagController.UpdateTag(car, car.TagCallout, OpsController.Shared);
|
||||
builder.Rebuild();
|
||||
}
|
||||
catch(Exception ex)
|
||||
{
|
||||
Log.Warning(ex, $"{nameof(AddObserver)} {car} Exception logged for {key}");
|
||||
}
|
||||
},
|
||||
false
|
||||
)
|
||||
@@ -90,20 +108,36 @@ public class CarInspector_PopulateCarPanel_Patch
|
||||
return builder;
|
||||
}
|
||||
|
||||
public static void MrocConsistHelper(Model.Car car, MrocHelperType mrocHelperType)
|
||||
{
|
||||
IEnumerable<Model.Car> consist = car.EnumerateCoupled(LogicalEnd.A);
|
||||
//var dh = new DownloadHandlerAudioClip($"file://{cacheFileName}", AudioType.MPEG);
|
||||
//dh.compressed = true; // This
|
||||
|
||||
//using (UnityWebRequest wr = new UnityWebRequest($"file://{cacheFileName}", "GET", dh, null)) {
|
||||
// yield return wr.SendWebRequest();
|
||||
// if (wr.responseCode == 200) {
|
||||
// audioSource.clip = dh.audioClip;
|
||||
// }
|
||||
//}
|
||||
|
||||
public static void MrocConsistHelper(Model.Car car, MrocHelperType mrocHelperType, bool buttonsHaveCost)
|
||||
{
|
||||
TrainController tc = UnityEngine.Object.FindObjectOfType<TrainController>();
|
||||
IEnumerable<Model.Car> consist = car.EnumerateCoupled(LogicalEnd.A);
|
||||
//Log.Information($"{car} => {mrocHelperType} => {string.Join("/", consist.Select(c => c.ToString()))}");
|
||||
|
||||
CalculateCostIfEnabled(car, mrocHelperType, buttonsHaveCost, consist);
|
||||
|
||||
Log.Information($"{car} => {mrocHelperType} => {string.Join("/", consist.Select(c => c.ToString()))}");
|
||||
switch (mrocHelperType)
|
||||
{
|
||||
case MrocHelperType.Handbrake:
|
||||
if (consist.Any(c => c.HandbrakeApplied()))
|
||||
{
|
||||
consist.Do(c => c.SetHandbrake(false));
|
||||
} else
|
||||
}
|
||||
else
|
||||
{
|
||||
TrainController tc = UnityEngine.Object.FindObjectOfType<TrainController>();
|
||||
consist = consist.Where(c => c is not BaseLocomotive && c.Archetype != Model.Definition.CarArchetype.Tender);
|
||||
Log.Information($"{car} => {mrocHelperType} => {string.Join("/", consist.Select(c => c.ToString()))}");
|
||||
//when ApplyHandbrakesAsNeeded is called, and the consist contains an engine, it stops applying brakes.
|
||||
tc.ApplyHandbrakesAsNeeded(consist.ToList(), PlaceTrainHandbrakes.Automatic);
|
||||
}
|
||||
break;
|
||||
@@ -122,14 +156,66 @@ public class CarInspector_PopulateCarPanel_Patch
|
||||
)
|
||||
);
|
||||
|
||||
if (c.TryGetAdjacentCar(end, out Model.Car c2))
|
||||
{
|
||||
StateManager.ApplyLocal(new SetGladhandsConnected(c.id, c2.id, true));
|
||||
}
|
||||
|
||||
if (c.TryGetAdjacentCar(end, out Model.Car c2)) StateManager.ApplyLocal(new SetGladhandsConnected(c.id, c2.id, true));
|
||||
})
|
||||
);
|
||||
break;
|
||||
|
||||
case MrocHelperType.BleedAirSystem:
|
||||
consist = consist.Where(c => c.NotMotivePower());
|
||||
Log.Information($"{car} => {mrocHelperType} => {string.Join("/", consist.Select(c => c.ToString()))}");
|
||||
foreach (Model.Car bleed in consist)
|
||||
{
|
||||
StateManager.ApplyLocal(new PropertyChange(bleed.id, PropertyChange.Control.Bleed, 1));
|
||||
}
|
||||
break;
|
||||
}
|
||||
}
|
||||
|
||||
private static void CalculateCostIfEnabled(Car car, MrocHelperType mrocHelperType, bool buttonsHaveCost, IEnumerable<Car> consist)
|
||||
{
|
||||
if (buttonsHaveCost)
|
||||
{
|
||||
float originalTimeCost = consist.CalculateCostForAutoEngineerEndGearSetting();
|
||||
float timeCost = originalTimeCost;
|
||||
float crewCost = timeCost / 3600; //hours of time deducted from caboose.
|
||||
var tsString = crewCost.FormatCrewHours(IndustryComponent_Service_Patch.CrewHoursLoad().description);
|
||||
Car? cabooseWithAvailCrew = NearbyCabooseWithAvailableCrew(car, crewCost, buttonsHaveCost);
|
||||
if (cabooseWithAvailCrew == null) timeCost *= 1.5f;
|
||||
var cabooseFoundDisplay = cabooseWithAvailCrew?.DisplayName ?? "No caboose";
|
||||
|
||||
Log.Information($"{nameof(MrocConsistHelper)} {mrocHelperType} : [VACINITY CABEESE FOUND:{cabooseWithAvailCrew?.ToString() ?? "NONE"}] => Consist Length {consist.Count()} => costs {timeCost / 60} minutes of AI Engineer time, $5 per hour = ~${Math.Ceiling((decimal)(timeCost / 3600) * 5)} (*2 if no caboose nearby)");
|
||||
|
||||
|
||||
Multiplayer.SendError(StateManager.Shared._playersManager.LocalPlayer, $"{(cabooseWithAvailCrew != null ? $"{cabooseWithAvailCrew.DisplayName} Hours Adjusted: ({tsString})\n" : string.Empty)}Wages: ~(${Math.Ceiling((decimal)(timeCost / 3600) * 5)})");
|
||||
|
||||
if (buttonsHaveCost) StateManager_OnDayDidChange_Patch.UnbilledAutoBrakeCrewRunDuration += timeCost;
|
||||
}
|
||||
}
|
||||
|
||||
public static Car? NearbyCabooseWithAvailableCrew(Car car, float timeNeeded, bool decrement = false)
|
||||
{
|
||||
HashSet<string> carIdsCheckedAlready = new();
|
||||
|
||||
//check current car.
|
||||
Car? output = car.CabooseWithSufficientCrewHours(timeNeeded, carIdsCheckedAlready, decrement);
|
||||
if (output != null) return output; //short out if we are good
|
||||
carIdsCheckedAlready.Add(car.id);
|
||||
|
||||
//check consist, for cabeese
|
||||
IEnumerable<Car> consist = car.EnumerateCoupled(LogicalEnd.A);
|
||||
output = consist.FirstOrDefault(c => c.CabooseWithSufficientCrewHours(timeNeeded, carIdsCheckedAlready, decrement));
|
||||
if (output != null) return output; //short out if we are good
|
||||
carIdsCheckedAlready.UnionWith(consist.Select(c => c.id));
|
||||
|
||||
//then check near consist cars for cabeese
|
||||
TrainController tc = UnityEngine.Object.FindObjectOfType<TrainController>();
|
||||
foreach (var c in consist)
|
||||
{
|
||||
output = c.HuntingForCabeeseNearCar(timeNeeded, tc, carIdsCheckedAlready, decrement);
|
||||
if (output != null) return output; //short out if we are good
|
||||
}
|
||||
|
||||
return output;
|
||||
}
|
||||
}
|
||||
|
||||
100
TweaksAndThings/Patches/EngineRosterRow_Refresh_Patch.cs
Normal file
100
TweaksAndThings/Patches/EngineRosterRow_Refresh_Patch.cs
Normal file
@@ -0,0 +1,100 @@
|
||||
using HarmonyLib;
|
||||
using Model;
|
||||
using Model.Definition.Data;
|
||||
using Model.OpsNew;
|
||||
using Railloader;
|
||||
using RMROC451.TweaksAndThings.Extensions;
|
||||
using Serilog;
|
||||
using System;
|
||||
using System.Collections.Generic;
|
||||
using System.Linq;
|
||||
using TMPro;
|
||||
using RMROC451.TweaksAndThings.Enums;
|
||||
using UI;
|
||||
using UI.EngineRoster;
|
||||
using UI.Tooltips;
|
||||
using UnityEngine;
|
||||
|
||||
|
||||
namespace RMROC451.TweaksAndThings.Patches;
|
||||
|
||||
[HarmonyPatch(typeof(EngineRosterRow))]
|
||||
[HarmonyPatch(nameof(EngineRosterRow.Refresh))]
|
||||
[HarmonyPatchCategory("RMROC451TweaksAndThings")]
|
||||
internal class EngineRosterRow_Refresh_Patch
|
||||
{
|
||||
public static void Postfix(EngineRosterRow __instance)
|
||||
{
|
||||
TweaksAndThingsPlugin? tweaksAndThings = SingletonPluginBase<TweaksAndThingsPlugin>.Shared;
|
||||
RosterFuelColumnSettings? rosterFuelColumnSettings = tweaksAndThings?.settings?.EngineRosterFuelColumnSettings;
|
||||
|
||||
if (tweaksAndThings == null ||
|
||||
rosterFuelColumnSettings == null ||
|
||||
!tweaksAndThings.IsEnabled ||
|
||||
rosterFuelColumnSettings.EngineRosterFuelStatusColumn == EngineRosterFuelDisplayColumn.None || (!GameInput.IsAltDown && !rosterFuelColumnSettings.EngineRosterShowsFuelStatusAlways))
|
||||
{
|
||||
return;
|
||||
}
|
||||
|
||||
try
|
||||
{
|
||||
string fuelInfoText = string.Empty;
|
||||
string fuelInfoTooltip = string.Empty;
|
||||
Car engineOrTender = __instance._engine;
|
||||
List<LoadSlot> loadSlots = __instance._engine.Definition.LoadSlots;
|
||||
if (!loadSlots.Any())
|
||||
{
|
||||
engineOrTender = __instance._engine.DetermineFuelCar()!;
|
||||
loadSlots = engineOrTender != null ? engineOrTender.Definition.LoadSlots : Enumerable.Empty<LoadSlot>().ToList();
|
||||
}
|
||||
|
||||
var offender = loadSlots.OrderBy(ls => (engineOrTender.GetLoadInfo(ls.RequiredLoadIdentifier, out int slotIndex)?.Quantity ?? 0) / loadSlots[slotIndex].MaximumCapacity).FirstOrDefault().RequiredLoadIdentifier;
|
||||
|
||||
for (int i = 0; i < loadSlots.Count; i++)
|
||||
{
|
||||
CarLoadInfo? loadInfo = engineOrTender.GetLoadInfo(i);
|
||||
if (loadInfo.HasValue)
|
||||
{
|
||||
CarLoadInfo valueOrDefault = loadInfo.GetValueOrDefault();
|
||||
var fuelLevel = FuelLevel(valueOrDefault.Quantity, loadSlots[i].MaximumCapacity);
|
||||
fuelInfoText += loadSlots[i].RequiredLoadIdentifier == offender ? fuelLevel + " " : string.Empty;
|
||||
//fuelInfoText += TextSprites.PiePercent(valueOrDefault.Quantity, loadSlots[i].MaximumCapacity) + " ";
|
||||
fuelInfoTooltip += $"{TextSprites.PiePercent(valueOrDefault.Quantity, loadSlots[i].MaximumCapacity)} {valueOrDefault.LoadString(CarPrototypeLibrary.instance.LoadForId(valueOrDefault.LoadId))}\n";
|
||||
}
|
||||
}
|
||||
|
||||
switch (rosterFuelColumnSettings.EngineRosterFuelStatusColumn)
|
||||
{
|
||||
case EngineRosterFuelDisplayColumn.Engine:
|
||||
SetLabelAndTooltip(ref __instance.nameLabel, ref __instance.nameTooltip, fuelInfoText, fuelInfoTooltip);
|
||||
break;
|
||||
case EngineRosterFuelDisplayColumn.Crew:
|
||||
SetLabelAndTooltip(ref __instance.crewLabel, ref __instance.crewTooltip, fuelInfoText, fuelInfoTooltip);
|
||||
break;
|
||||
case EngineRosterFuelDisplayColumn.Status:
|
||||
SetLabelAndTooltip(ref __instance.infoLabel, ref __instance.infoTooltip, fuelInfoText, fuelInfoTooltip);
|
||||
break;
|
||||
default:
|
||||
break;
|
||||
}
|
||||
|
||||
} catch (Exception ex)
|
||||
{
|
||||
rosterFuelColumnSettings.EngineRosterFuelStatusColumn = EngineRosterFuelDisplayColumn.None;
|
||||
Log.Error(ex, "Error Detecting fuel status for engine roster");
|
||||
}
|
||||
}
|
||||
|
||||
private static void SetLabelAndTooltip(ref TMP_Text label, ref UITooltipProvider tooltip, string fuelInfoText, string fuelInfoTooltip)
|
||||
{
|
||||
label.text = $" {fuelInfoText} {label.text}";
|
||||
tooltip.TooltipInfo = new TooltipInfo(tooltip.tooltipTitle, fuelInfoTooltip);
|
||||
}
|
||||
|
||||
public static string FuelLevel(float quantity, float capacity)
|
||||
{
|
||||
float num = capacity <= 0f ? 0 : Mathf.Clamp(quantity / capacity * 100, 0, 100);
|
||||
|
||||
return $"{Mathf.FloorToInt(num):D2}%";
|
||||
}
|
||||
}
|
||||
@@ -14,12 +14,12 @@ using System.Text.RegularExpressions;
|
||||
using Track.Signals.Panel;
|
||||
using UI.Console;
|
||||
|
||||
namespace TweaksAndThings.Patches;
|
||||
namespace RMROC451.TweaksAndThings.Patches;
|
||||
|
||||
[HarmonyPatch(typeof(ExpandedConsole))]
|
||||
[HarmonyPatch(nameof(ExpandedConsole.Add))]
|
||||
[HarmonyPatchCategory("RMROC451TweaksAndThings")]
|
||||
public class ExpandedConsole_Add_Patch
|
||||
internal class ExpandedConsole_Add_Patch
|
||||
{
|
||||
private static void Prefix(ref UI.Console.Console.Entry entry)
|
||||
{
|
||||
@@ -32,12 +32,10 @@ public class ExpandedConsole_Add_Patch
|
||||
{
|
||||
try
|
||||
{
|
||||
TweaksAndThings tweaksAndThings = SingletonPluginBase<TweaksAndThings>.Shared;
|
||||
TweaksAndThingsPlugin tweaksAndThings = SingletonPluginBase<TweaksAndThingsPlugin>.Shared;
|
||||
StateManager shared = StateManager.Shared;
|
||||
GameStorage gameStorage = shared.Storage;
|
||||
WebhookSettings settings = tweaksAndThings.settings.WebhookSettingsList.FirstOrDefault(ws => ws.RailroadMark == gameStorage.RailroadMark);
|
||||
|
||||
Log.Information(entry.Text);
|
||||
WebhookSettings settings = tweaksAndThings?.settings?.WebhookSettingsList?.FirstOrDefault(ws => ws.RailroadMark == gameStorage.RailroadMark);
|
||||
|
||||
if (
|
||||
settings != null &&
|
||||
@@ -50,7 +48,6 @@ public class ExpandedConsole_Add_Patch
|
||||
|
||||
var carId = t.IsMatch(entry.Text) ? Regex.Match(entry.Text, "car:(.*?)\"").Groups[1].Captures[0].ToString() : string.Empty;
|
||||
Model.Car? car = TrainController.Shared.CarForString(carId);
|
||||
Log.Information($"|{carId}| {car?.IsLocomotive}");
|
||||
bool engineInMessage = car?.IsLocomotive ?? false;
|
||||
var image = engineInMessage ?
|
||||
new
|
||||
@@ -91,7 +88,6 @@ public class ExpandedConsole_Add_Patch
|
||||
}
|
||||
};
|
||||
string EndPoint = settings.WebhookUrl;
|
||||
Log.Information(JsonConvert.SerializeObject(SuccessWebHook));
|
||||
|
||||
var content = new StringContent(JsonConvert.SerializeObject(SuccessWebHook), Encoding.UTF8, "application/json");
|
||||
|
||||
|
||||
139
TweaksAndThings/Patches/IndustryComponent_Service_Patch.cs
Normal file
139
TweaksAndThings/Patches/IndustryComponent_Service_Patch.cs
Normal file
@@ -0,0 +1,139 @@
|
||||
using Game.State;
|
||||
using HarmonyLib;
|
||||
using Model;
|
||||
using Model.Definition.Data;
|
||||
using Model.Ops.Definition;
|
||||
using Model.OpsNew;
|
||||
using Railloader;
|
||||
using RMROC451.TweaksAndThings.Extensions;
|
||||
using Serilog;
|
||||
using System.Collections.Generic;
|
||||
using System.Linq;
|
||||
using UnityEngine;
|
||||
|
||||
namespace RMROC451.TweaksAndThings.Patches;
|
||||
|
||||
[HarmonyPatch(typeof(CarExtensions))]
|
||||
[HarmonyPatch(nameof(CarExtensions.LoadString), typeof(CarLoadInfo), typeof(Load))]
|
||||
[HarmonyPatchCategory("RMROC451TweaksAndThings")]
|
||||
internal class CarExtensions_LoadString_Patch
|
||||
{
|
||||
public static bool Prefix(CarLoadInfo info, Load load, ref string __result)
|
||||
{
|
||||
bool output = load.id == IndustryComponent_Service_Patch.CrewHoursLoad().id;
|
||||
if (output) __result = info.Quantity.FormatCrewHours(load.description);
|
||||
|
||||
return !output;
|
||||
}
|
||||
}
|
||||
|
||||
[HarmonyPatch(typeof(CarPrototypeLibrary))]
|
||||
[HarmonyPatch(nameof(CarPrototypeLibrary.LoadForId), typeof(string))]
|
||||
[HarmonyPatchCategory("RMROC451TweaksAndThings")]
|
||||
internal class CarPrototypeLibrary_LoadForId_Patch
|
||||
{
|
||||
public static bool Prefix(string loadId, ref Load __result)
|
||||
{
|
||||
Load load = IndustryComponent_Service_Patch.CrewHoursLoad();
|
||||
if (loadId == load.id) __result = load;
|
||||
|
||||
return __result == null;
|
||||
}
|
||||
}
|
||||
|
||||
[HarmonyPatch(typeof(TeamTrack))]
|
||||
[HarmonyPatch(nameof(TeamTrack.Service), typeof(IIndustryContext))]
|
||||
[HarmonyPatchCategory("RMROC451TweaksAndThings")]
|
||||
internal class TeamTrack_Service_Patch
|
||||
{
|
||||
public static bool Prefix(IndustryComponent __instance, IIndustryContext ctx)
|
||||
{
|
||||
//Log.Information($"{nameof(SimplePassengerStop_Service_Patch)} => {((IndustryContext)ctx)._industry.name}");
|
||||
return IndustryComponent_Service_Patch.Prefix(__instance, ctx);
|
||||
}
|
||||
}
|
||||
|
||||
[HarmonyPatch(typeof(RepairTrack))]
|
||||
[HarmonyPatch(nameof(RepairTrack.Service), typeof(IIndustryContext))]
|
||||
[HarmonyPatchCategory("RMROC451TweaksAndThings")]
|
||||
internal class RepairTrack_Service_Patch
|
||||
{
|
||||
public static bool Prefix(IndustryComponent __instance, IIndustryContext ctx)
|
||||
{
|
||||
//Log.Information($"{nameof(SimplePassengerStop_Service_Patch)} => {((IndustryContext)ctx)._industry.name}");
|
||||
return IndustryComponent_Service_Patch.Prefix(__instance, ctx);
|
||||
}
|
||||
}
|
||||
|
||||
[HarmonyPatch(typeof(SimplePassengerStop))]
|
||||
[HarmonyPatch(nameof(SimplePassengerStop.Service), typeof(IIndustryContext))]
|
||||
[HarmonyPatchCategory("RMROC451TweaksAndThings")]
|
||||
internal class SimplePassengerStop_Service_Patch
|
||||
{
|
||||
public static bool Prefix(IndustryComponent __instance, IIndustryContext ctx)
|
||||
{
|
||||
Log.Information($"{nameof(SimplePassengerStop_Service_Patch)} => {((IndustryContext)ctx)._industry.name}");
|
||||
return IndustryComponent_Service_Patch.Prefix(__instance, ctx);
|
||||
}
|
||||
}
|
||||
|
||||
internal static class IndustryComponent_Service_Patch
|
||||
{
|
||||
public static Load CrewHoursLoad()
|
||||
{
|
||||
Load load = (Load)ScriptableObject.CreateInstance(typeof(Load));
|
||||
load.name = "crew-hours";
|
||||
load.description = "Crew";
|
||||
load.units = LoadUnits.Quantity;
|
||||
|
||||
return load;
|
||||
}
|
||||
|
||||
public static bool Prefix(IndustryComponent __instance, IIndustryContext ctx)
|
||||
{
|
||||
TweaksAndThingsPlugin tweaksAndThings = SingletonPluginBase<TweaksAndThingsPlugin>.Shared;
|
||||
if (!StateManager.IsHost || !tweaksAndThings.IsEnabled || !(tweaksAndThings?.settings?.EndGearHelpersRequirePayment ?? false)) return true;
|
||||
|
||||
Load load = CrewHoursLoad();
|
||||
|
||||
float rate2 = 24 * 2 * 8;// carLoadRate = 8 crew hours in 30 min loading; (24h * 2 to get half hour chunks * 8 hours to load in those chunks)
|
||||
float num2 = 99999999; //QuantityInStorage for crew-hours (infinite where crew can be shuffling about)
|
||||
float quantityToLoad = Mathf.Min(num2, IndustryComponent.RateToValue(rate2, ctx.DeltaTime));
|
||||
|
||||
var carsAtPosition = ctx.CarsAtPosition();
|
||||
|
||||
var cabeese = from car in carsAtPosition.Where(c => c.CarType == "NE")
|
||||
where car.IsEmptyOrContains(load)
|
||||
orderby car.QuantityOfLoad(load).quantity descending
|
||||
select car;
|
||||
|
||||
foreach (IOpsCar item in cabeese)
|
||||
{
|
||||
TrainController tc = UnityEngine.Object.FindAnyObjectByType<TrainController>();
|
||||
if (tc.TryGetCarForId(item.Id, out Car car))
|
||||
{
|
||||
List<LoadSlot> loadSlots = car.Definition.LoadSlots;
|
||||
float quantity = 0f;
|
||||
float max = 0f;
|
||||
for (int i = 0; i < loadSlots.Count; i++)
|
||||
{
|
||||
LoadSlot loadSlot = loadSlots[i];
|
||||
if (loadSlot.LoadRequirementsMatch(load) && loadSlot.LoadUnits == load.units)
|
||||
{
|
||||
CarLoadInfo? loadInfo = car.GetLoadInfo(i);
|
||||
|
||||
quantity = loadInfo.HasValue ? loadInfo.Value.Quantity : 0f;
|
||||
max = loadSlots[i].MaximumCapacity;
|
||||
break;
|
||||
}
|
||||
}
|
||||
//Log.Information($"{nameof(IndustryComponent_Service_Patch)} {car} => {car.StoppedDuration} => {quantityToLoad} => {quantity}/{max}");
|
||||
if (car.StoppedDuration > 30) item.Load(load, quantityToLoad);
|
||||
}
|
||||
|
||||
//todo:crew refresh message?
|
||||
}
|
||||
|
||||
return true;
|
||||
}
|
||||
}
|
||||
50
TweaksAndThings/Patches/StateManager_OnDayDidChange_Patch.cs
Normal file
50
TweaksAndThings/Patches/StateManager_OnDayDidChange_Patch.cs
Normal file
@@ -0,0 +1,50 @@
|
||||
using Game.Events;
|
||||
using Game.State;
|
||||
using HarmonyLib;
|
||||
using KeyValue.Runtime;
|
||||
using Network;
|
||||
using Railloader;
|
||||
using UnityEngine;
|
||||
|
||||
namespace RMROC451.TweaksAndThings.Patches;
|
||||
|
||||
[HarmonyPatch(typeof(StateManager))]
|
||||
[HarmonyPatch(nameof(StateManager.OnDayDidChange), typeof(TimeDayDidChange))]
|
||||
[HarmonyPatchCategory("RMROC451TweaksAndThings")]
|
||||
internal class StateManager_OnDayDidChange_Patch
|
||||
{
|
||||
private const string unbilledBrakeCrewDuration = "unbilledBrakeCrewDuration";
|
||||
|
||||
private static void Postfix(StateManager __instance)
|
||||
{
|
||||
TweaksAndThingsPlugin tweaksAndThings = SingletonPluginBase<TweaksAndThingsPlugin>.Shared;
|
||||
if (!tweaksAndThings.IsEnabled || !(tweaksAndThings?.settings?.EndGearHelpersRequirePayment ?? false)) return;
|
||||
if (StateManager.IsHost) PayAutoBrakeCrewWages(__instance);
|
||||
}
|
||||
|
||||
private static void PayAutoBrakeCrewWages(StateManager __instance)
|
||||
{
|
||||
float unbilledRunDuration = UnbilledAutoBrakeCrewRunDuration;
|
||||
int num = Mathf.FloorToInt(unbilledRunDuration / 3600f * 5f);
|
||||
float num2 = (float)num / 5f;
|
||||
float unbilledAutoEngineerRunDuration2 = unbilledRunDuration - num2 * 3600f;
|
||||
if (num > 0)
|
||||
{
|
||||
__instance.ApplyToBalance(-num, Ledger.Category.WagesAI, null, memo: "AI Brake Crew");
|
||||
Multiplayer.Broadcast($"Paid {num:C0} for {num2:F1} hours of Brake Crew services.");
|
||||
UnbilledAutoBrakeCrewRunDuration = unbilledAutoEngineerRunDuration2;
|
||||
}
|
||||
}
|
||||
|
||||
public static float UnbilledAutoBrakeCrewRunDuration
|
||||
{
|
||||
get
|
||||
{
|
||||
return StateManager.Shared._storage._gameKeyValueObject[unbilledBrakeCrewDuration].FloatValue;
|
||||
}
|
||||
set
|
||||
{
|
||||
StateManager.Shared._storage._gameKeyValueObject[unbilledBrakeCrewDuration] = Value.Float(value);
|
||||
}
|
||||
}
|
||||
}
|
||||
@@ -2,16 +2,17 @@
|
||||
using Model;
|
||||
using Model.OpsNew;
|
||||
using Railloader;
|
||||
using RMROC451.TweaksAndThings.Extensions;
|
||||
using UI;
|
||||
using UI.Tags;
|
||||
using UnityEngine;
|
||||
|
||||
namespace TweaksAndThings.Patches;
|
||||
namespace RMROC451.TweaksAndThings.Patches;
|
||||
|
||||
[HarmonyPatch(typeof(TagController))]
|
||||
[HarmonyPatch(nameof(TagController.UpdateTag), typeof(Car), typeof(TagCallout), typeof(OpsController))]
|
||||
[HarmonyPatchCategory("RMROC451TweaksAndThings")]
|
||||
public class TagController_UpdateTag_Patch
|
||||
internal class TagController_UpdateTag_Patch
|
||||
{
|
||||
private const string tagTitleAndIconDelimeter = "\n<width=100%><align=\"right\">";
|
||||
private const string tagTitleFormat = "<align=left><margin-right={0}.5em>{1}</margin><line-height=0>";
|
||||
@@ -19,7 +20,7 @@ public class TagController_UpdateTag_Patch
|
||||
private static void Postfix(Car car, TagCallout tagCallout)
|
||||
{
|
||||
TagController tagController = UnityEngine.Object.FindObjectOfType<TagController>();
|
||||
TweaksAndThings tweaksAndThings = SingletonPluginBase<TweaksAndThings>.Shared;
|
||||
TweaksAndThingsPlugin tweaksAndThings = SingletonPluginBase<TweaksAndThingsPlugin>.Shared;
|
||||
|
||||
if (!tweaksAndThings.IsEnabled || !tweaksAndThings.settings.HandBrakeAndAirTagModifiers)
|
||||
{
|
||||
@@ -55,23 +56,3 @@ public class TagController_UpdateTag_Patch
|
||||
};
|
||||
}
|
||||
}
|
||||
|
||||
public static class ModelCarExtensions
|
||||
{
|
||||
public static bool EndAirSystemIssue(this Model.Car car)
|
||||
{
|
||||
bool AEndAirSystemIssue = car[Car.LogicalEnd.A].IsCoupled && !car[Car.LogicalEnd.A].IsAirConnectedAndOpen;
|
||||
bool BEndAirSystemIssue = car[Car.LogicalEnd.B].IsCoupled && !car[Car.LogicalEnd.B].IsAirConnectedAndOpen;
|
||||
bool EndAirSystemIssue = AEndAirSystemIssue || BEndAirSystemIssue;
|
||||
return EndAirSystemIssue;
|
||||
}
|
||||
|
||||
public static bool HandbrakeApplied(this Model.Car car) =>
|
||||
car.air.handbrakeApplied;
|
||||
|
||||
public static bool CarOrEndGearIssue(this Model.Car car) =>
|
||||
car.EndAirSystemIssue() || car.HandbrakeApplied();
|
||||
|
||||
public static bool CarAndEndGearIssue(this Model.Car car) =>
|
||||
car.EndAirSystemIssue() && car.HandbrakeApplied();
|
||||
}
|
||||
|
||||
@@ -4,6 +4,14 @@
|
||||
<!-- <MajorVersion>1</MajorVersion> -->
|
||||
<!-- <MinorVersion>0</MinorVersion> -->
|
||||
</PropertyGroup>
|
||||
<ItemGroup>
|
||||
<None Remove="mroc-cabeese.json" />
|
||||
</ItemGroup>
|
||||
<ItemGroup>
|
||||
<Content Include="mroc-cabeese.json">
|
||||
<CopyToOutputDirectory>Always</CopyToOutputDirectory>
|
||||
</Content>
|
||||
</ItemGroup>
|
||||
<ItemGroup>
|
||||
<GameAssembly Include="Assembly-CSharp" />
|
||||
<GameAssembly Include="Railloader.Interchange" />
|
||||
@@ -11,12 +19,15 @@
|
||||
<GameAssembly Include="0Harmony" />
|
||||
<GameAssembly Include="KeyValue.Runtime" />
|
||||
<GameAssembly Include="Definition" />
|
||||
<GameAssembly Include="Ops" />
|
||||
<GameAssembly Include="StrangeCustoms" />
|
||||
|
||||
<GameAssembly Include="UnityEngine.CoreModule" />
|
||||
<GameAssembly Include="UnityEngine.UI" />
|
||||
<GameAssembly Include="Unity.TextMeshPro" />
|
||||
|
||||
<GameAssembly Include="System.Net.Http" />
|
||||
<GameAssembly Include="Core" />
|
||||
</ItemGroup>
|
||||
<ItemGroup>
|
||||
<PackageReference Include="Krafs.Publicizer" Version="2.2.1">
|
||||
|
||||
@@ -1,58 +0,0 @@
|
||||
using Newtonsoft.Json;
|
||||
using System.IO;
|
||||
using System.Runtime;
|
||||
using System;
|
||||
using Serilog;
|
||||
using System.Collections.Generic;
|
||||
using System.Linq;
|
||||
|
||||
namespace TweaksAndThings;
|
||||
|
||||
public class Settings
|
||||
{
|
||||
|
||||
public Settings()
|
||||
{
|
||||
WebhookSettingsList = new[] { new WebhookSettings() }.ToList();
|
||||
}
|
||||
|
||||
public Settings(
|
||||
List<WebhookSettings> webhookSettingsList,
|
||||
bool handBrakeAndAirTagModifiers
|
||||
)
|
||||
{
|
||||
this.WebhookSettingsList = webhookSettingsList;
|
||||
this.HandBrakeAndAirTagModifiers = handBrakeAndAirTagModifiers;
|
||||
}
|
||||
|
||||
public List<WebhookSettings> WebhookSettingsList;
|
||||
public bool HandBrakeAndAirTagModifiers;
|
||||
|
||||
internal void AddAnotherRow()
|
||||
{
|
||||
if (!string.IsNullOrEmpty(WebhookSettingsList.Last().WebhookUrl))
|
||||
{
|
||||
WebhookSettingsList.Add(new());
|
||||
Log.Information($"Adding another {nameof(WebhookSettings)} list entry, last one was filled in");
|
||||
}
|
||||
}
|
||||
}
|
||||
|
||||
public class WebhookSettings
|
||||
{
|
||||
public WebhookSettings() { }
|
||||
public WebhookSettings(
|
||||
bool webhookEnabled,
|
||||
string railroadMark,
|
||||
string webhookUrl
|
||||
)
|
||||
{
|
||||
this.WebhookEnabled = webhookEnabled;
|
||||
this.RailroadMark = railroadMark;
|
||||
this.WebhookUrl = webhookUrl;
|
||||
}
|
||||
|
||||
public bool WebhookEnabled = false;
|
||||
public string RailroadMark = string.Empty;
|
||||
public string WebhookUrl = string.Empty;
|
||||
}
|
||||
94
TweaksAndThings/Settings/Settings.cs
Normal file
94
TweaksAndThings/Settings/Settings.cs
Normal file
@@ -0,0 +1,94 @@
|
||||
using Serilog;
|
||||
using System.Collections.Generic;
|
||||
using System.Linq;
|
||||
using RMROC451.TweaksAndThings.Enums;
|
||||
|
||||
namespace RMROC451.TweaksAndThings;
|
||||
|
||||
public class Settings
|
||||
{
|
||||
|
||||
public Settings()
|
||||
{
|
||||
WebhookSettingsList = new[] { new WebhookSettings() }.ToList();
|
||||
EngineRosterFuelColumnSettings = new();
|
||||
}
|
||||
|
||||
public Settings(
|
||||
List<WebhookSettings> webhookSettingsList,
|
||||
bool handBrakeAndAirTagModifiers,
|
||||
RosterFuelColumnSettings engineRosterFuelColumnSettings,
|
||||
bool endGearHelpersRequirePayment
|
||||
)
|
||||
{
|
||||
WebhookSettingsList = webhookSettingsList;
|
||||
HandBrakeAndAirTagModifiers = handBrakeAndAirTagModifiers;
|
||||
EngineRosterFuelColumnSettings = engineRosterFuelColumnSettings;
|
||||
EndGearHelpersRequirePayment = endGearHelpersRequirePayment;
|
||||
}
|
||||
|
||||
public List<WebhookSettings>? WebhookSettingsList;
|
||||
public bool HandBrakeAndAirTagModifiers;
|
||||
public RosterFuelColumnSettings? EngineRosterFuelColumnSettings;
|
||||
public bool EndGearHelpersRequirePayment;
|
||||
|
||||
internal void AddAnotherRow()
|
||||
{
|
||||
WebhookSettingsList ??= new[] { new WebhookSettings() }.ToList();
|
||||
if (!string.IsNullOrEmpty(WebhookSettingsList.OrderByDescending(wsl => wsl.WebhookUrl).Last().WebhookUrl))
|
||||
{
|
||||
WebhookSettingsList.Add(new());
|
||||
Log.Information($"Adding another {nameof(WebhookSettings)} list entry, last one was filled in");
|
||||
}
|
||||
}
|
||||
}
|
||||
|
||||
public class WebhookSettings
|
||||
{
|
||||
public WebhookSettings() { }
|
||||
public WebhookSettings(
|
||||
bool webhookEnabled,
|
||||
string railroadMark,
|
||||
string webhookUrl
|
||||
)
|
||||
{
|
||||
WebhookEnabled = webhookEnabled;
|
||||
RailroadMark = railroadMark;
|
||||
WebhookUrl = webhookUrl;
|
||||
}
|
||||
|
||||
public bool WebhookEnabled = false;
|
||||
public string RailroadMark = string.Empty;
|
||||
public string WebhookUrl = string.Empty;
|
||||
}
|
||||
|
||||
public class RosterFuelColumnSettings
|
||||
{
|
||||
public RosterFuelColumnSettings() { }
|
||||
public RosterFuelColumnSettings(
|
||||
bool engineRosterShowsFuelStatusAlways,
|
||||
EngineRosterFuelDisplayColumn engineRosterFuelStatusColumn
|
||||
)
|
||||
{
|
||||
this.EngineRosterShowsFuelStatusAlways = engineRosterShowsFuelStatusAlways;
|
||||
this.EngineRosterFuelStatusColumn = engineRosterFuelStatusColumn;
|
||||
}
|
||||
|
||||
public bool EngineRosterShowsFuelStatusAlways;
|
||||
public EngineRosterFuelDisplayColumn EngineRosterFuelStatusColumn;
|
||||
}
|
||||
|
||||
public static class SettingsExtensions
|
||||
{
|
||||
public static List<WebhookSettings> SanitizeEmptySettings(this IEnumerable<WebhookSettings>? settings)
|
||||
{
|
||||
List<WebhookSettings> output =
|
||||
settings?.Where(s => !string.IsNullOrEmpty(s.WebhookUrl))?.ToList() ??
|
||||
new();
|
||||
|
||||
output.Add(new());
|
||||
|
||||
return output;
|
||||
}
|
||||
|
||||
}
|
||||
@@ -1,166 +0,0 @@
|
||||
using GalaSoft.MvvmLight.Messaging;
|
||||
using Game.State;
|
||||
using HarmonyLib;
|
||||
using Railloader;
|
||||
using Serilog;
|
||||
using System.Linq;
|
||||
using System.Net.Http;
|
||||
using UI.Builder;
|
||||
|
||||
namespace TweaksAndThings
|
||||
{
|
||||
public class TweaksAndThings : SingletonPluginBase<TweaksAndThings>, IUpdateHandler, IModTabHandler
|
||||
{
|
||||
private HttpClient client;
|
||||
internal HttpClient Client
|
||||
{
|
||||
get
|
||||
{
|
||||
if (client == null)
|
||||
client = new HttpClient();
|
||||
|
||||
return client;
|
||||
}
|
||||
}
|
||||
internal Settings? settings { get; private set; } = null;
|
||||
readonly ILogger logger = Log.ForContext<TweaksAndThings>();
|
||||
IModdingContext moddingContext { get; set; }
|
||||
IModDefinition modDefinition { get; set; }
|
||||
|
||||
static TweaksAndThings()
|
||||
{
|
||||
Log.Information("Hello! Static Constructor was called!");
|
||||
}
|
||||
|
||||
public TweaksAndThings(IModdingContext moddingContext, IModDefinition self)
|
||||
{
|
||||
this.modDefinition = self;
|
||||
|
||||
this.moddingContext = moddingContext;
|
||||
|
||||
logger.Information("Hello! Constructor was called for {modId}/{modVersion}!", self.Id, self.Version);
|
||||
|
||||
//moddingContext.RegisterConsoleCommand(new EchoCommand());
|
||||
|
||||
settings = moddingContext.LoadSettingsData<Settings>(self.Id);
|
||||
if (settings.WebhookSettingsList?.Any() ?? false)
|
||||
{
|
||||
settings.WebhookSettingsList = new[] { new WebhookSettings() }.ToList();
|
||||
this.moddingContext.SaveSettingsData(this.modDefinition.Id, settings ?? new());
|
||||
}
|
||||
}
|
||||
|
||||
public override void OnEnable()
|
||||
{
|
||||
logger.Information("OnEnable() was called!");
|
||||
var harmony = new Harmony(modDefinition.Id);
|
||||
harmony.PatchCategory(modDefinition.Id.Replace(".",string.Empty));
|
||||
}
|
||||
|
||||
public override void OnDisable()
|
||||
{
|
||||
var harmony = new Harmony(modDefinition.Id);
|
||||
harmony.UnpatchAll(modDefinition.Id);
|
||||
Messenger.Default.Unregister(this);
|
||||
}
|
||||
|
||||
public void Update()
|
||||
{
|
||||
logger.Verbose("UPDATE()");
|
||||
}
|
||||
|
||||
public void ModTabDidOpen(UIPanelBuilder builder)
|
||||
{
|
||||
logger.Information("Daytime!");
|
||||
//WebhookUISection(ref builder);
|
||||
//builder.AddExpandingVerticalSpacer();
|
||||
WebhooksListUISection(ref builder);
|
||||
builder.AddExpandingVerticalSpacer();
|
||||
HandbrakesAndAnglecocksUISection(ref builder);
|
||||
}
|
||||
|
||||
private void HandbrakesAndAnglecocksUISection(ref UIPanelBuilder builder)
|
||||
{
|
||||
builder.AddSection("Tag Callout Handbrake and Air System Helper", delegate (UIPanelBuilder builder)
|
||||
{
|
||||
builder.AddField(
|
||||
"Enable Tag Updates",
|
||||
builder.AddToggle(
|
||||
() => settings?.HandBrakeAndAirTagModifiers ?? false,
|
||||
delegate (bool enabled)
|
||||
{
|
||||
if (settings == null) settings = new() { WebhookSettingsList = new[] { new WebhookSettings() }.ToList() };
|
||||
settings.HandBrakeAndAirTagModifiers = enabled;
|
||||
builder.Rebuild();
|
||||
}
|
||||
)
|
||||
).Tooltip("Enable Tag Updates", $"Will add {TextSprites.CycleWaybills} to the car tag title having Air System issues. Also prepends {TextSprites.HandbrakeWheel} if there is a handbrake set.\n\nHolding Left Alt while tags are displayed only shows tag titles that have issues.");
|
||||
});
|
||||
}
|
||||
|
||||
private void WebhooksListUISection(ref UIPanelBuilder builder)
|
||||
{
|
||||
builder.AddSection("Webhooks List", delegate (UIPanelBuilder builder)
|
||||
{
|
||||
for (int i = 1; i <= settings.WebhookSettingsList.Count; i++)
|
||||
{
|
||||
int z = i - 1;
|
||||
builder.AddSection($"Webhook {i}", delegate (UIPanelBuilder builder)
|
||||
{
|
||||
builder.AddField(
|
||||
"Webhook Enabled",
|
||||
builder.AddToggle(
|
||||
() => settings?.WebhookSettingsList[z]?.WebhookEnabled ?? false,
|
||||
delegate (bool enabled)
|
||||
{
|
||||
if (settings == null) settings = new() { WebhookSettingsList = new[] { new WebhookSettings() }.ToList() };
|
||||
settings.WebhookSettingsList[z].WebhookEnabled = enabled;
|
||||
settings.AddAnotherRow();
|
||||
builder.Rebuild();
|
||||
}
|
||||
)
|
||||
).Tooltip("Webhook Enabled", "Will parse the console messages and transmit to a Discord webhook.");
|
||||
|
||||
builder.AddField(
|
||||
"Reporting Mark",
|
||||
builder.HStack(delegate (UIPanelBuilder field)
|
||||
{
|
||||
field.AddInputField(
|
||||
settings?.WebhookSettingsList[z]?.RailroadMark,
|
||||
delegate (string railroadMark)
|
||||
{
|
||||
if (settings == null) settings = new() { WebhookSettingsList = new[] { new WebhookSettings() }.ToList() };
|
||||
settings.WebhookSettingsList[z].RailroadMark = railroadMark;
|
||||
settings.AddAnotherRow();
|
||||
builder.Rebuild();
|
||||
}, characterLimit: GameStorage.ReportingMarkMaxLength).FlexibleWidth();
|
||||
})
|
||||
).Tooltip("Reporting Mark", "Reporting mark of the company this Discord webhook applies to..");
|
||||
|
||||
builder.AddField(
|
||||
"Webhook Url",
|
||||
builder.HStack(delegate (UIPanelBuilder field)
|
||||
{
|
||||
field.AddInputField(
|
||||
settings?.WebhookSettingsList[z]?.WebhookUrl,
|
||||
delegate (string webhookUrl)
|
||||
{
|
||||
if (settings == null) settings = new() { WebhookSettingsList = new[] { new WebhookSettings() }.ToList() };
|
||||
settings.WebhookSettingsList[z].WebhookUrl = webhookUrl;
|
||||
settings.AddAnotherRow();
|
||||
builder.Rebuild();
|
||||
}).FlexibleWidth();
|
||||
})
|
||||
).Tooltip("Webhook Url", "Url of Discord webhook to publish messages to.");
|
||||
});
|
||||
}
|
||||
});
|
||||
}
|
||||
|
||||
public void ModTabDidClose()
|
||||
{
|
||||
logger.Information("Nighttime...");
|
||||
this.moddingContext.SaveSettingsData(this.modDefinition.Id, settings ?? new());
|
||||
}
|
||||
}
|
||||
}
|
||||
222
TweaksAndThings/TweaksAndThingsPlugin.cs
Normal file
222
TweaksAndThings/TweaksAndThingsPlugin.cs
Normal file
@@ -0,0 +1,222 @@
|
||||
// Ignore Spelling: RMROC
|
||||
|
||||
using GalaSoft.MvvmLight.Messaging;
|
||||
using Game.State;
|
||||
using HarmonyLib;
|
||||
using Railloader;
|
||||
using Serilog;
|
||||
using System;
|
||||
using System.Linq;
|
||||
using System.Net.Http;
|
||||
using UI.Builder;
|
||||
|
||||
using RMROC451.TweaksAndThings.Enums;
|
||||
using RMROC451.TweaksAndThings.Commands;
|
||||
|
||||
namespace RMROC451.TweaksAndThings;
|
||||
|
||||
public class TweaksAndThingsPlugin : SingletonPluginBase<TweaksAndThingsPlugin>, IUpdateHandler, IModTabHandler
|
||||
{
|
||||
private HttpClient client;
|
||||
internal HttpClient Client
|
||||
{
|
||||
get
|
||||
{
|
||||
if (client == null)
|
||||
client = new HttpClient();
|
||||
|
||||
return client;
|
||||
}
|
||||
}
|
||||
internal Settings? settings { get; private set; } = null;
|
||||
readonly ILogger logger = Log.ForContext<TweaksAndThingsPlugin>();
|
||||
IModdingContext moddingContext { get; set; }
|
||||
IModDefinition modDefinition { get; set; }
|
||||
|
||||
static TweaksAndThingsPlugin()
|
||||
{
|
||||
Log.Information("Hello! Static Constructor was called!");
|
||||
}
|
||||
|
||||
public TweaksAndThingsPlugin(IModdingContext moddingContext, IModDefinition self)
|
||||
{
|
||||
this.modDefinition = self;
|
||||
|
||||
this.moddingContext = moddingContext;
|
||||
|
||||
logger.Information("Hello! Constructor was called for {modId}/{modVersion}!", self.Id, self.Version);
|
||||
|
||||
moddingContext.RegisterConsoleCommand(new EchoCommand());
|
||||
|
||||
settings = moddingContext.LoadSettingsData<Settings>(self.Id);
|
||||
}
|
||||
|
||||
public override void OnEnable()
|
||||
{
|
||||
logger.Information("OnEnable() was called!");
|
||||
var harmony = new Harmony(modDefinition.Id);
|
||||
harmony.PatchCategory(modDefinition.Id.Replace(".", string.Empty));
|
||||
}
|
||||
|
||||
public override void OnDisable()
|
||||
{
|
||||
var harmony = new Harmony(modDefinition.Id);
|
||||
harmony.UnpatchAll(modDefinition.Id);
|
||||
Messenger.Default.Unregister(this);
|
||||
}
|
||||
|
||||
public void Update()
|
||||
{
|
||||
logger.Verbose("UPDATE()");
|
||||
}
|
||||
|
||||
public void ModTabDidOpen(UIPanelBuilder builder)
|
||||
{
|
||||
logger.Information("Daytime!");
|
||||
|
||||
if (settings == null) settings = new();
|
||||
if (!settings?.WebhookSettingsList?.Any() ?? true) settings.WebhookSettingsList = new[] { new WebhookSettings() }.ToList();
|
||||
if (settings?.EngineRosterFuelColumnSettings == null) settings.EngineRosterFuelColumnSettings = new();
|
||||
|
||||
|
||||
settings.WebhookSettingsList =
|
||||
settings?.WebhookSettingsList.SanitizeEmptySettings();
|
||||
|
||||
//WebhookUISection(ref builder);
|
||||
//builder.AddExpandingVerticalSpacer();
|
||||
WebhooksListUISection(ref builder);
|
||||
builder.AddExpandingVerticalSpacer();
|
||||
HandbrakesAndAnglecocksUISection(ref builder);
|
||||
builder.AddExpandingVerticalSpacer();
|
||||
EnginRosterShowsFuelStatusUISection(ref builder);
|
||||
}
|
||||
|
||||
private void EnginRosterShowsFuelStatusUISection(ref UIPanelBuilder builder)
|
||||
{
|
||||
var columns = Enum.GetValues(typeof(EngineRosterFuelDisplayColumn)).Cast<EngineRosterFuelDisplayColumn>().Select(i => i.ToString()).ToList();
|
||||
builder.AddSection("Fuel Display in Engine Roster", delegate (UIPanelBuilder builder)
|
||||
{
|
||||
builder.AddField(
|
||||
"Enable",
|
||||
builder.AddDropdown(columns, (int)(settings?.EngineRosterFuelColumnSettings?.EngineRosterFuelStatusColumn ?? EngineRosterFuelDisplayColumn.None),
|
||||
delegate (int column)
|
||||
{
|
||||
if (settings == null) settings = new();
|
||||
settings.EngineRosterFuelColumnSettings.EngineRosterFuelStatusColumn = (EngineRosterFuelDisplayColumn)column;
|
||||
builder.Rebuild();
|
||||
}
|
||||
)
|
||||
).Tooltip("Enable Fuel Display in Engine Roster", $"Will add reaming fuel indication to Engine Roster (with details in roster row tool tip), Examples : {string.Join(" ", Enumerable.Range(0, 4).Select(i => TextSprites.PiePercent(i, 4)))}");
|
||||
|
||||
builder.AddField(
|
||||
"Always Visible?",
|
||||
builder.AddToggle(
|
||||
() => settings?.EngineRosterFuelColumnSettings?.EngineRosterShowsFuelStatusAlways ?? false,
|
||||
delegate (bool enabled)
|
||||
{
|
||||
if (settings == null) settings = new();
|
||||
settings.EngineRosterFuelColumnSettings.EngineRosterShowsFuelStatusAlways = enabled;
|
||||
builder.Rebuild();
|
||||
}
|
||||
)
|
||||
).Tooltip("Fuel Display in Engine Roster Always Visible", $"Always displayed, if you want it hidden and only shown when you care to see, uncheck this, and then you can press ALT for it to populate on the next UI refresh cycle.");
|
||||
});
|
||||
}
|
||||
|
||||
private void HandbrakesAndAnglecocksUISection(ref UIPanelBuilder builder)
|
||||
{
|
||||
builder.AddSection("Tag Callout Handbrake and Air System Helper", delegate (UIPanelBuilder builder)
|
||||
{
|
||||
builder.AddField(
|
||||
"Enable Tag Updates",
|
||||
builder.AddToggle(
|
||||
() => settings?.HandBrakeAndAirTagModifiers ?? false,
|
||||
delegate (bool enabled)
|
||||
{
|
||||
if (settings == null) settings = new();
|
||||
settings.HandBrakeAndAirTagModifiers = enabled;
|
||||
builder.Rebuild();
|
||||
}
|
||||
)
|
||||
).Tooltip("Enable Tag Updates", $"Will add {TextSprites.CycleWaybills} to the car tag title having Air System issues. Also prepends {TextSprites.HandbrakeWheel} if there is a handbrake set.\n\nHolding Left Alt while tags are displayed only shows tag titles that have issues.");
|
||||
|
||||
builder.AddField(
|
||||
"Caboose Use",
|
||||
builder.AddToggle(
|
||||
() => settings?.EndGearHelpersRequirePayment ?? false,
|
||||
delegate (bool enabled)
|
||||
{
|
||||
if (settings == null) settings = new();
|
||||
settings.EndGearHelpersRequirePayment = enabled;
|
||||
builder.Rebuild();
|
||||
}
|
||||
)
|
||||
).Tooltip("Enable End Gear Helper Cost", $"Will cost 1 minute of AI Brake Crew & Caboose Crew time per car in the consist when the new inspector buttons are utilized.\n\n1.5x multiplier penalty to AI Brake Crew cost if no sufficiently crewed caboose nearby.\n\nCaboose starts reloading `Crew Hours` at any Team or Repair track (no waybill), after being stationary for 30 seconds.");
|
||||
});
|
||||
}
|
||||
|
||||
private void WebhooksListUISection(ref UIPanelBuilder builder)
|
||||
{
|
||||
builder.AddSection("Webhooks List", delegate (UIPanelBuilder builder)
|
||||
{
|
||||
for (int i = 1; i <= settings.WebhookSettingsList.Count; i++)
|
||||
{
|
||||
int z = i - 1;
|
||||
builder.AddSection($"Webhook {i}", delegate (UIPanelBuilder builder)
|
||||
{
|
||||
builder.AddField(
|
||||
"Webhook Enabled",
|
||||
builder.AddToggle(
|
||||
() => settings?.WebhookSettingsList[z]?.WebhookEnabled ?? false,
|
||||
delegate (bool enabled)
|
||||
{
|
||||
if (settings == null) settings = new();
|
||||
settings.WebhookSettingsList[z].WebhookEnabled = enabled;
|
||||
settings.AddAnotherRow();
|
||||
builder.Rebuild();
|
||||
}
|
||||
)
|
||||
).Tooltip("Webhook Enabled", "Will parse the console messages and transmit to a Discord webhook.");
|
||||
|
||||
builder.AddField(
|
||||
"Reporting Mark",
|
||||
builder.HStack(delegate (UIPanelBuilder field)
|
||||
{
|
||||
field.AddInputField(
|
||||
settings?.WebhookSettingsList[z]?.RailroadMark,
|
||||
delegate (string railroadMark)
|
||||
{
|
||||
if (settings == null) settings = new();
|
||||
settings.WebhookSettingsList[z].RailroadMark = railroadMark;
|
||||
settings.AddAnotherRow();
|
||||
builder.Rebuild();
|
||||
}, characterLimit: GameStorage.ReportingMarkMaxLength).FlexibleWidth();
|
||||
})
|
||||
).Tooltip("Reporting Mark", "Reporting mark of the company this Discord webhook applies to..");
|
||||
|
||||
builder.AddField(
|
||||
"Webhook Url",
|
||||
builder.HStack(delegate (UIPanelBuilder field)
|
||||
{
|
||||
field.AddInputField(
|
||||
settings?.WebhookSettingsList[z]?.WebhookUrl,
|
||||
delegate (string webhookUrl)
|
||||
{
|
||||
if (settings == null) settings = new();
|
||||
settings.WebhookSettingsList[z].WebhookUrl = webhookUrl;
|
||||
settings.AddAnotherRow();
|
||||
builder.Rebuild();
|
||||
}).FlexibleWidth();
|
||||
})
|
||||
).Tooltip("Webhook Url", "Url of Discord webhook to publish messages to.");
|
||||
});
|
||||
}
|
||||
});
|
||||
}
|
||||
|
||||
public void ModTabDidClose()
|
||||
{
|
||||
logger.Information("Nighttime...");
|
||||
this.moddingContext.SaveSettingsData(this.modDefinition.Id, settings ?? new());
|
||||
}
|
||||
}
|
||||
23
TweaksAndThings/mroc-cabeese.json
Normal file
23
TweaksAndThings/mroc-cabeese.json
Normal file
@@ -0,0 +1,23 @@
|
||||
{
|
||||
"objects": [
|
||||
{
|
||||
"$find": [
|
||||
{
|
||||
"path": "definition.archetype",
|
||||
"value": "Caboose"
|
||||
}
|
||||
],
|
||||
"definition": {
|
||||
"loadSlots": [
|
||||
{
|
||||
"$add": {
|
||||
"maximumCapacity": 8,
|
||||
"loadUnits": "Quantity",
|
||||
"requiredLoadIdentifier": "crew-hours"
|
||||
}
|
||||
}
|
||||
]
|
||||
}
|
||||
}
|
||||
]
|
||||
}
|
||||
Reference in New Issue
Block a user