galactic-bot/structure/client/components/observers/CommandHandler.js

516 lines
19 KiB
JavaScript
Raw Normal View History

const { stripIndents } = require('common-tags');
2020-04-11 15:56:52 +02:00
const escapeRegex = require('escape-string-regexp');
const { Argument, Observer } = require('../../../interfaces/');
class CommandHandler extends Observer {
constructor(client) {
super(client, {
name: 'commandHandler',
priority: 5,
guarded: true
});
this.client = client;
this.hooks = [
['message', this.handleMessage.bind(this)]
];
this._startQuotes = Object.keys(Constants.QuotePairs);
this._quoteMarks = this._startQuotes + Object.values(Constants.QuotePairs)
.join('');
}
async handleMessage(message) {
if(!this.client._built
|| message.webhookID
|| message.author.bot
2020-04-19 21:53:59 +02:00
|| (message.guild && (!message.guild.available || message.guild.banned))) return undefined;
2020-04-19 21:53:59 +02:00
if (message.guild) {
if (!message.member) await message.guild.members.fetch(message.author.id);
}
const content = message.content;
const args = content.split(' ');
const { command, newArgs } = await this._getCommand(message, args);
if(!command) return undefined;
message.command = command;
return await this.handleCommand(message, newArgs);
}
async _getCommand(message, [arg1, arg2, ...args]) {
if(message.guild) await message.guild.settings();
const prefix = message.guild?.prefix || this.client._options.bot.prefix;
let command = null;
let remains = [];
if(arg1 && arg1.startsWith(prefix)) {
const commandName = arg1.slice(prefix.length);
command = await this._matchCommand(message, commandName);
remains = [arg2, ...args];
} else if(arg1 && arg2 && arg1.startsWith('<@')){
const pattern = new RegExp(`^(<@!?${this.client.user.id}>)`, 'i');
if(arg2 && pattern.test(arg1)) {
command = await this._matchCommand(message, arg2);
}
remains = args;
}
return { command, newArgs: remains };
}
async _matchCommand(message, commandName) {
const command = this.client.resolver.components(commandName, 'command', true)[0];
if(!command) return null;
message._caller = commandName; //Used for hidden commands as aliases.
//Eventually search for custom commands here.
return command;
}
/* Command Handling */
async handleCommand(message, args) {
const inhibitor = await this._handleInhibitors(message);
if(inhibitor.error) return this._handleError({ type: 'inhibitor', info: inhibitor , message });
const { parsedArguments, newArgs } = await this._parseArguments(message, args);
message.parameters = newArgs;
message.args = parsedArguments;
const resolved = await message.resolve();
if(resolved.error) {
this.client.logger.error(`Command Error | ${message.command.resolveable} | Message ID: ${message.id}\n${resolved.message}`);
return this._handleError({ type: 'command', message });
}
2020-04-14 17:05:56 +02:00
}
async _handleInhibitors(message) {
const inhibitors = this.client.registry.components.filter(c=>c.type === 'inhibitor' && !c.disabled);
if(inhibitors.size === 0) return { error: false };
const promises = [];
for(const inhibitor of inhibitors.values()) {
if(inhibitor.guild && !message.guild) continue;
promises.push((async () => {
let inhibited = inhibitor.execute(message, message.command);
if(inhibited instanceof Promise) inhibited = await inhibited;
return inhibited;
})());
}
const reasons = (await Promise.all(promises)).filter(p=>p.error);
if(reasons.length === 0) return { error: false };
reasons.sort((a, b) => b.inhibitor.priority - a.inhibitor.priority);
return reasons[0];
}
async _handleError({ type, message, info }) {
const errorMessages = {
command: (message) => {
return stripIndents`The command **${message.command.moduleResolveable}** had issues running. **\`[${message.id}]\`**
Contact **the bot owner(s)** about this issue. You can also find support here: <${this.client._options.bot.invite}>`;
},
inhibitor: (message, info) => {
return `${info.message} **\`[${info.inhibitor.resolveable}]\`**`;
},
argument: (message, { argument, missing }) => {
return stripIndents`The argument **${argument.name}:${argument.type.toLowerCase()}** is required and ${missing ? "was not provided." : "did not meet the requirements."} Expecting a \`${argument.type.toLowerCase()}\` value.`;
}
};
await message.respond(errorMessages[type](message, info), { emoji: 'failure' });
}
async _parseArguments(message, args = []) {
args = this._getWords(args.join(' ')).map(w=>w[0]);
const command = message.command;
const { shortFlags, longFlags, keys } = await this._createFlags(command.arguments);
2020-04-11 15:56:52 +02:00
const regex = new RegExp(`([0-9]*)(${Object.keys(longFlags).map(k=>escapeRegex(k)).join('|')})([0-9]*)`, 'i');
let parsedArguments = [];
2020-04-11 15:56:52 +02:00
let params = [];
let currentArgument = null;
2020-04-11 15:56:52 +02:00
for(let i=0; i<args.length; i++) {
const word = args[i];
if(!word) continue;
2020-04-11 10:10:52 +02:00
const [one,two,...chars] = word.split('');
2020-04-11 15:56:52 +02:00
if(one === '-' && two !== '-') {
2020-04-11 12:00:53 +02:00
const name = [ two, ...chars ].join('');
if(!keys.includes(name)) {
params.push(word);
continue;
}
2020-04-11 12:00:53 +02:00
currentArgument = shortFlags[name];
if(currentArgument.type === 'BOOLEAN') {
currentArgument.value = currentArgument.default;
parsedArguments.push(currentArgument);
currentArgument = null;
continue;
}
2020-04-11 15:56:52 +02:00
if(currentArgument.required && !args[i+1]) {
return this._handleError({ type: 'argument', info: { argument: currentArgument, word, missing: true }, message });
2020-04-11 12:00:53 +02:00
}
2020-04-11 15:56:52 +02:00
continue;
} else if((one === '-' && two === '-') || (one === '—')) { //Handling for "long dash" on mobile phones x_x
2020-04-11 15:56:52 +02:00
const name = one === '—'
? [ two, ...chars ].join('').toLowerCase()
: chars.join('').toLowerCase(); //can convert to lowercase now that shortFlags are out of the way.
if(!keys.includes(name)) {
params.push(word);
continue;
}
2020-04-11 10:10:52 +02:00
currentArgument = longFlags[name];
if(currentArgument.type === 'BOOLEAN') {
currentArgument.value = currentArgument.default;
parsedArguments.push(currentArgument);
currentArgument = null;
continue;
}
2020-04-11 15:56:52 +02:00
if(currentArgument.required && !args[i+1]) {
return this._handleError({ type: 'argument', info: { argument: currentArgument, word, missing: true }, message });
2020-04-11 15:56:52 +02:00
}
continue;
2020-04-11 12:00:53 +02:00
} else {
2020-04-11 10:10:52 +02:00
let match = regex.exec(word);
2020-04-11 15:56:52 +02:00
if(match && match[2]) {
currentArgument = longFlags[match[2]];
if(params.length > 0 && ['INTEGER', 'FLOAT'].includes(currentArgument.type)) { //15 pts
const lastItem = params[params.length-1];
const beforeError = await this._handleTypeParsing(currentArgument, lastItem, message.guild);
2020-04-11 15:56:52 +02:00
if(beforeError) {
continue;
} else {
params.pop();
currentArgument.value = lastItem;
parsedArguments.push(currentArgument);
currentArgument = null;
continue;
}
}
const value = match[1] || match[3];
const error = await this._handleTypeParsing(currentArgument, value, message.guild);
2020-04-11 15:56:52 +02:00
if(value) {
if(error) {
if(currentArgument.required) {
return this._handleError({ type: 'argument', info: { argument: currentArgument, word, missing: false }, message });
2020-04-11 15:56:52 +02:00
} else {
parsedArguments.push(currentArgument);
currentArgument = null;
continue;
}
} else {
2020-04-14 17:05:56 +02:00
currentArgument.value = value;
parsedArguments.push(currentArgument);
currentArgument = null;
continue;
2020-04-11 15:56:52 +02:00
}
} else {
continue;
}
} else {
if(currentArgument) {
const error = await this._handleTypeParsing(currentArgument, word, message.guild);
2020-04-11 15:56:52 +02:00
if(error) {
if(currentArgument.default !== null) {
2020-04-11 15:56:52 +02:00
params.push(word);
currentArgument.value = currentArgument.default;
parsedArguments.push(currentArgument);
currentArgument = null;
continue;
}
if(currentArgument.required) {
if(currentArgument.infinite) {
if(currentArgument.value.length === 0) {
return this._handleError({ type: 'argument', info: { argument: currentArgument, word, missing: false }, message });
2020-04-11 15:56:52 +02:00
} else {
parsedArguments.push(currentArgument);
currentArgument = null;
params.push(word);
continue;
}
} else {
return this._handleError({ type: 'argument', info: { argument: currentArgument, word, missing: false }, message });
2020-04-11 15:56:52 +02:00
}
} else {
currentArgument = null;
params.push(word);
continue;
}
} else {
if(currentArgument.infinite) continue;
parsedArguments.push(currentArgument);
currentArgument = null;
continue;
}
} else {
const lastArgument = parsedArguments[parsedArguments.length-1];
if(lastArgument && lastArgument.type === 'BOOLEAN' && lastArgument.value === lastArgument.default) {
const error = await this._handleTypeParsing(lastArgument, word, message.guild);
if(!error) continue;
}
2020-04-11 15:56:52 +02:00
params.push(word);
continue;
}
2020-04-11 12:00:53 +02:00
}
}
}
if(currentArgument) parsedArguments.push(currentArgument);
2020-04-21 19:56:31 +02:00
const blah = parsedArguments.filter(a=>a.requiredArgument && !a.value);
const missingArgument = blah[0];
if(missingArgument) return this._handleError({ type: 'argument', info: { argument: missingArgument, missing: true }, message });
//fucking kill me
const fff = {};
parsedArguments.map(a=>fff[a.name] = a);
if(command.parameterType === 'PLAIN') {
params = params.join(' ');
}
return { parsedArguments: fff, newArgs: params };
2020-04-11 15:56:52 +02:00
}
async _handleTypeParsing(argument, string, guild) {
2020-04-11 12:00:53 +02:00
const parse = async (argument, string, guild) => {
2020-04-11 12:00:53 +02:00
const { error, value } = await this.constructor.parseType(argument.type, string, this.client.resolver, guild); //Cannot access static functions through "this".
2020-04-11 15:56:52 +02:00
if(error) return { error: true };
if(['INTEGER', 'FLOAT'].includes(argument.type)) {
const { min, max } = argument;
if(value > max && max !== null) {
return { error: true };
}
if(value < min && min !== null) {
return { error: true };
}
2020-04-11 12:00:53 +02:00
}
2020-04-11 15:56:52 +02:00
if(argument.options.length > 0) {
let found = null;
for(const option of argument.options) {
if(option !== value) {
continue;
} else {
found = option;
}
}
if(!found) return { error: true };
else return { error: false, value: found };
}
2020-04-11 15:56:52 +02:00
return { error: false, value };
};
2020-04-11 12:00:53 +02:00
const { error, value } = await parse(argument, string, guild);
2020-04-11 15:56:52 +02:00
if(!error && value !== undefined) {
2020-04-11 15:56:52 +02:00
argument.infinite
? argument.value.push(value)
: argument.value = value;
}
return error;
2020-04-11 12:00:53 +02:00
}
async _createFlags(args) {
let shortFlags = {};
let longFlags = {};
let keys = [];
for(let arg of args) {
arg = new Argument(this.client, arg)
let letters = [];
let names = [ arg.name, ...arg.aliases ];
keys = [...keys, ...names];
for(const name of names) {
2020-04-11 10:10:52 +02:00
longFlags[name] = arg;
if(!arg.types.includes('FLAG')) continue;
let letter = name.slice(0, 1);
if(letters.includes(letter)) continue;
if(keys.includes(letter)) letter = letter.toUpperCase();
if(keys.includes(letter)) break;
keys.push(letter);
letters.push(letter);
2020-04-11 10:10:52 +02:00
shortFlags[letter] = arg;
}
}
return { shortFlags, longFlags, keys };
}
_getWords(string = '') {
let quoted = false,
wordStart = true,
startQuote = '',
endQuote = false,
isQuote = false,
word = '',
words = [],
chars = string.split('');
chars.forEach((char) => {
if(/\s/.test(char)) {
if(endQuote) {
quoted = false;
endQuote = false;
isQuote = true;
}
if(quoted) {
word += char;
} else if(word !== '') {
words.push([ word, isQuote ]);
isQuote = false;
startQuote = '';
word = '';
wordStart = true;
}
} else if(this._quoteMarks.includes(char)) {
if (endQuote) {
word += endQuote;
endQuote = false;
}
if(quoted) {
if(char === Constants.QuotePairs[startQuote]) {
endQuote = char;
} else {
word += char;
}
} else if(wordStart && this._startQuotes.includes(char)){
quoted = true;
startQuote = char;
} else {
word += char;
}
} else {
if(endQuote) {
word += endQuote;
endQuote = false;
}
word += char;
wordStart = false;
}
});
if (endQuote) {
words.push([ word, true ]);
} else {
word.split(/\s/).forEach((subWord, i) => {
if (i === 0) {
words.push([ startQuote+subWord, false ]);
} else {
words.push([ subWord, false ]);
}
});
}
return words;
}
static async parseType(type, str, resolver, guild) { //this is in the class for a reason, will soon reference to a user resolver etc.
2020-04-11 12:00:53 +02:00
//INTEGER AND FLOAT ARE SAME FUNCTION
const types = {
STRING: (str) => {
return { error: false, value: `${str}` };
},
INTEGER: (str) => {
const int = parseInt(str);
if(Math.round(int) !== int) return { error: true };
if(Number.isNaN(int)) return { error: true };
2020-04-11 12:00:53 +02:00
return { error: false, value: int };
},
FLOAT: (str) => {
const float = parseInt(str);
if(Number.isNaN(float)) return { error: true };
2020-04-11 12:00:53 +02:00
return { error: false, value: float };
},
BOOLEAN: (str) => {
const truthy = ['yes', 'y', 'true', 't', 'on', 'enable'];
const falsey = ['no', 'n', 'false', 'f', 'off', 'disable'];
if(typeof str === 'boolean') return { error: false, value: str };
if(typeof str === 'string') str = str.toLowerCase();
if(truthy.includes(str)) return { error: false, value: true };
if(falsey.includes(str)) return { error: false, value: false };
return { error: true };
2020-04-21 19:56:31 +02:00
},
USER: (str) => { //eslint-disable-line no-unused-vars
},
MEMBER: (str) => { //eslint-disable-line no-unused-vars
},
CHANNEL: async (str, resolver, guild) => { //eslint-disable-line no-unused-vars
const channels = await resolver.resolveChannels(str, guild, true);
if(channels.length === 0) return { error: true };
else return { error: false, value: channels[0] }
2020-04-11 12:00:53 +02:00
}
};
2020-04-11 12:00:53 +02:00
2020-04-11 15:56:52 +02:00
return await types[type](str, resolver, guild);
2020-04-11 12:00:53 +02:00
}
}
module.exports = CommandHandler;
const Constants = {
QuotePairs: {
'"': '"',
"'": "'",
'': ''
}
};