Moved to gradle & started work on separating API and plugin
This commit is contained in:
@@ -0,0 +1,129 @@
|
||||
package net.nuggetmc.tplus.command;
|
||||
|
||||
import com.google.common.collect.Sets;
|
||||
import net.nuggetmc.tplus.TerminatorPlus;
|
||||
import net.nuggetmc.tplus.command.annotation.Command;
|
||||
import net.nuggetmc.tplus.command.annotation.Require;
|
||||
import net.nuggetmc.tplus.command.commands.AICommand;
|
||||
import net.nuggetmc.tplus.command.commands.BotCommand;
|
||||
import net.nuggetmc.tplus.command.commands.MainCommand;
|
||||
import net.nuggetmc.tplus.utils.ChatUtils;
|
||||
import net.nuggetmc.tplus.utils.Debugger;
|
||||
import org.bukkit.ChatColor;
|
||||
import org.bukkit.command.CommandSender;
|
||||
import org.bukkit.command.SimpleCommandMap;
|
||||
import org.bukkit.craftbukkit.v1_18_R1.CraftServer;
|
||||
|
||||
import java.lang.reflect.Method;
|
||||
import java.util.ArrayList;
|
||||
import java.util.HashMap;
|
||||
import java.util.List;
|
||||
import java.util.Map;
|
||||
import java.util.stream.Collectors;
|
||||
|
||||
public class CommandHandler {
|
||||
|
||||
private final TerminatorPlus plugin;
|
||||
|
||||
private final Map<String, List<String>> help;
|
||||
private final Map<String, CommandInstance> commandMap;
|
||||
|
||||
public CommandHandler(TerminatorPlus plugin) {
|
||||
this.plugin = plugin;
|
||||
this.help = new HashMap<>();
|
||||
this.commandMap = new HashMap<>();
|
||||
this.registerCommands();
|
||||
}
|
||||
|
||||
public Map<String, CommandInstance> getCommands() {
|
||||
return commandMap;
|
||||
}
|
||||
|
||||
private void registerCommands() {
|
||||
registerCommands(
|
||||
new MainCommand(this, "terminatorplus", "The TerminatorPlus main command.", "tplus"),
|
||||
new BotCommand(this, "bot", "The root command for bot management.", "npc"),
|
||||
new AICommand(this, "ai", "The root command for bot AI training.")
|
||||
);
|
||||
}
|
||||
|
||||
private void registerCommands(CommandInstance... commands) {
|
||||
String fallback = plugin.getName().toLowerCase();
|
||||
SimpleCommandMap bukkitCommandMap = ((CraftServer) plugin.getServer()).getCommandMap();
|
||||
|
||||
for (CommandInstance command : commands) {
|
||||
commandMap.put(command.getName(), command);
|
||||
bukkitCommandMap.register(fallback, command);
|
||||
|
||||
Method[] methods = command.getClass().getMethods();
|
||||
|
||||
for (Method method : methods) {
|
||||
if (method.isAnnotationPresent(Command.class)) {
|
||||
try {
|
||||
method.setAccessible(true);
|
||||
} catch (SecurityException e) {
|
||||
Debugger.log("Failed to access method " + method.getName() + ".");
|
||||
continue;
|
||||
}
|
||||
|
||||
Command cmd = method.getAnnotation(Command.class);
|
||||
|
||||
String perm = "";
|
||||
if (method.isAnnotationPresent(Require.class)) {
|
||||
Require require = method.getAnnotation(Require.class);
|
||||
perm = require.value();
|
||||
}
|
||||
|
||||
String autofillName = cmd.autofill();
|
||||
Method autofiller = null;
|
||||
|
||||
if (!autofillName.isEmpty()) {
|
||||
for (Method m : methods) {
|
||||
if (m.getName().equals(autofillName)) {
|
||||
autofiller = m;
|
||||
}
|
||||
}
|
||||
}
|
||||
|
||||
String methodName = cmd.name();
|
||||
CommandMethod commandMethod = new CommandMethod(methodName, Sets.newHashSet(cmd.aliases()), cmd.desc(), perm, command, method, autofiller);
|
||||
|
||||
command.addMethod(methodName, commandMethod);
|
||||
}
|
||||
}
|
||||
|
||||
setHelp(command);
|
||||
}
|
||||
}
|
||||
|
||||
public CommandInstance getCommand(String name) {
|
||||
return commandMap.get(name);
|
||||
}
|
||||
|
||||
public void sendRootInfo(CommandInstance commandInstance, CommandSender sender) {
|
||||
sender.sendMessage(ChatUtils.LINE);
|
||||
sender.sendMessage(ChatColor.GOLD + plugin.getName() + ChatUtils.BULLET_FORMATTED + ChatColor.GRAY
|
||||
+ "[" + ChatColor.YELLOW + "/" + commandInstance.getName() + ChatColor.GRAY + "]");
|
||||
help.get(commandInstance.getName()).forEach(sender::sendMessage);
|
||||
sender.sendMessage(ChatUtils.LINE);
|
||||
}
|
||||
|
||||
private void setHelp(CommandInstance commandInstance) {
|
||||
help.put(commandInstance.getName(), getCommandInfo(commandInstance));
|
||||
}
|
||||
|
||||
private List<String> getCommandInfo(CommandInstance commandInstance) {
|
||||
List<String> output = new ArrayList<>();
|
||||
|
||||
for (CommandMethod method : commandInstance.getMethods().values()) {
|
||||
if (!method.getMethod().getAnnotation(Command.class).visible() || method.getName().isEmpty()) {
|
||||
continue;
|
||||
}
|
||||
|
||||
output.add(ChatUtils.BULLET_FORMATTED + ChatColor.YELLOW + "/" + commandInstance.getName() + " " + method.getName()
|
||||
+ ChatUtils.BULLET_FORMATTED + method.getDescription());
|
||||
}
|
||||
|
||||
return output.stream().sorted().collect(Collectors.toList());
|
||||
}
|
||||
}
|
||||
@@ -0,0 +1,253 @@
|
||||
package net.nuggetmc.tplus.command;
|
||||
|
||||
import net.md_5.bungee.api.ChatColor;
|
||||
import net.nuggetmc.tplus.command.annotation.Arg;
|
||||
import net.nuggetmc.tplus.command.annotation.OptArg;
|
||||
import net.nuggetmc.tplus.command.annotation.TextArg;
|
||||
import net.nuggetmc.tplus.command.exception.ArgCountException;
|
||||
import net.nuggetmc.tplus.command.exception.ArgParseException;
|
||||
import net.nuggetmc.tplus.command.exception.NonPlayerException;
|
||||
import net.nuggetmc.tplus.utils.ChatUtils;
|
||||
import org.apache.commons.lang.StringUtils;
|
||||
import org.bukkit.command.CommandSender;
|
||||
import org.bukkit.command.defaults.BukkitCommand;
|
||||
import org.bukkit.entity.Player;
|
||||
|
||||
import javax.annotation.Nonnull;
|
||||
import javax.annotation.Nullable;
|
||||
import java.lang.reflect.InvocationTargetException;
|
||||
import java.lang.reflect.Method;
|
||||
import java.lang.reflect.Parameter;
|
||||
import java.util.*;
|
||||
import java.util.stream.Collectors;
|
||||
|
||||
public abstract class CommandInstance extends BukkitCommand {
|
||||
|
||||
protected final CommandHandler commandHandler;
|
||||
|
||||
private final Map<String, CommandMethod> methods;
|
||||
|
||||
private static final String MANAGE_PERMISSION = "terminatorplus.manage";
|
||||
|
||||
public CommandInstance(CommandHandler handler, String name, String description, @Nullable String... aliases) {
|
||||
super(name, description, "", aliases == null ? new ArrayList<>() : Arrays.asList(aliases));
|
||||
|
||||
this.commandHandler = handler;
|
||||
this.methods = new HashMap<>();
|
||||
}
|
||||
|
||||
public Map<String, CommandMethod> getMethods() {
|
||||
return methods;
|
||||
}
|
||||
|
||||
protected void addMethod(String name, CommandMethod method) {
|
||||
methods.put(name, method);
|
||||
}
|
||||
|
||||
@Override
|
||||
public boolean execute(@Nonnull CommandSender sender, @Nonnull String label, @Nonnull String[] args) {
|
||||
if (!sender.hasPermission(MANAGE_PERMISSION)) {
|
||||
return false;
|
||||
}
|
||||
|
||||
CommandMethod method;
|
||||
|
||||
if (args.length == 0) {
|
||||
method = methods.get("");
|
||||
} else if (methods.containsKey(args[0])) {
|
||||
method = methods.get(args[0]);
|
||||
} else {
|
||||
method = methods.get("");
|
||||
}
|
||||
|
||||
if (method == null) {
|
||||
sender.sendMessage(ChatColor.RED + "There is no root command present for the " + ChatColor.YELLOW + getName() + ChatColor.RED + " command.");
|
||||
return true;
|
||||
}
|
||||
|
||||
List<String> arguments = new ArrayList<>(Arrays.asList(args));
|
||||
|
||||
if (arguments.size() > 0) {
|
||||
arguments.remove(0);
|
||||
}
|
||||
|
||||
List<Object> parsedArguments = new ArrayList<>();
|
||||
|
||||
int index = 0;
|
||||
|
||||
try {
|
||||
for (Parameter parameter : method.getMethod().getParameters()) {
|
||||
Class<?> type = parameter.getType();
|
||||
|
||||
boolean required = !parameter.isAnnotationPresent(OptArg.class);
|
||||
|
||||
if (type == CommandSender.class) {
|
||||
parsedArguments.add(sender);
|
||||
} else if (type == Player.class) {
|
||||
if (!(sender instanceof Player)) {
|
||||
throw new NonPlayerException();
|
||||
}
|
||||
|
||||
parsedArguments.add(sender);
|
||||
} else if (type == List.class) {
|
||||
parsedArguments.add(arguments);
|
||||
}
|
||||
|
||||
else {
|
||||
if (parameter.isAnnotationPresent(TextArg.class)) {
|
||||
if (index >= arguments.size()) {
|
||||
parsedArguments.add("");
|
||||
} else {
|
||||
parsedArguments.add(StringUtils.join(arguments.subList(index, arguments.size()), " "));
|
||||
}
|
||||
|
||||
continue;
|
||||
}
|
||||
|
||||
if (index >= arguments.size() && required) {
|
||||
throw new ArgCountException();
|
||||
}
|
||||
|
||||
String arg;
|
||||
|
||||
if (index >= arguments.size()) {
|
||||
arg = null;
|
||||
} else {
|
||||
arg = arguments.get(index);
|
||||
}
|
||||
|
||||
index++;
|
||||
|
||||
if (type == String.class) {
|
||||
parsedArguments.add(arg);
|
||||
} else if (type == int.class) {
|
||||
if (arg == null) {
|
||||
parsedArguments.add(0);
|
||||
continue;
|
||||
}
|
||||
|
||||
try {
|
||||
parsedArguments.add(Integer.parseInt(arg));
|
||||
} catch (NumberFormatException e) {
|
||||
throw new ArgParseException(parameter);
|
||||
}
|
||||
} else if (type == double.class) {
|
||||
if (arg == null) {
|
||||
parsedArguments.add(0);
|
||||
continue;
|
||||
}
|
||||
|
||||
try {
|
||||
parsedArguments.add(Double.parseDouble(arg));
|
||||
} catch (NumberFormatException e) {
|
||||
throw new ArgParseException(parameter);
|
||||
}
|
||||
} else if (type == float.class) {
|
||||
if (arg == null) {
|
||||
parsedArguments.add(0);
|
||||
continue;
|
||||
}
|
||||
|
||||
try {
|
||||
parsedArguments.add(Float.parseFloat(arg));
|
||||
} catch (NumberFormatException e) {
|
||||
throw new ArgParseException(parameter);
|
||||
}
|
||||
} else if (type == boolean.class) {
|
||||
if (arg == null) {
|
||||
parsedArguments.add(false);
|
||||
continue;
|
||||
}
|
||||
|
||||
if (arg.equalsIgnoreCase("true") || arg.equalsIgnoreCase("false")) {
|
||||
parsedArguments.add(Boolean.parseBoolean(arg));
|
||||
} else {
|
||||
throw new ArgParseException(parameter);
|
||||
}
|
||||
} else {
|
||||
parsedArguments.add(arg);
|
||||
}
|
||||
}
|
||||
}
|
||||
}
|
||||
|
||||
catch (NonPlayerException e) {
|
||||
sender.sendMessage("This is a player-only command.");
|
||||
return true;
|
||||
}
|
||||
|
||||
catch (ArgParseException e) {
|
||||
Parameter parameter = e.getParameter();
|
||||
String name = getArgumentName(parameter);
|
||||
sender.sendMessage("The parameter " + ChatColor.YELLOW + name + ChatColor.RESET + " must be of type " + ChatColor.YELLOW + parameter.getType().toString() + ChatColor.RESET + ".");
|
||||
return true;
|
||||
}
|
||||
|
||||
catch (ArgCountException e) {
|
||||
List<String> usageArgs = new ArrayList<>();
|
||||
|
||||
Arrays.stream(method.getMethod().getParameters()).forEach(parameter -> {
|
||||
Class<?> type = parameter.getType();
|
||||
|
||||
if (type != CommandSender.class && type != Player.class){
|
||||
usageArgs.add(getArgumentName(parameter));
|
||||
}
|
||||
});
|
||||
|
||||
sender.sendMessage("Command Usage: " + org.bukkit.ChatColor.YELLOW + "/" + getName() + (method.getName().isEmpty() ? "" : " " + method.getName())
|
||||
+ " " + StringUtils.join(usageArgs, " "));
|
||||
return true;
|
||||
}
|
||||
|
||||
try {
|
||||
method.getMethod().invoke(method.getHandler(), parsedArguments.toArray());
|
||||
} catch (InvocationTargetException | IllegalAccessException e) {
|
||||
sender.sendMessage(ChatColor.RED + "Failed to perform command.");
|
||||
e.printStackTrace();
|
||||
}
|
||||
|
||||
return true;
|
||||
}
|
||||
|
||||
public static String getArgumentName(Parameter parameter) {
|
||||
if (parameter.isAnnotationPresent(OptArg.class)) {
|
||||
OptArg arg = parameter.getAnnotation(OptArg.class);
|
||||
|
||||
if (!arg.value().isEmpty()) {
|
||||
return "[" + ChatUtils.camelToDashed(arg.value()) + "]";
|
||||
}
|
||||
} else if (parameter.isAnnotationPresent(Arg.class)) {
|
||||
Arg arg = parameter.getAnnotation(Arg.class);
|
||||
|
||||
if (!arg.value().isEmpty()) {
|
||||
return "<" + ChatUtils.camelToDashed(arg.value()) + ">";
|
||||
}
|
||||
}
|
||||
|
||||
return "<" + ChatUtils.camelToDashed(parameter.getName()) + ">";
|
||||
}
|
||||
|
||||
@Override
|
||||
@Nonnull
|
||||
@SuppressWarnings("unchecked")
|
||||
public List<String> tabComplete(@Nonnull CommandSender sender, @Nonnull String label, @Nonnull String[] args) {
|
||||
if (args.length == 1) {
|
||||
return methods.keySet().stream().filter(c -> !c.isEmpty()).collect(Collectors.toList());
|
||||
}
|
||||
|
||||
if (args.length > 1) {
|
||||
CommandMethod commandMethod = methods.get(args[0]);
|
||||
Method autofiller = commandMethod.getAutofiller();
|
||||
|
||||
if (autofiller != null) {
|
||||
try {
|
||||
return (List<String>) autofiller.invoke(commandMethod.getHandler(), sender, args);
|
||||
} catch (InvocationTargetException | IllegalAccessException e) {
|
||||
e.printStackTrace();
|
||||
}
|
||||
}
|
||||
}
|
||||
|
||||
return new ArrayList<>();
|
||||
}
|
||||
}
|
||||
@@ -0,0 +1,60 @@
|
||||
package net.nuggetmc.tplus.command;
|
||||
|
||||
import java.lang.reflect.Method;
|
||||
import java.util.Set;
|
||||
|
||||
public class CommandMethod {
|
||||
|
||||
private final String name;
|
||||
private final Set<String> aliases;
|
||||
private final String description;
|
||||
private final String permission;
|
||||
|
||||
private final CommandInstance handler;
|
||||
|
||||
private final Method method;
|
||||
private final Method autofiller;
|
||||
|
||||
public CommandMethod(String name, Set<String> aliases, String description, String permission, CommandInstance handler, Method method, Method autofiller) {
|
||||
this.name = name;
|
||||
this.aliases = aliases;
|
||||
this.description = description;
|
||||
this.permission = permission;
|
||||
this.handler = handler;
|
||||
this.method = method;
|
||||
this.autofiller = autofiller;
|
||||
}
|
||||
|
||||
public String getName() {
|
||||
return name;
|
||||
}
|
||||
|
||||
public Set<String> getAliases() {
|
||||
return aliases;
|
||||
}
|
||||
|
||||
public String getDescription() {
|
||||
return description;
|
||||
}
|
||||
|
||||
public String getPermission() {
|
||||
return permission;
|
||||
}
|
||||
|
||||
public CommandInstance getHandler() {
|
||||
return handler;
|
||||
}
|
||||
|
||||
public Method getMethod() {
|
||||
return method;
|
||||
}
|
||||
|
||||
public Method getAutofiller() {
|
||||
return autofiller;
|
||||
}
|
||||
|
||||
@Override
|
||||
public String toString() {
|
||||
return getClass().getSimpleName() + "{name=\"" + name + "\",aliases=" + aliases + ",description=\"" + description + "\",permission=\"" + permission + "\",method=" + method + ",autofiller=" + autofiller + "}";
|
||||
}
|
||||
}
|
||||
@@ -0,0 +1,12 @@
|
||||
package net.nuggetmc.tplus.command.annotation;
|
||||
|
||||
import java.lang.annotation.ElementType;
|
||||
import java.lang.annotation.Retention;
|
||||
import java.lang.annotation.RetentionPolicy;
|
||||
import java.lang.annotation.Target;
|
||||
|
||||
@Target({ElementType.PARAMETER})
|
||||
@Retention(RetentionPolicy.RUNTIME)
|
||||
public @interface Arg {
|
||||
String value() default "";
|
||||
}
|
||||
@@ -0,0 +1,4 @@
|
||||
package net.nuggetmc.tplus.command.annotation;
|
||||
|
||||
public @interface Autofill {
|
||||
}
|
||||
@@ -0,0 +1,20 @@
|
||||
package net.nuggetmc.tplus.command.annotation;
|
||||
|
||||
import java.lang.annotation.ElementType;
|
||||
import java.lang.annotation.Retention;
|
||||
import java.lang.annotation.RetentionPolicy;
|
||||
import java.lang.annotation.Target;
|
||||
|
||||
@Retention(RetentionPolicy.RUNTIME)
|
||||
@Target({ElementType.METHOD})
|
||||
public @interface Command {
|
||||
String name() default "";
|
||||
|
||||
String[] aliases() default {};
|
||||
|
||||
String desc() default "Blank description.";
|
||||
|
||||
String autofill() default "";
|
||||
|
||||
boolean visible() default true;
|
||||
}
|
||||
@@ -0,0 +1,12 @@
|
||||
package net.nuggetmc.tplus.command.annotation;
|
||||
|
||||
import java.lang.annotation.ElementType;
|
||||
import java.lang.annotation.Retention;
|
||||
import java.lang.annotation.RetentionPolicy;
|
||||
import java.lang.annotation.Target;
|
||||
|
||||
@Target({ElementType.PARAMETER})
|
||||
@Retention(RetentionPolicy.RUNTIME)
|
||||
public @interface OptArg {
|
||||
String value() default "";
|
||||
}
|
||||
@@ -0,0 +1,12 @@
|
||||
package net.nuggetmc.tplus.command.annotation;
|
||||
|
||||
import java.lang.annotation.ElementType;
|
||||
import java.lang.annotation.Retention;
|
||||
import java.lang.annotation.RetentionPolicy;
|
||||
import java.lang.annotation.Target;
|
||||
|
||||
@Retention(RetentionPolicy.RUNTIME)
|
||||
@Target({ElementType.METHOD})
|
||||
public @interface Require {
|
||||
String value();
|
||||
}
|
||||
@@ -0,0 +1,12 @@
|
||||
package net.nuggetmc.tplus.command.annotation;
|
||||
|
||||
import java.lang.annotation.ElementType;
|
||||
import java.lang.annotation.Retention;
|
||||
import java.lang.annotation.RetentionPolicy;
|
||||
import java.lang.annotation.Target;
|
||||
|
||||
@Retention(RetentionPolicy.RUNTIME)
|
||||
@Target({ElementType.PARAMETER})
|
||||
public @interface TextArg {
|
||||
String value() default "";
|
||||
}
|
||||
@@ -0,0 +1,162 @@
|
||||
package net.nuggetmc.tplus.command.commands;
|
||||
|
||||
import net.nuggetmc.tplus.TerminatorPlus;
|
||||
import net.nuggetmc.tplus.bot.Bot;
|
||||
import net.nuggetmc.tplus.bot.BotManager;
|
||||
import net.nuggetmc.tplus.bot.agent.legacyagent.ai.IntelligenceAgent;
|
||||
import net.nuggetmc.tplus.api.agent.legacyagent.ai.NeuralNetwork;
|
||||
import net.nuggetmc.tplus.command.CommandHandler;
|
||||
import net.nuggetmc.tplus.command.CommandInstance;
|
||||
import net.nuggetmc.tplus.command.annotation.Arg;
|
||||
import net.nuggetmc.tplus.command.annotation.Autofill;
|
||||
import net.nuggetmc.tplus.command.annotation.Command;
|
||||
import net.nuggetmc.tplus.command.annotation.OptArg;
|
||||
import net.nuggetmc.tplus.utils.ChatUtils;
|
||||
import net.nuggetmc.tplus.utils.MathUtils;
|
||||
import org.bukkit.Bukkit;
|
||||
import org.bukkit.ChatColor;
|
||||
import org.bukkit.command.CommandSender;
|
||||
import org.bukkit.entity.Player;
|
||||
import org.bukkit.scheduler.BukkitScheduler;
|
||||
|
||||
import java.util.ArrayList;
|
||||
import java.util.List;
|
||||
|
||||
public class AICommand extends CommandInstance {
|
||||
|
||||
/*
|
||||
* ideas
|
||||
* ability to export neural network data to a text file, and also load from them
|
||||
* maybe also have a custom extension like .tplus and encrypt it in base64
|
||||
*/
|
||||
|
||||
private final TerminatorPlus plugin;
|
||||
private final BotManager manager;
|
||||
private final BukkitScheduler scheduler;
|
||||
|
||||
private IntelligenceAgent agent;
|
||||
|
||||
public AICommand(CommandHandler handler, String name, String description, String... aliases) {
|
||||
super(handler, name, description, aliases);
|
||||
|
||||
this.plugin = TerminatorPlus.getInstance();
|
||||
this.manager = plugin.getManager();
|
||||
this.scheduler = Bukkit.getScheduler();
|
||||
}
|
||||
|
||||
@Command
|
||||
public void root(CommandSender sender, List<String> args) {
|
||||
commandHandler.sendRootInfo(this, sender);
|
||||
}
|
||||
|
||||
@Command(
|
||||
name = "random",
|
||||
desc = "Create bots with random neural networks, collecting feed data."
|
||||
)
|
||||
public void random(Player sender, @Arg("amount") int amount, @Arg("name") String name, @OptArg("skin") String skin) {
|
||||
manager.createBots(sender, name, skin, amount, NeuralNetwork.RANDOM);
|
||||
}
|
||||
|
||||
@Command(
|
||||
name = "reinforcement",
|
||||
desc = "Begin an AI training session."
|
||||
)
|
||||
public void reinforcement(Player sender, @Arg("population-size") int populationSize, @Arg("name") String name, @OptArg("skin") String skin) {
|
||||
if (agent != null) {
|
||||
sender.sendMessage("A session is already active.");
|
||||
return;
|
||||
}
|
||||
|
||||
sender.sendMessage("Starting a new session...");
|
||||
|
||||
agent = new IntelligenceAgent(this, populationSize, name, skin);
|
||||
agent.addUser(sender);
|
||||
}
|
||||
|
||||
public IntelligenceAgent getSession() {
|
||||
return agent;
|
||||
}
|
||||
|
||||
@Command(
|
||||
name = "stop",
|
||||
desc = "End a currently running AI training session."
|
||||
)
|
||||
public void stop(CommandSender sender) {
|
||||
if (agent == null) {
|
||||
sender.sendMessage("No session is currently active.");
|
||||
return;
|
||||
}
|
||||
|
||||
sender.sendMessage("Stopping the current session...");
|
||||
String name = agent.getName();
|
||||
clearSession();
|
||||
|
||||
scheduler.runTaskLater(plugin, () -> sender.sendMessage("The session " + ChatColor.YELLOW + name + ChatColor.RESET + " has been closed."), 10);
|
||||
}
|
||||
|
||||
public void clearSession() {
|
||||
if (agent != null) {
|
||||
agent.stop();
|
||||
agent = null;
|
||||
}
|
||||
}
|
||||
|
||||
public boolean hasActiveSession() {
|
||||
return agent != null;
|
||||
}
|
||||
|
||||
@Command(
|
||||
name = "info",
|
||||
desc = "Display neural network information about a bot.",
|
||||
autofill = "infoAutofill"
|
||||
)
|
||||
public void info(CommandSender sender, @Arg("bot-name") String name) {
|
||||
sender.sendMessage("Processing request...");
|
||||
|
||||
scheduler.runTaskAsynchronously(plugin, () -> {
|
||||
try {
|
||||
Bot bot = manager.getFirst(name);
|
||||
|
||||
if (bot == null) {
|
||||
sender.sendMessage("Could not find bot " + ChatColor.GREEN + name + ChatColor.RESET + "!");
|
||||
return;
|
||||
}
|
||||
|
||||
if (!bot.hasNeuralNetwork()) {
|
||||
sender.sendMessage("The bot " + ChatColor.GREEN + name + ChatColor.RESET + " does not have a neural network!");
|
||||
return;
|
||||
}
|
||||
|
||||
NeuralNetwork network = bot.getNeuralNetwork();
|
||||
List<String> strings = new ArrayList<>();
|
||||
|
||||
network.nodes().forEach((nodeType, node) -> {
|
||||
strings.add("");
|
||||
strings.add(ChatColor.YELLOW + "\"" + nodeType.name().toLowerCase() + "\"" + ChatColor.RESET + ":");
|
||||
List<String> values = new ArrayList<>();
|
||||
node.getValues().forEach((dataType, value) -> values.add(ChatUtils.BULLET_FORMATTED + "node"
|
||||
+ dataType.getShorthand().toUpperCase() + ": " + ChatColor.RED + MathUtils.round2Dec(value)));
|
||||
strings.addAll(values);
|
||||
});
|
||||
|
||||
sender.sendMessage(ChatUtils.LINE);
|
||||
sender.sendMessage(ChatColor.DARK_GREEN + "NeuralNetwork" + ChatUtils.BULLET_FORMATTED + ChatColor.GRAY + "[" + ChatColor.GREEN + name + ChatColor.GRAY + "]");
|
||||
strings.forEach(sender::sendMessage);
|
||||
sender.sendMessage(ChatUtils.LINE);
|
||||
}
|
||||
|
||||
catch (Exception e) {
|
||||
sender.sendMessage(ChatUtils.EXCEPTION_MESSAGE);
|
||||
}
|
||||
});
|
||||
}
|
||||
|
||||
@Autofill
|
||||
public List<String> infoAutofill(CommandSender sender, String[] args) {
|
||||
if (args.length == 2) {
|
||||
return manager.fetchNames();
|
||||
} else {
|
||||
return null;
|
||||
}
|
||||
}
|
||||
}
|
||||
@@ -0,0 +1,329 @@
|
||||
package net.nuggetmc.tplus.command.commands;
|
||||
|
||||
import net.minecraft.world.entity.EquipmentSlot;
|
||||
import net.nuggetmc.tplus.TerminatorPlus;
|
||||
import net.nuggetmc.tplus.bot.Bot;
|
||||
import net.nuggetmc.tplus.bot.BotManager;
|
||||
import net.nuggetmc.tplus.bot.agent.legacyagent.EnumTargetGoal;
|
||||
import net.nuggetmc.tplus.bot.agent.legacyagent.LegacyAgent;
|
||||
import net.nuggetmc.tplus.command.CommandHandler;
|
||||
import net.nuggetmc.tplus.command.CommandInstance;
|
||||
import net.nuggetmc.tplus.command.annotation.Arg;
|
||||
import net.nuggetmc.tplus.command.annotation.Autofill;
|
||||
import net.nuggetmc.tplus.command.annotation.Command;
|
||||
import net.nuggetmc.tplus.command.annotation.OptArg;
|
||||
import net.nuggetmc.tplus.utils.ChatUtils;
|
||||
import net.nuggetmc.tplus.utils.Debugger;
|
||||
import org.bukkit.Bukkit;
|
||||
import org.bukkit.ChatColor;
|
||||
import org.bukkit.Location;
|
||||
import org.bukkit.Material;
|
||||
import org.bukkit.command.CommandSender;
|
||||
import org.bukkit.entity.Player;
|
||||
import org.bukkit.inventory.ItemStack;
|
||||
import org.bukkit.scheduler.BukkitScheduler;
|
||||
import org.bukkit.util.Vector;
|
||||
|
||||
import java.text.DecimalFormat;
|
||||
import java.util.*;
|
||||
|
||||
public class BotCommand extends CommandInstance {
|
||||
|
||||
private final TerminatorPlus plugin;
|
||||
private final CommandHandler handler;
|
||||
private final BotManager manager;
|
||||
private final LegacyAgent agent;
|
||||
private final BukkitScheduler scheduler;
|
||||
private final DecimalFormat formatter;
|
||||
|
||||
private AICommand aiManager;
|
||||
|
||||
public BotCommand(CommandHandler handler, String name, String description, String... aliases) {
|
||||
super(handler, name, description, aliases);
|
||||
|
||||
this.handler = commandHandler;
|
||||
this.plugin = TerminatorPlus.getInstance();
|
||||
this.manager = plugin.getManager();
|
||||
this.agent = (LegacyAgent) manager.getAgent();
|
||||
this.scheduler = Bukkit.getScheduler();
|
||||
this.formatter = new DecimalFormat("0.##");
|
||||
this.armorTiers = new HashMap<>();
|
||||
|
||||
this.armorTierSetup();
|
||||
}
|
||||
|
||||
@Command
|
||||
public void root(CommandSender sender) {
|
||||
commandHandler.sendRootInfo(this, sender);
|
||||
}
|
||||
|
||||
@Command(
|
||||
name = "create",
|
||||
desc = "Create a bot."
|
||||
)
|
||||
public void create(Player sender, @Arg("name") String name, @OptArg("skin") String skin) {
|
||||
manager.createBots(sender, name, skin, 1);
|
||||
}
|
||||
|
||||
@Command(
|
||||
name = "multi",
|
||||
desc = "Create multiple bots at once."
|
||||
)
|
||||
public void multi(Player sender, @Arg("amount") int amount, @Arg("name") String name, @OptArg("skin") String skin) {
|
||||
manager.createBots(sender, name, skin, amount);
|
||||
}
|
||||
|
||||
@Command(
|
||||
name = "give",
|
||||
desc = "Gives a specified item to all bots."
|
||||
)
|
||||
public void give(CommandSender sender, @Arg("item-name") String itemName) {
|
||||
Material type = Material.matchMaterial(itemName);
|
||||
|
||||
if (type == null) {
|
||||
sender.sendMessage("The item " + ChatColor.YELLOW + itemName + ChatColor.RESET + " is not valid!");
|
||||
return;
|
||||
}
|
||||
|
||||
ItemStack item = new ItemStack(type);
|
||||
|
||||
manager.fetch().forEach(bot -> bot.setDefaultItem(item));
|
||||
|
||||
sender.sendMessage("Successfully set the default item to " + ChatColor.YELLOW + item.getType() + ChatColor.RESET + " for all current bots.");
|
||||
}
|
||||
|
||||
private final Map<String, ItemStack[]> armorTiers;
|
||||
|
||||
private void armorTierSetup() {
|
||||
armorTiers.put("leather", new ItemStack[] {
|
||||
new ItemStack(Material.LEATHER_BOOTS),
|
||||
new ItemStack(Material.LEATHER_LEGGINGS),
|
||||
new ItemStack(Material.LEATHER_CHESTPLATE),
|
||||
new ItemStack(Material.LEATHER_HELMET),
|
||||
});
|
||||
|
||||
armorTiers.put("chain", new ItemStack[] {
|
||||
new ItemStack(Material.CHAINMAIL_BOOTS),
|
||||
new ItemStack(Material.CHAINMAIL_LEGGINGS),
|
||||
new ItemStack(Material.CHAINMAIL_CHESTPLATE),
|
||||
new ItemStack(Material.CHAINMAIL_HELMET),
|
||||
});
|
||||
|
||||
armorTiers.put("gold", new ItemStack[] {
|
||||
new ItemStack(Material.GOLDEN_BOOTS),
|
||||
new ItemStack(Material.GOLDEN_LEGGINGS),
|
||||
new ItemStack(Material.GOLDEN_CHESTPLATE),
|
||||
new ItemStack(Material.GOLDEN_HELMET),
|
||||
});
|
||||
|
||||
armorTiers.put("iron", new ItemStack[] {
|
||||
new ItemStack(Material.IRON_BOOTS),
|
||||
new ItemStack(Material.IRON_LEGGINGS),
|
||||
new ItemStack(Material.IRON_CHESTPLATE),
|
||||
new ItemStack(Material.IRON_HELMET),
|
||||
});
|
||||
|
||||
armorTiers.put("diamond", new ItemStack[] {
|
||||
new ItemStack(Material.DIAMOND_BOOTS),
|
||||
new ItemStack(Material.DIAMOND_LEGGINGS),
|
||||
new ItemStack(Material.DIAMOND_CHESTPLATE),
|
||||
new ItemStack(Material.DIAMOND_HELMET),
|
||||
});
|
||||
|
||||
armorTiers.put("netherite", new ItemStack[] {
|
||||
new ItemStack(Material.NETHERITE_BOOTS),
|
||||
new ItemStack(Material.NETHERITE_LEGGINGS),
|
||||
new ItemStack(Material.NETHERITE_CHESTPLATE),
|
||||
new ItemStack(Material.NETHERITE_HELMET),
|
||||
});
|
||||
}
|
||||
|
||||
@Command(
|
||||
name = "armor",
|
||||
desc = "Gives all bots an armor set.",
|
||||
autofill = "armorAutofill"
|
||||
)
|
||||
@SuppressWarnings("deprecation")
|
||||
public void armor(CommandSender sender, @Arg("armor-tier") String armorTier) {
|
||||
String tier = armorTier.toLowerCase();
|
||||
|
||||
if (!armorTiers.containsKey(tier)) {
|
||||
sender.sendMessage(ChatColor.YELLOW + tier + ChatColor.RESET + " is not a valid tier!");
|
||||
sender.sendMessage("Available tiers: " + ChatColor.YELLOW + String.join(ChatColor.RESET + ", " + ChatColor.YELLOW, armorTiers.keySet()));
|
||||
return;
|
||||
}
|
||||
|
||||
ItemStack[] armor = armorTiers.get(tier);
|
||||
|
||||
manager.fetch().forEach(bot -> {
|
||||
bot.getBukkitEntity().getInventory().setArmorContents(armor);
|
||||
bot.getBukkitEntity().updateInventory();
|
||||
|
||||
// packet sending to ensure
|
||||
bot.setItem(armor[0], EquipmentSlot.FEET);
|
||||
bot.setItem(armor[1], EquipmentSlot.LEGS);
|
||||
bot.setItem(armor[2], EquipmentSlot.CHEST);
|
||||
bot.setItem(armor[3], EquipmentSlot.HEAD);
|
||||
});
|
||||
|
||||
sender.sendMessage("Successfully set the armor tier to " + ChatColor.YELLOW + tier + ChatColor.RESET + " for all current bots.");
|
||||
}
|
||||
|
||||
@Autofill
|
||||
public List<String> armorAutofill(CommandSender sender, String[] args) {
|
||||
return args.length == 2 ? new ArrayList<>(armorTiers.keySet()) : null;
|
||||
}
|
||||
|
||||
@Command(
|
||||
name = "info",
|
||||
desc = "Information about loaded bots.",
|
||||
autofill = "infoAutofill"
|
||||
)
|
||||
public void info(CommandSender sender, @Arg("bot-name") String name) {
|
||||
if (name == null) {
|
||||
sender.sendMessage(ChatColor.YELLOW + "Bot GUI coming soon!");
|
||||
return;
|
||||
}
|
||||
|
||||
sender.sendMessage("Processing request...");
|
||||
|
||||
scheduler.runTaskAsynchronously(plugin, () -> {
|
||||
try {
|
||||
Bot bot = manager.getFirst(name);
|
||||
|
||||
if (bot == null) {
|
||||
sender.sendMessage("Could not find bot " + ChatColor.GREEN + name + ChatColor.RESET + "!");
|
||||
return;
|
||||
}
|
||||
|
||||
/*
|
||||
* time created
|
||||
* current life (how long it has lived for)
|
||||
* health
|
||||
* inventory
|
||||
* current target
|
||||
* current kills
|
||||
* skin
|
||||
* neural network values (network name if loaded, otherwise RANDOM)
|
||||
*/
|
||||
|
||||
String botName = bot.getName().getString();
|
||||
String world = ChatColor.YELLOW + bot.getBukkitEntity().getWorld().getName();
|
||||
Location loc = bot.getLocation();
|
||||
String strLoc = ChatColor.YELLOW + formatter.format(loc.getBlockX()) + ", " + formatter.format(loc.getBlockY()) + ", " + formatter.format(loc.getBlockZ());
|
||||
Vector vel = bot.getVelocity();
|
||||
String strVel = ChatColor.AQUA + formatter.format(vel.getX()) + ", " + formatter.format(vel.getY()) + ", " + formatter.format(vel.getZ());
|
||||
|
||||
sender.sendMessage(ChatUtils.LINE);
|
||||
sender.sendMessage(ChatColor.GREEN + botName);
|
||||
sender.sendMessage(ChatUtils.BULLET_FORMATTED + "World: " + world);
|
||||
sender.sendMessage(ChatUtils.BULLET_FORMATTED + "Position: " + strLoc);
|
||||
sender.sendMessage(ChatUtils.BULLET_FORMATTED + "Velocity: " + strVel);
|
||||
sender.sendMessage(ChatUtils.LINE);
|
||||
}
|
||||
|
||||
catch (Exception e) {
|
||||
sender.sendMessage(ChatUtils.EXCEPTION_MESSAGE);
|
||||
}
|
||||
});
|
||||
}
|
||||
|
||||
@Autofill
|
||||
public List<String> infoAutofill(CommandSender sender, String[] args) {
|
||||
return args.length == 2 ? manager.fetchNames() : null;
|
||||
}
|
||||
|
||||
@Command(
|
||||
name = "reset",
|
||||
desc = "Remove all loaded bots."
|
||||
)
|
||||
public void reset(CommandSender sender) {
|
||||
sender.sendMessage("Removing every bot...");
|
||||
int size = manager.fetch().size();
|
||||
manager.reset();
|
||||
sender.sendMessage("Removed " + ChatColor.RED + ChatUtils.NUMBER_FORMAT.format(size) + ChatColor.RESET + " entit" + (size == 1 ? "y" : "ies") + ".");
|
||||
|
||||
if (aiManager == null) {
|
||||
this.aiManager = (AICommand) handler.getCommand("ai");
|
||||
}
|
||||
|
||||
if (aiManager != null && aiManager.hasActiveSession()) {
|
||||
Bukkit.dispatchCommand(sender, "ai stop");
|
||||
}
|
||||
}
|
||||
|
||||
/*
|
||||
* EVENTUALLY, we should make a command parent hierarchy system soon too! (so we don't have to do this crap)
|
||||
* basically, in the @Command annotation, you can include a "parent" for the command, so it will be a subcommand under the specified parent
|
||||
*/
|
||||
@Command(
|
||||
name = "settings",
|
||||
desc = "Make changes to the global configuration file and bot-specific settings.",
|
||||
aliases = "options",
|
||||
autofill = "settingsAutofill"
|
||||
)
|
||||
public void settings(CommandSender sender, List<String> args) {
|
||||
String arg1 = args.isEmpty() ? null : args.get(0);
|
||||
String arg2 = args.size() < 2 ? null : args.get(1);
|
||||
|
||||
String extra = ChatColor.GRAY + " [" + ChatColor.YELLOW + "/bot settings" + ChatColor.GRAY + "]";
|
||||
|
||||
if (arg1 == null || (!arg1.equals("setgoal"))) {
|
||||
sender.sendMessage(ChatUtils.LINE);
|
||||
sender.sendMessage(ChatColor.GOLD + "Bot Settings" + extra);
|
||||
sender.sendMessage(ChatUtils.BULLET_FORMATTED + ChatColor.YELLOW + "setgoal" + ChatUtils.BULLET_FORMATTED + "Set the global bot target selection method.");
|
||||
sender.sendMessage(ChatUtils.BULLET_FORMATTED + ChatColor.YELLOW + "mobtarget" + ChatUtils.BULLET_FORMATTED + "Allow all future bots spawned to be targetted by hostile mobs.");
|
||||
sender.sendMessage(ChatUtils.LINE);
|
||||
return;
|
||||
}
|
||||
|
||||
EnumTargetGoal goal = EnumTargetGoal.from(arg2 == null ? "" : arg2);
|
||||
|
||||
if (goal == null) {
|
||||
sender.sendMessage(ChatUtils.LINE);
|
||||
sender.sendMessage(ChatColor.GOLD + "Goal Selection Types" + extra);
|
||||
Arrays.stream(EnumTargetGoal.values()).forEach(g -> sender.sendMessage(ChatUtils.BULLET_FORMATTED + ChatColor.YELLOW + g.name().replace("_", "").toLowerCase()
|
||||
+ ChatUtils.BULLET_FORMATTED + g.description()));
|
||||
sender.sendMessage(ChatUtils.LINE);
|
||||
return;
|
||||
}
|
||||
|
||||
agent.setTargetType(goal);
|
||||
|
||||
sender.sendMessage("The global bot goal has been set to " + ChatColor.BLUE + goal.name() + ChatColor.RESET + ".");
|
||||
}
|
||||
|
||||
@Autofill
|
||||
public List<String> settingsAutofill(CommandSender sender, String[] args) {
|
||||
List<String> output = new ArrayList<>();
|
||||
|
||||
// More settings:
|
||||
// setitem
|
||||
// tpall
|
||||
// tprandom
|
||||
// hidenametags or nametags <show/hide>
|
||||
// sitall
|
||||
// lookall
|
||||
|
||||
if (args.length == 2) {
|
||||
output.add("setgoal");
|
||||
}
|
||||
|
||||
else if (args.length == 3) {
|
||||
if (args[1].equalsIgnoreCase("setgoal")) {
|
||||
Arrays.stream(EnumTargetGoal.values()).forEach(goal -> output.add(goal.name().replace("_", "").toLowerCase()));
|
||||
}
|
||||
}
|
||||
|
||||
return output;
|
||||
}
|
||||
|
||||
@Command(
|
||||
name = "debug",
|
||||
desc = "Debug plugin code.",
|
||||
visible = false
|
||||
)
|
||||
public void debug(CommandSender sender, @Arg("expression") String expression) {
|
||||
new Debugger(sender).execute(expression);
|
||||
}
|
||||
}
|
||||
@@ -0,0 +1,66 @@
|
||||
package net.nuggetmc.tplus.command.commands;
|
||||
|
||||
import net.md_5.bungee.api.chat.BaseComponent;
|
||||
import net.md_5.bungee.api.chat.ClickEvent;
|
||||
import net.md_5.bungee.api.chat.ComponentBuilder;
|
||||
import net.md_5.bungee.api.chat.HoverEvent;
|
||||
import net.md_5.bungee.api.chat.hover.content.Text;
|
||||
import net.nuggetmc.tplus.TerminatorPlus;
|
||||
import net.nuggetmc.tplus.command.CommandHandler;
|
||||
import net.nuggetmc.tplus.command.CommandInstance;
|
||||
import net.nuggetmc.tplus.command.annotation.Command;
|
||||
import net.nuggetmc.tplus.utils.ChatUtils;
|
||||
import org.bukkit.ChatColor;
|
||||
import org.bukkit.command.CommandSender;
|
||||
|
||||
public class MainCommand extends CommandInstance {
|
||||
|
||||
private BaseComponent[] rootInfo;
|
||||
|
||||
public MainCommand(CommandHandler handler, String name, String description, String... aliases) {
|
||||
super(handler, name, description, aliases);
|
||||
}
|
||||
|
||||
@Command
|
||||
public void root(CommandSender sender) {
|
||||
if (rootInfo == null) {
|
||||
rootInfoSetup();
|
||||
}
|
||||
|
||||
sender.spigot().sendMessage(rootInfo);
|
||||
}
|
||||
|
||||
private void rootInfoSetup() {
|
||||
ComponentBuilder message = new ComponentBuilder();
|
||||
String pluginName = TerminatorPlus.getInstance().getName();
|
||||
|
||||
message.append(ChatUtils.LINE + "\n");
|
||||
message.append(ChatColor.GOLD + pluginName + ChatColor.GRAY + " [v" + TerminatorPlus.getVersion() + "]\n");
|
||||
message.append("\nPlugin Information:\n");
|
||||
message.append(ChatUtils.BULLET_FORMATTED + "Author" + ChatUtils.BULLET_FORMATTED + ChatColor.YELLOW + "HorseNuggets\n");
|
||||
message.append(ChatUtils.BULLET_FORMATTED + "Links" + ChatUtils.BULLET_FORMATTED);
|
||||
message.append(ChatColor.RED + "YouTube");
|
||||
message.event(new ClickEvent(ClickEvent.Action.OPEN_URL, "https://youtube.com/horsenuggets"));
|
||||
message.event(new HoverEvent(HoverEvent.Action.SHOW_TEXT, new Text("Click to visit HorseNuggets' " + ChatColor.RED + "YouTube" + ChatColor.RESET + "!")));
|
||||
message.append(", ");
|
||||
message.event((ClickEvent) null);
|
||||
message.event((HoverEvent) null);
|
||||
message.append(ChatColor.BLUE + "Discord");
|
||||
message.event(new ClickEvent(ClickEvent.Action.OPEN_URL, "https://discord.gg/horsenuggets"));
|
||||
message.event(new HoverEvent(HoverEvent.Action.SHOW_TEXT, new Text("Click to visit HorseNuggets' " + ChatColor.BLUE + "Discord" + ChatColor.RESET + "!")));
|
||||
message.append("\n");
|
||||
message.event((ClickEvent) null);
|
||||
message.event((HoverEvent) null);
|
||||
message.append("\nPlugin Commands:\n");
|
||||
|
||||
commandHandler.getCommands().forEach((name, command) -> {
|
||||
if (!name.equalsIgnoreCase(pluginName)) {
|
||||
message.append(ChatUtils.BULLET_FORMATTED + ChatColor.YELLOW + "/" + name + ChatUtils.BULLET_FORMATTED + command.getDescription() + "\n");
|
||||
}
|
||||
});
|
||||
|
||||
message.append(ChatUtils.LINE);
|
||||
|
||||
this.rootInfo = message.create();
|
||||
}
|
||||
}
|
||||
@@ -0,0 +1,4 @@
|
||||
package net.nuggetmc.tplus.command.exception;
|
||||
|
||||
public class ArgCountException extends Exception {
|
||||
}
|
||||
@@ -0,0 +1,16 @@
|
||||
package net.nuggetmc.tplus.command.exception;
|
||||
|
||||
import java.lang.reflect.Parameter;
|
||||
|
||||
public class ArgParseException extends Exception {
|
||||
|
||||
private final Parameter parameter;
|
||||
|
||||
public ArgParseException(Parameter parameter) {
|
||||
this.parameter = parameter;
|
||||
}
|
||||
|
||||
public Parameter getParameter() {
|
||||
return parameter;
|
||||
}
|
||||
}
|
||||
@@ -0,0 +1,4 @@
|
||||
package net.nuggetmc.tplus.command.exception;
|
||||
|
||||
public class NonPlayerException extends Exception {
|
||||
}
|
||||
@@ -0,0 +1,6 @@
|
||||
package net.nuggetmc.tplus.command.nms;
|
||||
|
||||
public class TPCommand {
|
||||
// this class (as well as some others like "give", "effect", etc.) will listen into the PlayerCommandPreProcessEvent
|
||||
// and will perform the actions accordingly to the bots as well as the real players
|
||||
}
|
||||
Reference in New Issue
Block a user