You are viewing a potentially older version of this package. View all versions.
XDev-SimpleCommandAPI-1.0.2 icon

SimpleCommandAPI

C# API plugin for Lethal Company

Date uploaded 4 months ago
Version 1.0.2
Download link XDev-SimpleCommandAPI-1.0.2.zip
Downloads 48381
Dependency string XDev-SimpleCommandAPI-1.0.2

This mod requires the following mods to function

BepInEx-BepInExPack-5.4.2100 icon
BepInEx-BepInExPack

BepInEx pack for Mono Unity games. Preconfigured and ready to use.

Preferred version: 5.4.2100

README

SimpleCommand.API MIT License

[!NOTE] This README file might be outdated. Always check out the original GitHub Page. This plugin is designed to help developers. So if certain features are missing, please do not hesitate to contact me.

This plugin currently features:

  • Mod Command List with all available mod commands
  • Nested Command Structure

Oversimplified

how-it-works

Introduction

To create new commands for the Terminal, this plugin uses a nested structure of a class called SimpleCommandModule. This allows the user to create complex command structures with ease. Every command will get added to the SimpleCommandList, if not specified otherwise.

[!IMPORTANT] This documentation does not explain how to create a plugin in general. Please look up how to create a plugin first.

Getting Started

Start by downloading this plugin and referencing it inside of your IDE of choice. For Visual Studio 2022, you can check out this documentation.

Reference as BepInDependency

For the plugin to work best, add it as BepInDependency above your initial plugin class.

[BepInDependency(SimpleCommand.API.MyPluginInfo.PLUGIN_GUID)]
public class MyPlugin : BaseUnityPlugin

SimpleCommandModule

The SimpleCommandModule class has the following properties:

SimpleCommandModule reviveModule = new SimpleCommandModule()
{

DisplayName (string)

What the player needs to type for the command to trigger, e.g. "revive"

DisplayName: "revive",

Method (Func<Terminal, TerminalNode>)

This method will get called if the player enters the command.

Method: ReviveDeadPlayer,

[!WARNING] Your initial method needs to have Terminal as a parameter and a TerminalNode as a return. The TerminalNode will be your text on the terminal after your method was invoked. You can see how to create a TerminalNode here.

Description (string) (optional)

This text will appear in the command list. Tell the player what this command does.

Description: "Revive a dead player"

Abbreviations (string[]) (optional)

Shorter form of the word, which also works. This value can also contain several abbreviations.

Abbreviations: ["rev", "reviv"],

Arguments (string[]) (optional)

If the command has dynamic input, you can list what values the player has to type (shows in list later).

Arguments: ["number"],

HasDynamicInput (bool) (optional)

If the command awaits dynamic input like numbers, otherwise it will check for the children names.

HasDynamicInput: false,

HideFromCommandList (bool) (optional)

If this command is allowed to appear on on the command list. Useful, if you have a command structure like "buy coffee", but you don't actually want to display "buy" as extra.

HideFromCommandList: false,

IgnoreModule (bool) (optional)

Useful for plugins that already have their own system and just want to appear on the command list.

IgnoreModule: false,

ChildrenModules (SimpleCommandModule[]) (optional)

SimpleCommandModules that come after the current module, e.g. revive "player"

ChildrenModules: [newModule]

All methods

AddSimpleCommand(SimpleCommandModule)

Adds the SimpleCommandModule to the command list.

[!IMPORTANT] Please pay attention to duplicates. If your command name already exists in other plugins, it will usually load first, but errors may still occur.

AddSimpleCommands(SimpleCommandModule[])

Just an additional way of adding commands to the list via array.

GetInputValue(Terminal terminal)

Returns the complete string of what was written and submitted on the terminal. Terminal reference needed.

GetInputValue(Terminal terminal, int index)

Returns a string array of the last wordsa depending on what index will be. (Counts backwards) Terminal reference needed aswell.

RemovePunctuation(string s)

Removes every punctuation character in the given string and converts it to lowercase.

TerminalNode

TerminalNodes are a default class defined by the Lethal Company developer. It will look something like this:

public class TerminalNode : ScriptableObject
{
    [TextArea(2, 20)]
    public string displayText;
    public string terminalEvent;
    [Space(5f)]
    public bool clearPreviousText;
    public int maxCharactersToType = 25;
    [Space(5f)]
    [Header("Purchasing items")]
    public int buyItemIndex = -1;
    public bool isConfirmationNode;
    public int buyRerouteToMoon = -1;
    public int displayPlanetInfo = -1;
    public bool lockedInDemo;
    [Space(3f)]
    public int shipUnlockableID = -1;
    public bool buyUnlockable;
    public bool returnFromStorage;
    [Space(3f)]
    public int itemCost;
    [Header("Bestiary / Logs")]
    public int creatureFileID = -1;
    public string creatureName;
    public int storyLogFileID = -1;
    [Space(5f)]
    public bool overrideOptions;
    public bool acceptAnything;
    public CompatibleNoun[] terminalOptions;
    [Header("Misc")]
    public AudioClip playClip;
    public int playSyncedClip = -1;
    public Texture displayTexture;
    public VideoClip displayVideo;
    public bool loadImageSlowly;
    public bool persistentImage;
}

The most important properties for just diplaying text in the terminal are displayText and clearPreviousText. For this purpose, the following code will work just fine.

TerminalNode node = ScriptableObject.CreateInstance<TerminalNode>();
node.clearPreviousText = true;
node.displayText = "Insert text here";

return node;

Usage/Examples

using SimpleCommand.API.Classes;
using static SimpleCommand.API.SimpleCommand;

[BepInDependency(SimpleCommand.API.MyPluginInfo.PLUGIN_GUID)]
public class MyPlugin : BaseUnityPlugin
{
    private void Awake()
    {
        // Create nested command module
        SimpleCommandModule reviveModule = new()
        {
            DisplayName = "revive",
            Description = "To revive dead players.\nType revive for dead player list.",
            HasDynamicInput = true,
            Abbreviations = new string[] { "rev", "reviv" },
            Arguments = new string[] {"number"},
            Method = ReviveDeadPlayer,
        };

        // Register command to SimpleCommand.API
        AddSimpleCommand(reviveModule);
    }
}
// Example method for demonstration purposes
public static TerminalNode ReviveDeadPlayer(Terminal __terminal)
{
    string input = SimpleCommand.API.SimpleCommand.GetInputValue(__terminal);
    string[] textArray = input.Split(" ", StringSplitOptions.None);
    TerminalNode node = ScriptableObject.CreateInstance<TerminalNode>();

    if (textArray.Length <= 1 || textArray.Last().Equals(""))
    {
        string text = "Revive dead player with: revive [number]\n";
        int playerCount = 0;

        foreach (PlayerControllerB player in playersManager.allPlayerScripts)
        {
            if (player.isPlayerControlled && player.isPlayerDead)
            {
                playerCount++;
                text += "\n" + playerCount + ": " + player.playerUsername;
            }
        }

        if (playerCount == 0)
        {
            text += "\n [ERROR] No dead players found..";
        }
        
        node.displayText = text + "\n\n\n";
        node.clearPreviousText = true;
    }
    else
    {
        string name = GetPlayer(textArray[1]);
        node.displayText = "Revived player: " + name + "\n\n\n";
        node.clearPreviousText = true;
    }

    return node;

}

SimpleCommand Config

The config file will look something like this. General settings will change the behaviour of this plugin. For developer, extra debugging can be enabled. Every action will be logged inside the BepInEx Console from now on.

[!WARNING] Debug logs inside the BepInEx Console are disabled by default. You'll have to add them to the log levels in the BepInEx.cfg manually.

[Developer]

## Enables logging of every SimpleCommand.API action.
# Setting type: Boolean
# Default value: false
EnableDebugLogging = false

[General]

## By default, commands are sorted by plugin. Set the value to 'true' if you want them to be sorted alphabetically.
# Setting type: Boolean
# Default value: false
SortCommandsAlphabetically = false

Screenshots

file1

file2

CHANGELOG

Releases

Version 1.0.1

  • Fixed Thumbnail spelling mistake
  • Fixed "modcommands" not always showing correctly on help page

Version 1.0.2

  • Modcommand List now updates correctly after loading save file