diff --git a/data/ban-words.txt b/data/ban-words.txt deleted file mode 100644 index e92b87f..0000000 --- a/data/ban-words.txt +++ /dev/null @@ -1,4 +0,0 @@ -amazingsexdating.com -viewc.site -nakedphoto.club -privatepage.vip \ No newline at end of file diff --git a/data/moderation/.gitignore b/data/moderation/.gitignore new file mode 100644 index 0000000..e977909 --- /dev/null +++ b/data/moderation/.gitignore @@ -0,0 +1 @@ +db.json \ No newline at end of file diff --git a/data/tasks/.gitignore b/data/tasks/.gitignore new file mode 100644 index 0000000..58bd488 --- /dev/null +++ b/data/tasks/.gitignore @@ -0,0 +1 @@ +db.json diff --git a/package-lock.json b/package-lock.json index a832a6d..a8a18ab 100644 --- a/package-lock.json +++ b/package-lock.json @@ -1,6 +1,6 @@ { "name": "vue-land-bot", - "version": "1.0.0", + "version": "0.1.0-beta-1", "lockfileVersion": 1, "requires": true, "dependencies": { @@ -2991,8 +2991,7 @@ "graceful-fs": { "version": "4.1.15", "resolved": "https://registry.npmjs.org/graceful-fs/-/graceful-fs-4.1.15.tgz", - "integrity": "sha512-6uHUhOPEBgQ24HM+r6b/QwWfZq+yiFcipKFrOFiBEnWdy5sdzYoi+pJeQaPI5qOLRFqWmAXUPQNsielzdLoecA==", - "dev": true + "integrity": "sha512-6uHUhOPEBgQ24HM+r6b/QwWfZq+yiFcipKFrOFiBEnWdy5sdzYoi+pJeQaPI5qOLRFqWmAXUPQNsielzdLoecA==" }, "growly": { "version": "1.3.0", @@ -4273,6 +4272,25 @@ "js-tokens": "^3.0.0 || ^4.0.0" } }, + "lowdb": { + "version": "1.0.0", + "resolved": "https://registry.npmjs.org/lowdb/-/lowdb-1.0.0.tgz", + "integrity": "sha512-2+x8esE/Wb9SQ1F9IHaYWfsC9FIecLOPrK4g17FGEayjUWH172H6nwicRovGvSE2CPZouc2MCIqCI7h9d+GftQ==", + "requires": { + "graceful-fs": "^4.1.3", + "is-promise": "^2.1.0", + "lodash": "4", + "pify": "^3.0.0", + "steno": "^0.4.1" + }, + "dependencies": { + "pify": { + "version": "3.0.0", + "resolved": "https://registry.npmjs.org/pify/-/pify-3.0.0.tgz", + "integrity": "sha1-5aSs0sEB/fPZpNB/DbxNtJ3SgXY=" + } + } + }, "make-dir": { "version": "2.1.0", "resolved": "https://registry.npmjs.org/make-dir/-/make-dir-2.1.0.tgz", @@ -5880,6 +5898,14 @@ "integrity": "sha1-NbCYdbT/SfJqd35QmzCQoyJr8ks=", "dev": true }, + "steno": { + "version": "0.4.4", + "resolved": "https://registry.npmjs.org/steno/-/steno-0.4.4.tgz", + "integrity": "sha1-BxEFvfwobmYVwEA8J+nXtdy4Vcs=", + "requires": { + "graceful-fs": "^4.1.3" + } + }, "string-length": { "version": "2.0.0", "resolved": "https://registry.npmjs.org/string-length/-/string-length-2.0.0.tgz", diff --git a/package.json b/package.json index c84ef18..f40bf8a 100644 --- a/package.json +++ b/package.json @@ -35,6 +35,7 @@ "github-api": "^3.3.0", "fuse.js": "^3.4.6", "hjson": "^3.1.2", + "lowdb": "^1.0.0", "prettier": "^1.18.2" }, "devDependencies": { diff --git a/src/client.js b/src/client.js index 84d77cc..3b72eaf 100644 --- a/src/client.js +++ b/src/client.js @@ -2,9 +2,21 @@ import { readdirSync } from 'fs' import { join } from 'path' import { Collection } from 'discord.js' import { CommandoClient } from 'discord.js-commando' +import { setDefaults } from './services/tasks' + +/* + Ensure that NODE_ENV is set to development if it is unset. +*/ +if (!process.env.NODE_ENV) { + process.env.NODE_ENV = 'development' +} const { NODE_ENV, COMMAND_PREFIX = '!' } = process.env +/* + We allow a comma-separated list of owner IDs, so check for + that and apply it back onto process.env if found. +*/ let OWNER_IDS = process.env.OWNER_IDS || '269617876036616193' // Default to @evan#9589 if (OWNER_IDS.includes(',')) { OWNER_IDS = OWNER_IDS.split(',') @@ -13,7 +25,7 @@ if (OWNER_IDS.includes(',')) { } process.env.OWNER_IDS = OWNER_IDS -const PATH_JOBS = join(__dirname, 'jobs') +const PATH_TASKS = join(__dirname, 'tasks') const PATH_TYPES = join(__dirname, 'types') const PATH_COMMANDS = join(__dirname, 'commands') @@ -23,26 +35,31 @@ const client = new CommandoClient({ }) /* - Initialise jobs. + Initialise tasks. */ -client.jobs = new Collection() +client.tasks = new Collection() -const jobFiles = readdirSync(PATH_JOBS).filter(file => file.endsWith('.js')) +const taskFiles = readdirSync(PATH_TASKS).filter(file => file.endsWith('.js')) -for (const file of jobFiles) { +for (const file of taskFiles) { try { - const { default: jobDefinition } = require(`./jobs/${file}`) + const { default: taskDefinition } = require(`./tasks/${file}`) - const jobInstance = new jobDefinition(client) + const taskInstance = new taskDefinition(client) - client.jobs.set(jobInstance.name, jobInstance) + client.tasks.set(taskInstance.name, taskInstance) } catch (e) { - console.warn('Could not load job file: ' + file) + console.warn('Could not load task file: ' + file) console.error(e) } } +/* + Write configuration file if applicable (DB doesn't yet exist). +*/ +setDefaults(client.tasks) + /* Register command groups. @@ -62,19 +79,19 @@ client.registry.registerGroups([ name: 'Moderation', }, { - id: 'jobs', - name: 'Jobs', + id: 'tasks', + name: 'Tasks', }, { id: 'rfcs', name: 'RFCs', }, - { - id: 'development', - name: 'development', - }, ]) +if (NODE_ENV === 'development') { + client.registry.registerGroup('development', 'development') +} + /* Register default command groups, commands and argument types. @@ -86,7 +103,11 @@ client.registry.registerGroups([ */ client.registry.registerDefaults() client.registry.registerTypesIn(PATH_TYPES) -client.registry.registerCommandsIn(PATH_COMMANDS) +client.registry.registerCommandsIn({ + dirname: PATH_COMMANDS, + // NOTE: Exclude any commands in the development group, when in production. + excludeDirs: NODE_ENV === 'production' ? '^\\..*|development$' : undefined, +}) if (NODE_ENV === 'production') { const evalCommand = client.registry.findCommands('eval') @@ -95,10 +116,10 @@ if (NODE_ENV === 'production') { client.registry.unregisterCommand(evalCommand[0]) } } + /* Set up some global error handling and some purely informational event handlers. */ - client.on('warn', console.warn) client.on('error', console.error) @@ -118,11 +139,22 @@ client.on('message', msg => { return } - client.jobs - .filter(job => job.enabled) - .forEach(job => { - if (job.shouldExecute(msg)) { - job.run(msg) + client.tasks + .filter(task => { + if (!task.enabled) { + return false + } + + // Check for guild-specific tasks. + if (task.guild && msg.guild && task.guild !== msg.guild.id) { + return false + } + + return true + }) + .forEach(task => { + if (task.shouldExecute(msg)) { + task.run(msg) } }) }) diff --git a/src/commands/development/error.js b/src/commands/development/error.js new file mode 100644 index 0000000..992bc3e --- /dev/null +++ b/src/commands/development/error.js @@ -0,0 +1,26 @@ +import { Command } from 'discord.js-commando' + +/* + This development-only command just throws an error. +*/ +module.exports = class DevelopmentErrorCommand extends Command { + constructor(client) { + super(client, { + guarded: true, + name: 'error', + examples: ['!error'], + group: 'development', + guildOnly: false, + memberName: 'error', + description: 'Create a command error.', + }) + } + + hasPermission() { + return true + } + + async run() { + throw new Error('Well, you asked for it.') + } +} diff --git a/src/commands/development/paginate.js b/src/commands/development/paginate.js index 6ab7143..bd00a7a 100644 --- a/src/commands/development/paginate.js +++ b/src/commands/development/paginate.js @@ -26,7 +26,6 @@ const items = [ module.exports = class DevelopmentPaginateCommand extends Command { constructor(client) { super(client, { - enabled: process.env.NODE_ENV === 'development', guarded: true, name: 'paginate', args: [ diff --git a/src/commands/jobs/disable.js b/src/commands/jobs/disable.js deleted file mode 100644 index 07d4efb..0000000 --- a/src/commands/jobs/disable.js +++ /dev/null @@ -1,48 +0,0 @@ -import { Command } from 'discord.js-commando' -import { - OWNER_IDS, - BOT_DEVELOPER_IDS, - MODERATOR_ROLE_IDS, -} from '../../utils/constants' - -const ALLOWED_ROLES = [...MODERATOR_ROLE_IDS] -const ALLOWED_USERS = [...OWNER_IDS, ...BOT_DEVELOPER_IDS] - -module.exports = class JobsDisableCommand extends Command { - constructor(client) { - super(client, { - args: [ - { - key: 'job', - type: 'job', - prompt: 'the job to disable?', - }, - ], - name: 'disable-job', - group: 'jobs', - aliases: ['jd'], - guildOnly: true, - memberName: 'disable', - description: 'Disable a job', - }) - } - - hasPermission(msg) { - if (msg.member.roles.some(role => ALLOWED_ROLES.includes(role.id))) { - return true - } - - return ALLOWED_USERS.includes(msg.author.id) - } - - async run(msg, args) { - const { job } = args - - if (job.enabled) { - job.enabled = false - return msg.channel.send(`Job "${job}" has been disabled.`) - } else { - return msg.channel.send(`Job "${job}" was already disabled.`) - } - } -} diff --git a/src/commands/jobs/enable.js b/src/commands/jobs/enable.js deleted file mode 100644 index 4c2187a..0000000 --- a/src/commands/jobs/enable.js +++ /dev/null @@ -1,48 +0,0 @@ -import { Command } from 'discord.js-commando' -import { - OWNER_IDS, - BOT_DEVELOPER_IDS, - MODERATOR_ROLE_IDS, -} from '../../utils/constants' - -const ALLOWED_ROLES = [...MODERATOR_ROLE_IDS] -const ALLOWED_USERS = [...OWNER_IDS, ...BOT_DEVELOPER_IDS] - -module.exports = class JobsEnableCommand extends Command { - constructor(client) { - super(client, { - args: [ - { - key: 'job', - type: 'job', - prompt: 'the job to enable?', - }, - ], - name: 'enable-job', - group: 'jobs', - aliases: ['je'], - guildOnly: true, - memberName: 'enable', - description: 'Enable a job', - }) - } - - hasPermission(msg) { - if (msg.member.roles.some(role => ALLOWED_ROLES.includes(role.id))) { - return true - } - - return ALLOWED_USERS.includes(msg.author.id) - } - - async run(msg, args) { - const { job } = args - - if (!job.enabled) { - job.enabled = true - return msg.channel.send(`Job "${job}" has been enabled.`) - } else { - return msg.channel.send(`Job "${job}" was already enabled.`) - } - } -} diff --git a/src/commands/jobs/info.js b/src/commands/jobs/info.js deleted file mode 100644 index 42356cc..0000000 --- a/src/commands/jobs/info.js +++ /dev/null @@ -1,60 +0,0 @@ -import { Command } from 'discord.js-commando' -import { RichEmbed } from 'discord.js' -import { - EMPTY_MESSAGE, - OWNER_IDS, - BOT_DEVELOPER_IDS, - MODERATOR_ROLE_IDS, -} from '../../utils/constants' - -const ALLOWED_ROLES = [...MODERATOR_ROLE_IDS] -const ALLOWED_USERS = [...OWNER_IDS, ...BOT_DEVELOPER_IDS] - -module.exports = class JobsEnableCommand extends Command { - constructor(client) { - super(client, { - args: [ - { - key: 'job', - type: 'job', - prompt: 'the job to view info about?', - }, - ], - name: 'job-info', - group: 'jobs', - aliases: ['ji'], - guildOnly: true, - memberName: 'info', - description: 'View information about a job.', - }) - } - - hasPermission(msg) { - if (msg.member.roles.some(role => ALLOWED_ROLES.includes(role.id))) { - return true - } - - return ALLOWED_USERS.includes(msg.author.id) - } - - async run(msg, args) { - const { job } = args - - let ignoredRoles = job.ignored.roles.map(roleId => { - return msg.guild.roles.get(roleId).name - }) - - if (!ignoredRoles.length) { - ignoredRoles = ['None'] - } - - const embed = new RichEmbed() - embed.setTitle('Job (' + job.name + ')') - embed.setDescription(job.description) - embed.addField('Status', job.enabled) - embed.addField('Guild Only', job.guildOnly) - embed.addField('Ignored Roles', ignoredRoles.join(', ')) - - return msg.channel.send(EMPTY_MESSAGE, { embed }) - } -} diff --git a/src/commands/moderation/add-ban-word.js b/src/commands/moderation/add-ban-word.js deleted file mode 100644 index f1f21e4..0000000 --- a/src/commands/moderation/add-ban-word.js +++ /dev/null @@ -1,37 +0,0 @@ -import { Command } from 'discord.js-commando' - -import { banWords, saveToFile, toString } from '../../services/ban-words' -import { MODERATOR_ROLE_IDS } from '../../utils/constants' - -module.exports = class ModerationAddBanWordCommand extends Command { - constructor(client) { - super(client, { - args: [ - { - key: 'word', - type: 'string', - prompt: 'the word to add?', - }, - ], - name: 'add-ban-word', - group: 'moderation', - aliases: ['abw'], - guildOnly: true, - memberName: 'add-ban-word', - description: 'Add a word to the ban list.', - }) - } - - hasPermission(msg) { - return msg.member.roles.some(role => MODERATOR_ROLE_IDS.includes(role.id)) - } - - async run(msg, args) { - const { word } = args - - banWords.push(word) - saveToFile() - - return msg.channel.send(`Ban words: ${toString()}`) - } -} diff --git a/src/commands/moderation/add-trigger.js b/src/commands/moderation/add-trigger.js new file mode 100644 index 0000000..fb00a21 --- /dev/null +++ b/src/commands/moderation/add-trigger.js @@ -0,0 +1,99 @@ +import { Command } from 'discord.js-commando' +import { RichEmbed } from 'discord.js' +import moderation from '../../services/moderation' +import { MODERATOR_ROLE_IDS, BOT_DEVELOPER_IDS } from '../../utils/constants' +import { inlineCode } from '../../utils/string' + +const { NODE_ENV } = process.env +const VALID_ACTIONS = ['warn', 'kick', 'ban', 'notify'] + +module.exports = class ModerationAddTriggerCommand extends Command { + constructor(client) { + super(client, { + args: [ + { + key: 'action', + type: 'string', + prompt: `which action should be taken (${VALID_ACTIONS.map( + inlineCode + ).join(', ')})?`, + validate(value) { + return VALID_ACTIONS.includes(value) + }, + }, + { + key: 'trigger', + type: 'string', + prompt: + 'the trigger word to add (use quotation marks if it contains spaces)?', + }, + ], + name: 'add-trigger', + group: 'moderation', + aliases: ['create-trigger'], + examples: [ + `${inlineCode( + '!add-trigger warn naughty' + )} - Warn via DM if message contains "naughty".`, + `${inlineCode( + '!add-trigger notify VueBot sucks' + )} - Notify moderators if message contains "VueBot sucks".`, + `${inlineCode( + '!add-trigger kick www.obvious-bot-spam-link.com' + )} - Kick user if message contains "www.obvious-bot-spam-link.com"`, + `${inlineCode( + '!add-trigger ban jQuery' + )} - Ban user if message contains "jQuery".'`, + ], + guildOnly: true, + memberName: 'add', + description: 'Add a trigger word/phrase to the moderation system.', + }) + } + + hasPermission(msg) { + if (NODE_ENV === 'development') { + if (BOT_DEVELOPER_IDS.includes(msg.author.id)) { + return true + } + } + + return msg.member.roles.some(role => MODERATOR_ROLE_IDS.includes(role.id)) + } + + async run(msg, args) { + const { trigger, action } = args + + const exists = moderation + .get('triggers') + .find(item => item.trigger === trigger) + .value() + + if (exists) { + msg.channel.send( + new RichEmbed() + .setTitle('Moderation - Add Trigger') + .setColor('ORANGE') + .setDescription( + `That trigger already exists (action: ${inlineCode(exists.action)})` + ) + ) + } else { + moderation + .get('triggers') + .push({ trigger: trigger.toLowerCase(), action }) + .write() + + msg.channel.send( + new RichEmbed() + .setTitle('Moderation - Add Trigger') + .setColor('GREEN') + .setDescription( + `Successfully added trigger word/pharse ${inlineCode( + trigger + )} with action ${inlineCode(action)}.` + ) + ) + } + } +} diff --git a/src/commands/moderation/list-ban-words.js b/src/commands/moderation/list-ban-words.js deleted file mode 100644 index 769fb53..0000000 --- a/src/commands/moderation/list-ban-words.js +++ /dev/null @@ -1,25 +0,0 @@ -import { Command } from 'discord.js-commando' - -import { banWords } from '../../services/ban-words' -import { MODERATOR_ROLE_IDS } from '../../utils/constants' - -module.exports = class ModerationListBanWordsCommand extends Command { - constructor(client) { - super(client, { - name: 'list-ban-words', - group: 'moderation', - aliases: ['lbw'], - guildOnly: true, - memberName: 'list-ban-words', - description: 'List all banned words.', - }) - } - - hasPermission(msg) { - return msg.member.roles.some(role => MODERATOR_ROLE_IDS.includes(role.id)) - } - - async run(msg) { - return msg.channel.send(`Ban words: ${banWords.toString()}`) - } -} diff --git a/src/commands/moderation/list-triggers.js b/src/commands/moderation/list-triggers.js new file mode 100644 index 0000000..69c3986 --- /dev/null +++ b/src/commands/moderation/list-triggers.js @@ -0,0 +1,52 @@ +import { Command } from 'discord.js-commando' +import { RichEmbed } from 'discord.js' +import moderation from '../../services/moderation' +import { MODERATOR_ROLE_IDS, BOT_DEVELOPER_IDS } from '../../utils/constants' +import { inlineCode } from '../../utils/string' + +const { NODE_ENV } = process.env + +module.exports = class ModerationListTriggersCommand extends Command { + constructor(client) { + super(client, { + name: 'list-triggers', + group: 'moderation', + guildOnly: true, + examples: [`${inlineCode('!list-triggers')} - List moderation triggers.`], + aliases: ['triggers'], + memberName: 'list', + description: 'List all trigger words/phrases from the moderation system.', + }) + } + + hasPermission(msg) { + if (NODE_ENV === 'development') { + if (BOT_DEVELOPER_IDS.includes(msg.member.id)) { + return true + } + } + + return msg.member.roles.some(role => { + if (MODERATOR_ROLE_IDS.includes(role.id)) { + return true + } + }) + } + + async run(msg) { + const triggers = moderation.get('triggers').value() + + const embed = new RichEmbed() + .setTitle('Moderation Triggers') + .setColor('ORANGE') + .setDescription( + triggers + .map( + trigger => `**${trigger.trigger}** - ${inlineCode(trigger.action)}` + ) + .join('\n') + ) + + return msg.reply(embed) + } +} diff --git a/src/commands/moderation/remove-ban-word.js b/src/commands/moderation/remove-ban-word.js deleted file mode 100644 index 0d819ef..0000000 --- a/src/commands/moderation/remove-ban-word.js +++ /dev/null @@ -1,45 +0,0 @@ -import { Command } from 'discord.js-commando' - -import { banWords, saveToFile, toString } from '../../services/ban-words' -import { MODERATOR_ROLE_IDS } from '../../utils/constants' - -module.exports = class ModerationRemoveBanWordCommand extends Command { - constructor(client) { - super(client, { - args: [ - { - key: 'word', - type: 'string', - prompt: 'the word to add?', - }, - ], - name: 'remove-ban-word', - group: 'moderation', - aliases: ['rbw', 'del-ban-word', 'rm-ban-word'], - guildOnly: true, - memberName: 'remove-ban-word', - description: 'Remove a banned word.', - }) - } - - hasPermission(msg) { - return msg.member.roles.some(role => MODERATOR_ROLE_IDS.includes(role.id)) - } - - async run(msg, args) { - const { word } = args - const foundIndex = banWords.findIndex( - w => w.toLowerCase() === word.toLowerCase() - ) - - if (foundIndex >= 0) { - banWords.splice(foundIndex, 1) - saveToFile() - msg.channel.send(`Ban words: ${toString()}`) - } else { - msg.channel.send( - `I cannot find the word "${word}" in the banned words list.` - ) - } - } -} diff --git a/src/commands/moderation/remove-trigger.js b/src/commands/moderation/remove-trigger.js new file mode 100644 index 0000000..602759e --- /dev/null +++ b/src/commands/moderation/remove-trigger.js @@ -0,0 +1,78 @@ +import { Command } from 'discord.js-commando' +import { RichEmbed } from 'discord.js' +import moderation from '../../services/moderation' +import { MODERATOR_ROLE_IDS, BOT_DEVELOPER_IDS } from '../../utils/constants' +import { inlineCode } from '../../utils/string' + +const { NODE_ENV } = process.env + +module.exports = class ModerationRemoveTriggersCommand extends Command { + constructor(client) { + super(client, { + args: [ + { + key: 'trigger', + type: 'string', + prompt: 'the trigger word/phrase to remove?', + }, + ], + name: 'remove-trigger', + group: 'moderation', + examples: [ + `${inlineCode( + '!remove-trigger naughty' + )} - Remove the trigger for the word/phrase "naughty".`, + ], + aliases: ['delete-trigger', 'del-trigger', 'rem-trigger', 'rm-trigger'], + guildOnly: true, + memberName: 'remove', + description: 'Remove a trigger word/phrase from the moderation system.', + }) + } + + hasPermission(msg) { + if (NODE_ENV === 'development') { + if (BOT_DEVELOPER_IDS.includes(msg.author.id)) { + return true + } + } + + return msg.member.roles.some(role => MODERATOR_ROLE_IDS.includes(role.id)) + } + + async run(msg, args) { + let { trigger } = args + + const exists = moderation + .get('triggers') + .find(item => item.trigger === trigger.toLowerCase()) + .value() + + if (!exists) { + return msg.channel.send( + new RichEmbed() + .setTitle('Moderation - Remove Trigger') + .setColor('ORANGE') + .setDescription(`That trigger doesn't exist!`) + ) + } + + const action = exists.action + + moderation + .get('triggers') + .remove({ trigger }) + .write() + + msg.channel.send( + new RichEmbed() + .setTitle('Moderation - Remove Trigger') + .setColor('GREEN') + .setDescription( + `Successfully removed trigger word ${inlineCode( + trigger + )} with action ${inlineCode(action)}.` + ) + ) + } +} diff --git a/src/commands/tasks/disable.js b/src/commands/tasks/disable.js new file mode 100644 index 0000000..991191a --- /dev/null +++ b/src/commands/tasks/disable.js @@ -0,0 +1,59 @@ +import { Command } from 'discord.js-commando' +import { RichEmbed } from 'discord.js' +import { + OWNER_IDS, + BOT_DEVELOPER_IDS, + MODERATOR_ROLE_IDS, +} from '../../utils/constants' +import { inlineCode } from '../../utils/string' + +const ALLOWED_ROLES = [...MODERATOR_ROLE_IDS] +const ALLOWED_USERS = [...OWNER_IDS, ...BOT_DEVELOPER_IDS] + +module.exports = class TasksDisableCommand extends Command { + constructor(client) { + super(client, { + args: [ + { + key: 'task', + type: 'task', + prompt: 'the task to disable?', + }, + ], + name: 'disable-task', + group: 'tasks', + guildOnly: true, + memberName: 'disable', + description: 'Disable a task', + }) + } + + hasPermission(msg) { + if (msg.member.roles.some(role => ALLOWED_ROLES.includes(role.id))) { + return true + } + + return ALLOWED_USERS.includes(msg.author.id) + } + + async run(msg, args) { + const { task } = args + + let alreadyDisabled = !task.enabled + + if (task.enabled) { + task.enabled = false + } + + msg.channel.send( + new RichEmbed() + .setTitle('Disable Task') + .setColor(alreadyDisabled ? 'ORANGE' : 'GREEN') + .setDescription( + alreadyDisabled + ? `Task ${inlineCode(task.name)} was already disabled.` + : `Sucessfully disabled task ${inlineCode(task.name)}.` + ) + ) + } +} diff --git a/src/commands/tasks/enable.js b/src/commands/tasks/enable.js new file mode 100644 index 0000000..7806ad9 --- /dev/null +++ b/src/commands/tasks/enable.js @@ -0,0 +1,59 @@ +import { Command } from 'discord.js-commando' +import { RichEmbed } from 'discord.js' +import { + OWNER_IDS, + BOT_DEVELOPER_IDS, + MODERATOR_ROLE_IDS, +} from '../../utils/constants' +import { inlineCode } from '../../utils/string' + +const ALLOWED_ROLES = [...MODERATOR_ROLE_IDS] +const ALLOWED_USERS = [...OWNER_IDS, ...BOT_DEVELOPER_IDS] + +module.exports = class TasksEnableCommand extends Command { + constructor(client) { + super(client, { + args: [ + { + key: 'task', + type: 'task', + prompt: 'the task to enable?', + }, + ], + name: 'enable-task', + group: 'tasks', + guildOnly: true, + memberName: 'enable', + description: 'Enable a task', + }) + } + + hasPermission(msg) { + if (msg.member.roles.some(role => ALLOWED_ROLES.includes(role.id))) { + return true + } + + return ALLOWED_USERS.includes(msg.author.id) + } + + async run(msg, args) { + const { task } = args + + let alreadyEnabled = task.enabled + + if (!task.enabled) { + task.enabled = true + } + + msg.channel.send( + new RichEmbed() + .setTitle('Enable Task') + .setColor(alreadyEnabled ? 'ORANGE' : 'GREEN') + .setDescription( + alreadyEnabled + ? `Task ${inlineCode(task.name)} was already enabled.` + : `Sucessfully enabled task ${inlineCode(task.name)}.` + ) + ) + } +} diff --git a/src/commands/tasks/info.js b/src/commands/tasks/info.js new file mode 100644 index 0000000..627c05f --- /dev/null +++ b/src/commands/tasks/info.js @@ -0,0 +1,92 @@ +import { Command } from 'discord.js-commando' +import { RichEmbed } from 'discord.js' +import { + EMPTY_MESSAGE, + OWNER_IDS, + BOT_DEVELOPER_IDS, + MODERATOR_ROLE_IDS, +} from '../../utils/constants' +import { inlineCode, blockCode } from '../../utils/string' + +const ALLOWED_ROLES = [...MODERATOR_ROLE_IDS] +const ALLOWED_USERS = [...OWNER_IDS, ...BOT_DEVELOPER_IDS] + +module.exports = class TasksEnableCommand extends Command { + constructor(client) { + super(client, { + args: [ + { + key: 'task', + type: 'task', + prompt: 'the task to view info about?', + }, + ], + name: 'task-info', + group: 'tasks', + aliases: ['task'], + guildOnly: true, + memberName: 'info', + description: 'View information about a task.', + }) + } + + hasPermission(msg) { + if (msg.member.roles.some(role => ALLOWED_ROLES.includes(role.id))) { + return true + } + + return ALLOWED_USERS.includes(msg.author.id) + } + + async run(msg, args) { + const { task } = args + + let ignoredRoles = task.ignored.roles + .filter(roleId => { + return msg.guild.roles.has(roleId) + }) + .map(roleId => { + return msg.guild.roles.get(roleId) + }) + let ignoredUsers = task.ignored.users + .filter(userId => { + return msg.guild.members.has(userId) + }) + .map(userId => { + return this.client.users.get(userId) + }) + let ignoredChannels = task.ignored.channels + .filter(chanId => { + return msg.guild.channels.has(chanId) + }) + .map(chanId => { + return this.client.channels.get(chanId) + }) + + if (!ignoredRoles.length) { + ignoredRoles = ['None'] + } + if (!ignoredUsers.length) { + ignoredUsers = ['None'] + } + if (!ignoredChannels.length) { + ignoredChannels = ['None'] + } + + const embed = new RichEmbed() + embed.setTitle('Task (' + task.name + ')') + embed.setDescription(task.description) + embed.addField('Enabled', inlineCode(task.getStatus()), true) + embed.addField('Guild Only', inlineCode(task.guildOnly), true) + embed.addField('DM Only', inlineCode(task.dmOnly), true) + embed.addField('Ignored Users', ignoredUsers.join(', '), true) + embed.addField('Ignored Roles', ignoredRoles.join(', '), true) + embed.addField('Ignored Channels', ignoredChannels.join(', '), true) + embed.addField( + 'Configuration', + blockCode(JSON.stringify(task.config, null, 2), 'json') + ) + + return msg.channel.send(EMPTY_MESSAGE, { embed }) + } +} diff --git a/src/commands/jobs/list.js b/src/commands/tasks/list.js similarity index 61% rename from src/commands/jobs/list.js rename to src/commands/tasks/list.js index c6b7919..d530ecc 100644 --- a/src/commands/jobs/list.js +++ b/src/commands/tasks/list.js @@ -6,19 +6,20 @@ import { BOT_DEVELOPER_IDS, MODERATOR_ROLE_IDS, } from '../../utils/constants' +import { inlineCode } from '../../utils/string' const ALLOWED_ROLES = [...MODERATOR_ROLE_IDS] const ALLOWED_USERS = [...OWNER_IDS, ...BOT_DEVELOPER_IDS] -module.exports = class JobsEnableCommand extends Command { +module.exports = class TasksEnableCommand extends Command { constructor(client) { super(client, { - name: 'list-jobs', - group: 'jobs', - aliases: ['jl'], + name: 'list-tasks', + group: 'tasks', + aliases: ['tasks'], guildOnly: true, memberName: 'list', - description: 'List all jobs.', + description: 'List all tasks.', }) } @@ -32,13 +33,12 @@ module.exports = class JobsEnableCommand extends Command { async run(msg) { const embed = new RichEmbed() - embed.setTitle('Job List') - embed.setDescription( - 'Jobs are basically micro-tasks which are executed for every message.' - ) + embed + .setTitle('Task List') + .setDescription(`For more info.: ${inlineCode('!task ')}.`) - this.client.jobs.forEach(job => { - embed.addField(job.name, job.getStatus(), true) + this.client.tasks.forEach(task => { + embed.addField(task.name, inlineCode(task.getStatus()), true) }) return msg.channel.send(EMPTY_MESSAGE, { embed }) diff --git a/src/commands/tasks/reset.js b/src/commands/tasks/reset.js new file mode 100644 index 0000000..14c0c59 --- /dev/null +++ b/src/commands/tasks/reset.js @@ -0,0 +1,42 @@ +import { Command } from 'discord.js-commando' +import { RichEmbed } from 'discord.js' +import { + OWNER_IDS, + BOT_DEVELOPER_IDS, + MODERATOR_ROLE_IDS, +} from '../../utils/constants' +import { reset } from '../../services/tasks' + +const ALLOWED_ROLES = [...MODERATOR_ROLE_IDS] +const ALLOWED_USERS = [...OWNER_IDS, ...BOT_DEVELOPER_IDS] + +module.exports = class TasksEnableCommand extends Command { + constructor(client) { + super(client, { + name: 'reset-tasks', + group: 'tasks', + guildOnly: true, + memberName: 'reset', + description: 'Reset task configurations.', + }) + } + + hasPermission(msg) { + if (msg.member.roles.some(role => ALLOWED_ROLES.includes(role.id))) { + return true + } + + return ALLOWED_USERS.includes(msg.author.id) + } + + async run(msg) { + reset() + + msg.channel.send( + new RichEmbed() + .setTitle('Reset Tasks') + .setColor('GREEN') + .setDescription('Reset task configurations to defaults in task files.') + ) + } +} diff --git a/src/jobs/ban.js b/src/jobs/ban.js deleted file mode 100644 index ca4136f..0000000 --- a/src/jobs/ban.js +++ /dev/null @@ -1,95 +0,0 @@ -import { RichEmbed } from 'discord.js' -import Job from '../lib/job' -import { banWords } from '../services/ban-words' -import { - MODERATOR_ROLE_IDS, - PROTECTED_ROLE_IDS, - EMPTY_MESSAGE, -} from '../utils/constants' - -// Don't *actually* ban - real bans make testing hard! -const DEBUG_MODE = true - -export default class BanJob extends Job { - constructor(client) { - super(client, { - name: 'ban', - description: 'Automatically bans users who violate the banned word list.', - enabled: false, - ignored: { - roles: [...MODERATOR_ROLE_IDS, ...PROTECTED_ROLE_IDS], - }, - guildOnly: true, - config: { - logChannel: { - name: 'ban-log', - }, - }, - }) - } - - shouldExecute(msg) { - // None of the ban words were mentioned - bail. - if ( - !banWords.some(word => - msg.content.toLowerCase().includes(word.toLowerCase()) - ) - ) { - return false - } - - // We don't have permission to ban - bail. - if (!msg.channel.permissionsFor(msg.client.user).has('BAN_MEMBERS')) { - return !!console.warn('[BanJob] Cannot ban - lacking permission.') - } - - const botMember = msg.guild.member(msg.client.user) - const botHighestRole = botMember.highestRole.calculatedPosition - const userHighestRole = msg.member.highestRole.calculatedPosition - - // Our role is not high enough in the hierarchy to ban - bail. - if (botHighestRole < userHighestRole) { - return !!console.warn('[BanJob] Cannot ban - role too low.') - } - - return true - } - - run(msg) { - const logChannel = msg.client.channels.find( - channel => channel.name === this.config.logChannel.name - ) - - if (!logChannel) { - return console.warn( - `WarnJob: Could not find channel with name ${this.config.logChannel.name}` - ) - } - - if (DEBUG_MODE) { - return this.log(msg, logChannel) - } - - msg.member - .ban(`[${msg.client.user.name}] Automated anti-spam measures.`) - .then(() => this.log(msg, logChannel)) - .catch(console.error) // Shouldn't happen due to shouldExecute checks but... - } - - log(msg, logChannel) { - if (!logChannel) { - return console.info( - `Banned user: ${msg.author}`, - `Due to message: ${msg.cleanContent}` - ) - } - - const embed = new RichEmbed() - embed.setTitle('Banned User') - embed.setAuthor(msg.author, msg.author.avatarURL) - embed.setTimestamp() - embed.addField('Triggering Message', msg.content) - - logChannel.send(EMPTY_MESSAGE, { embed }) - } -} diff --git a/src/jobs/log.js b/src/jobs/log.js deleted file mode 100644 index 62d147d..0000000 --- a/src/jobs/log.js +++ /dev/null @@ -1,54 +0,0 @@ -import Job from '../lib/job' -import { trySend } from '../utils/messages' - -export default class LogJob extends Job { - constructor(client) { - super(client, { - name: 'log', - events: ['ready', 'resume', 'commandRun', 'unknownCommand'], - description: - 'Logs various events (connection, command invocations etc.) for debugging purposes/to aid development.', - enabled: false, - config: { - connectionChannel: { - name: 'connection', - }, - commandChannel: { - name: 'commands', - }, - }, - }) - } - - shouldExecute() { - return false - } - - ready() { - trySend( - this.config.connectionChannel, - `Successfully connected - I am now online.` - ) - } - - resume() { - trySend( - this.config.connectionChannel, - `The connection was lost but automatically resumed.` - ) - } - - commandRun(cmd, _, msg) { - trySend( - this.config.commandChannel, - `The command ${cmd.name} was ran in ${msg.channel}` - ) - } - - unknownCommand(msg) { - trySend( - this.config.commandChannel, - `Unknown command, triggered by message from ${msg.author} in ${msg.channel}.` - ) - } -} diff --git a/src/jobs/warn.js b/src/jobs/warn.js deleted file mode 100644 index 704d238..0000000 --- a/src/jobs/warn.js +++ /dev/null @@ -1,50 +0,0 @@ -import Job from '../lib/job' -import { MODERATOR_ROLE_IDS, PROTECTED_ROLE_IDS } from '../utils/constants' -import { banWords } from '../services/ban-words' - -export default class WarnJob extends Job { - constructor(client) { - super(client, { - name: 'warn', - description: 'Warn moderators when a user utters a banned word.', - enabled: false, - ignored: { - roles: [...MODERATOR_ROLE_IDS, ...PROTECTED_ROLE_IDS], - }, - guildOnly: true, - config: { - notifyRole: { - name: 'Moderators', - }, - notifyChannel: { - name: 'spam-log', - }, - }, - }) - } - - shouldExecute(msg) { - return banWords.some(word => - msg.content.toLowerCase().includes(word.toLowerCase()) - ) - } - - run(msg) { - const notifyRole = msg.guild.roles.find( - role => role.name === this.config.notifyRole.name - ) - const notifyChannel = msg.client.channels.find( - channel => channel.name === this.config.notifyChannel.name - ) - - if (!notifyChannel) { - return console.warn( - `WarnJob: Could not find channel with name ${this.config.notifyChannel.name}` - ) - } - - notifyChannel.send( - `${notifyRole} Suspicious user: ${msg.author} in channel ${msg.channel}` - ) - } -} diff --git a/src/lib/job.js b/src/lib/job.js deleted file mode 100644 index d1e7983..0000000 --- a/src/lib/job.js +++ /dev/null @@ -1,318 +0,0 @@ -import EventEmitter from 'events' - -/** - * A Job is a task which by default runs for every single message received so - * long as it is enabled and its shouldExecute() returns true. - * - * Example usages: - * - * - Check message contents against a banned word list (and optionally warn/kick/ban) - * - etc. - * - * A Job does not necessarily need to process messages however - there is a - * concept of event-only jobs. Such a job should simply return false in - * shouldExecute and specify a list of Discord/Commando events via JobOptions.events. - * - * When the job is enabled, listeners for those events will be attached to the - * CommandoClient and when the job is disabled they will be removed. - * - * See `src/jobs/log.js` for an example of an event-only job. - * - * @event Job#enabled - * @event Job#disabled - * @extends EventEmitter - * @abstract - */ -export default class Job extends EventEmitter { - /** - * Create a new Job. - * @param {CommandoClient} client The CommandoClient instance. - * @param {JobOptions} options The options for the Job. - */ - constructor(client, options = {}) { - super() - - this.client = client - - /* - Jobs are stored as a key-value pair in a Collection (Map) on the client. - The name is used as the key, as such it must be both provided and unique. - */ - if (!options.name) { - throw new Error('Job lacks required option - name.') - } - - if (client.jobs.has(options.name)) { - throw new Error( - `Job names must be unique, conflicting name - ${options.name}.` - ) - } - - /* - A list of user, role, channel and category IDs. - - If any of these match then the job will NEVER be executed. - */ - if (!options.ignored) { - options.ignored = {} - } - - ;['roles', 'users', 'channels'].forEach(key => { - if (!options.ignored[key]) { - options.ignored[key] = [] - } - }) - - /* - Arbitrary configuration e.g. log channels, mention roles etc. - */ - if (!options.config) { - options.config = {} - } - - /* - Discord.js/Commando events we intend to provide listeners for. - */ - if (!options.events) { - options.events = [] - } - - if (typeof options.enabled === 'undefined') { - options.enabled = false - } - - if (typeof options.guildOnly === 'undefined') { - options.guildOnly = true - } - - this.name = options.name - this.events = options.events - this.config = options.config - this.ignored = options.ignored - this.guildOnly = options.guildOnly - this.description = options.description || '' - - // NOTE: We need to bind the events here else their `this` will be `CommandoClient`. - for (const event of this.events) { - if (!isValidEvent(event)) { - continue - } - - if (typeof this[event] !== 'function') { - console.warn(`Missing event handler for event ${event} for ${this}.`) - } - - this[event] = this[event].bind(this) - } - - this.on('enabled', this.attachEventListeners) - this.on('disabled', this.removeEventListeners) - - // NOTE: Must come last because the setter triggers an event (enabled). - this.enabled = options.enabled - } - - /** - * Attach listeners to the `DiscordClient` for every event in `this.events`, - * provided that there is an instance method matching the event name. - */ - attachEventListeners() { - for (const event of this.events) { - if (!isValidEvent(event)) { - continue - } - - const eventHandler = this[event] - - if (!eventHandler) { - continue - } - - this.client.on(event, eventHandler) - } - } - - /** - * Remove event listeners from the `DiscordClient` for every event in `this.events`. - */ - removeEventListeners() { - for (const event of this.events) { - if (!isValidEvent(event)) { - continue - } - - const eventHandler = this[event] - - if (!eventHandler) { - continue - } - - this.client.removeListener(event, eventHandler) - } - } - - /** - * The job will not be ran if this returns `false` - even if the job is enabled. - * - * By default it checks `this.ignored.roles|users|channels`, returning `false` for - * any matches - if no matches are found, it returns `true`. - * - * @param {CommandoMessage} msg - * @returns {boolean} Whether to run (execute) the Job or not. - */ - shouldExecute(msg) { - if (msg.channel.type === 'dm') { - if (this.guildOnly) { - return false - } - - return true - } - - if (this.ignored.roles.length) { - return msg.member.roles.some(role => this.ignored.roles.includes(role.id)) - } - - if (this.ignored.users.length) { - return this.ignored.users.some(userId => msg.author.id === userId) - } - - if (this.ignored.channels.length) { - return this.ignored.channels.some( - channelId => msg.channel.id === channelId - ) - } - - return true - } - - /** - * The job itself - ran if `enabled` is `true` and `shouldExecute` returns `true`. - * - * @param {CommandoMessage} message - */ - /* eslint-disable no-unused-vars */ - run(msg) {} - - /** - * Returns a string representation of the Job. - * - * @return {string} The string representation (e.g. ). - */ - toString() { - return `` - } - - /** - * Returns the enabled status of the Job as a string. - * - * @return {string} Either `enabled` or `disabled`. - */ - getStatus() { - return this.enabled ? 'enabled' : 'disabled' - } - - /** - * Is the job enabled? - * - * @return {boolean} Is this job enabled? - */ - get enabled() { - return this._enabled - } - - /** - * Set a job as enabled or disabled. - * - * @param {boolean} enabled Set as enabled or disabled. - * @fires Job#enabled - * @fires Job#disabled - */ - set enabled(enabled) { - this._enabled = enabled - - if (enabled) { - this.emit('enabled') - } else { - this.emit('disabled') - } - } -} - -/* - List of valid Discord/Commando events. - - - https://discord.js.org/#/docs/main/stable/class/Client - - https://discord.js.org/#/docs/commando/master/class/CommandoClient - - TODO: This probably needs moving elsewhere. -*/ -const VALID_DISCORD_EVENTS = [ - // Discord.js Events - 'channelCreate', - 'channelDelete', - 'channelPinsUpdate', - 'channelUpdate', - 'clientUserGuildSettingsUpdate', - 'clientUserSettingsUpdate', - 'debug', - 'disconnect', - 'emojiCreate', - 'emojiDelete', - 'emojiUpdate', - 'error', - 'guildBanAdd', - 'guildBanRemove', - 'guildCreate', - 'guildDelete', - 'guildIntegrationsUpdate', - 'guildMemberAdd', - 'guildMemberAvailable', - 'guildMemberRemove', - 'guildMembersChunk', - 'guildMemberSpeaking', - 'guildMemberUpdate', - 'guildUnavailable', - 'guildUpdate', - 'message', - 'messageDelete', - 'messageDeleteBulk', - 'messageReactionAdd', - 'messageReactionRemove', - 'messageReactionRemoveAll', - 'messageUpdate', - 'presenceUpdate', - 'rateLimit', - 'ready', - 'reconnecting', - 'resume', - 'roleCreate', - 'roleDelete', - 'roleUpdate', - 'typingStart', - 'typingStop', - 'userNoteUpdate', - 'userUpdate', - 'voiceStateUpdate', - 'warn', - 'webhookUpdate', - // Commando Events - 'commandBlocked', // NOTE: Is commandBlocked in older versions and commandBlock in newer. - 'commandCancel', - 'commandError', - 'commandPrefixChange', - 'commandRegister', - 'commandReregister', - 'commandRun', - 'commandStatusChange', - 'commandUnregister', - 'groupRegister', - 'groupStatusChange', - 'providerReady', - 'typeRegister', - 'unknownCommand', -] - -function isValidEvent(event) { - return VALID_DISCORD_EVENTS.includes(event) -} diff --git a/src/lib/task.js b/src/lib/task.js new file mode 100644 index 0000000..3510b51 --- /dev/null +++ b/src/lib/task.js @@ -0,0 +1,623 @@ +import EventEmitter from 'events' +import tasks, { isEmpty } from '../services/tasks' + +/** + * A Task is like a command except it has no trigger - by default it will run + * for every single message received, so long as it is enabled and its + * `shouldExecute()` returns true. + * + * A Task can be configured to be `dmOnly` or `guildOnly`, in which case it will + * ignore messages from guilds or DMs (respectively). + * + * Tasks can be configured to ignore certain users, roles or channels. But it's + * important to note that if you provide your own `shouldExecute`, then you must + * also call the parent method e.g. `if (!super.shouldExecute()) return false`. + * + * Additionally, a Task can be guild-specific - such a task only works in the guild + * specified. Note that a guild doesn't need to be `guildOnly` to be guild-specific. + * + * Tasks can also attach to both discord.js and Commando events, see `VALID_DISCORD_EVENTS` + * at the bottom of this file for a complete list. + * + * When a task is enabled, its event handlers will be registered with the `CommandoClient` + * and when it's disabled they will be unregistered. + * + * In addition to the above options, tasks can also have arbitrary configuration + * attached to them. + * + * Tasks, along with their options and their configs are persistent, see: data/tasks/db.json. + * + * Tasks can be controlled via the `!enable-task`, `!disable-task`, `task-info`, + * `!list-tasks` and `!reset-tasks` commands. + * + * Remember that a Task does not necessarily need to process messages. A task can be + * event-only, all it needs to do is return false in `shouldExecute`, in which + * case its `run` will never be called. + * + * Example usages: + * + * - Check message contents against a banned word list (see: `tasks/moderation.js`) + * - Log command invocations, command errors etc. (see: `tasks/log.js`) + * + * @event Task#enabled + * @event Task#disabled + * @extends EventEmitter + * @abstract + */ +export default class Task extends EventEmitter { + /** + * Create a new Task. + * @param {CommandoClient} client The CommandoClient instance. + * @param {TaskOptions} options The options for the Task. + */ + constructor(client, options = {}) { + super() + + this.client = client + this.options = options + + /* + Tasks are stored as a key-value pair in a Collection (Map) on the client. + The name is used as the key, as such it must be both provided and unique. + */ + if (!options.name) { + throw new Error('Task lacks required option - name.') + } + + if (client.tasks.has(options.name)) { + throw new Error( + `Task names must be unique, conflicting name - ${options.name}.` + ) + } + + /* + A list of user, role, channel and category IDs. + + If any of these match then the task will NEVER be executed. + */ + if (!options.ignored) { + options.ignored = {} + } + + ;['roles', 'users', 'channels'].forEach(key => { + if (!options.ignored[key]) { + options.ignored[key] = [] + } + }) + + /* + Arbitrary configuration e.g. log channels, mention roles etc. + */ + if (!options.config) { + options.config = {} + } + + /* + Discord.js/Commando events we intend to provide listeners for. + */ + if (!options.events) { + options.events = [] + } + + if (typeof options.enabled === 'undefined') { + options.enabled = false + } + + if (typeof options.dmOnly === 'undefined') { + options.dmOnly = false + } + + if (typeof options.guildOnly === 'undefined') { + options.guildOnly = false + } + + if (options.guildOnly && options.dmOnly) { + console.warn('Conflicting options - guildOnly and warnOnly.') + } + + if (typeof options.guild !== 'undefined') { + this.guild = options.guild + } + + this.name = options.name + this.events = options.events + this.config = options.config + this.ignored = options.ignored + this.description = options.description || '' + + this.handlers = {} + + // NOTE: We need to bind the events here else their `this` will be `CommandoClient`. + for (const event of this.events) { + if (!isValidEvent(event)) { + continue + } + + if (typeof this[event] !== 'function') { + console.warn(`Missing event handler for event ${event} for ${this}.`) + } + + this.handlers[event] = this[event].bind(this) + + this[event] = (...args) => { + if (this.shouldEventFire(event, args)) { + this.handlers[event].apply(this, args) + } + } + } + + if (this.inhibit) { + this._inhibit = this.inhibit.bind(this) + } + + this.on('enabled', () => { + this.attachEventListeners() + this.registerInhibitor() + }) + this.on('disabled', () => { + this.removeEventListeners() + this.unregisterInhibitor() + }) + + this._dmOnly = options.dmOnly + this._guildOnly = options.guildOnly + + // The task DB is populated, so we'll override the defaults (`options`). + if (!isEmpty()) { + this.readConfig() + } + + this.enabled = options.enabled // NOTE: Must come last because fires an event. + } + + /** + * Attach listeners to the `DiscordClient` for every event in `this.events`, + * provided that there is an instance method matching the event name. + */ + attachEventListeners() { + for (const event of this.events) { + if (!isValidEvent(event)) { + continue + } + + const eventHandler = this[event] + + if (!eventHandler) { + continue + } + + this.client.on(event, eventHandler) + } + } + + /** + * Remove event listeners from the `DiscordClient` for every event in `this.events`. + */ + removeEventListeners() { + for (const event of this.events) { + if (!isValidEvent(event)) { + continue + } + + const eventHandler = this[event] + + if (!eventHandler) { + continue + } + + this.client.removeListener(event, eventHandler) + } + } + + /** + * Register the inhibitor with the `DiscordClient`, if applicable. + */ + registerInhibitor() { + if (this.inhibit && typeof this.inhibit === 'function') { + this.client.dispatcher.addInhibitor(this._inhibit) + } + } + + /** + * Register the inhibitor with the `DiscordClient`, if applicable. + */ + unregisterInhibitor() { + if (this.inhibit && typeof this.inhibit === 'function') { + this.client.dispatcher.removeInhibitor(this._inhibit) + } + } + + /** + * The task will not be ran if this returns `false` - even if the task is enabled. + * + * By default it checks `this.ignored.roles|users|channels`, returning `false` for + * any matches - if no matches are found, it returns `true`. + * + * @param {CommandoMessage} msg + * @returns {boolean} Whether to run (execute) the Task or not. + */ + shouldExecute(msg) { + if (msg.channel.type === 'dm') { + if (this.guildOnly) { + return false + } + } else { + if (this.dmOnly) { + return false + } + } + + if (this.ignored.roles.length && msg.member) { + return msg.member.roles.some(role => this.ignored.roles.includes(role.id)) + } + + if (this.ignored.users.length) { + return this.ignored.users.some(userId => msg.author.id === userId) + } + + if (this.ignored.channels.length) { + return this.ignored.channels.some( + channelId => msg.channel.id === channelId + ) + } + + return true + } + + /** + * The task itself - ran if `enabled` is `true` and `shouldExecute` returns `true`. + * + * @param {CommandoMessage} message + */ + /* eslint-disable no-unused-vars */ + run(msg) {} + + /** + * Returns a string representation of the Task. + * + * @return {string} The string representation (e.g. ). + */ + toString() { + return `` + } + + /** + * Returns the enabled status of the Task as a string. + * + * @return {string} Either `enabled` or `disabled`. + */ + getStatus() { + return this.enabled ? 'enabled' : 'disabled' + } + + /** + * Is the Task enabled? + * + * @return {boolean} Is this Task enabled? + */ + get enabled() { + return this._enabled + } + + /** + * Set a Task as enabled or disabled. + * + * @param {boolean} enabled Set as enabled or disabled. + * @fires Task#enabled + * @fires Task#disabled + */ + set enabled(enabled) { + // NOTE: Without this check, in theory we can end up with duplicate event listeners. + if (this._enabled === enabled) { + return + } + + this._enabled = enabled + this.writeConfig({ enabled: this._enabled }) + + if (enabled) { + this.emit('enabled') + } else { + this.emit('disabled') + } + } + + /** + * Is the Task DM-only? + * + * @return {boolean} Is this DM-only? + */ + get dmOnly() { + return this._dmOnly + } + + /** + * Set a Task as DM-only or not. + * + * @param {boolean} value Is the Task DM-only or not. + * @fires Task#enabled + * @fires Task#disabled + */ + set dmOnly(value) { + this._dmOnly = value + this.writeConfig({ dmOnly: this._dmOnly }) + } + + /** + * Is the Task DM-only? + * + * @return {boolean} Is this DM-only? + */ + get guildOnly() { + return this._guildOnly + } + + /** + * Set a Task as DM-only or not. + * + * @param {boolean} value Is the Task DM-only or not. + * @fires Task#enabled + * @fires Task#disabled + */ + set guildOnly(value) { + this._guildOnly = value + this.writeConfig({ guildOnly: this._guildOnly }) + } + + /** + * Create a JSON representation of the task. + */ + toJSON() { + return { + name: this.name, + guild: this.guild, + guildOnly: this.guildOnly, + dmOnly: this.dmOnly, + config: this.config, + ignored: this.ignored, + enabled: this.enabled || this.options.enabled, // NOTE: Fallback to handle new tasks. + } + } + + /** + * Read the task's configuration from lowDB and apply it. + */ + readConfig() { + try { + let config = tasks + .get('tasks') + .find({ name: this.name }) + .value() + + if (config) { + this.guild = config.guild + this.guildOnly = config.guildOnly + this.dmOnly = config.dmOnly + this.config = config.config + this.ignored = config.ignored + + console.debug( + `${this} Read configuration from DB and applied to instance.` + ) + } else { + tasks.get('tasks').push(this.toJSON()) + + console.debug( + `${this} New task (not in DB) detected - writing default configuration!` + ) + } + } catch (e) { + console.error(e) + } + } + + /** + * Write the task's configuration to lowDB. + */ + writeConfig(assign) { + try { + if (!assign) { + assign = this.toJSON() + } + + tasks + .get('tasks') + .find({ name: this.name }) + .assign(assign) + .write() + } catch (e) { + console.error(e) + } + } + + /** + * Determine if an event for an enabled task should actually fire. + * + * Consider: + * - if a task is dmOnly but an event originates from a guild + * - if a task is guildOnly but an event originates from a DM + * - if a task is guild-specific but the guild does not match + * + * @param {string} eventName The name of the event. + * @param {array} eventArgs The args passed to the event. + */ + shouldEventFire(eventName, eventArgs) { + try { + let message, channel, guild // We could be looking for any one of these. + + switch (eventName) { + case 'channelCreate': + case 'channelDelete': + case 'channelPinsUpdate': + case 'channelUpdate': + case 'emojiCreate': + case 'emojiDelete': + case 'emojiUpdate': + case 'guildMemberAdd': + case 'guildMemberAvailable': + case 'guildMemberRemove': + case 'guildMemberSpeaking': + case 'guildMemberUpdate': + case 'message': + case 'messageDelete': + case 'messageUpdate': + case 'presenceUpdate': + case 'roleCreate': + case 'roleDelete': + case 'roleUpdate': + case 'voiceStateUpdate': + case 'commandBlocked': + case 'unknownCommand': + message = eventArgs[0] + break + + case 'commandCancel': + case 'commandError': + case 'commandRun': + message = eventArgs[2].message + break + + case 'typingStart': + case 'typingStop': + case 'webhookUpdate': + channel = eventArgs[0] + break + + case 'messageDeleteBulk': + message = eventArgs[0].first() + break + + case 'guildBanAdd': + case 'guildBanRemove': + case 'guildCreate': + case 'guildDelete': + case 'guildIntegrationsUpdate': + case 'guildUnavailable': + case 'guildUpdate': + case 'commandPrefixChange': + case 'commandStatusChange': + guild = eventArgs[0] + break + + case 'guildMembersChunk': + guild = eventArgs[1] + break + + case 'messageReactionAdd': + case 'messageReactionRemove': + case 'messageReactionRemoveAll': + message = eventArgs[0].message + break + + // The event cannot be tied to a message/channel/guild + // therefore options such as `dmOnly` are irrelevant. + default: + return true + } + + let guildId = -1 + + if (guild) { + guildId = guild.id + } else if (channel && channel.guild) { + guildId = channel.guild.id + } else if (message && message.guild) { + guildId = message.guild.id + } + + if (this.dmOnly && guildId !== -1) { + return false // The event originated from a guild - bail. + } else if (this.guildOnly && guildId === -1) { + return false // The event originated from a DM - bail. + } + + // This is a single-guild task - ensure a match. + if (this.guild && guildId === this.guild) { + return true + } + + return false + } catch (e) { + console.error(e) + return false + } + } +} + +/* + List of valid Discord/Commando events. + + - https://discord.js.org/#/docs/main/stable/class/Client + - https://discord.js.org/#/docs/commando/master/class/CommandoClient + + TODO: This probably needs moving elsewhere. +*/ +const VALID_DISCORD_EVENTS = [ + // Discord.js Events + 'channelCreate', + 'channelDelete', + 'channelPinsUpdate', + 'channelUpdate', + 'clientUserGuildSettingsUpdate', + 'clientUserSettingsUpdate', + 'debug', + 'disconnect', + 'emojiCreate', + 'emojiDelete', + 'emojiUpdate', + 'error', + 'guildBanAdd', + 'guildBanRemove', + 'guildCreate', + 'guildDelete', + 'guildIntegrationsUpdate', + 'guildMemberAdd', + 'guildMemberAvailable', + 'guildMemberRemove', + 'guildMembersChunk', + 'guildMemberSpeaking', + 'guildMemberUpdate', + 'guildUnavailable', + 'guildUpdate', + 'message', + 'messageDelete', + 'messageDeleteBulk', + 'messageReactionAdd', + 'messageReactionRemove', + 'messageReactionRemoveAll', + 'messageUpdate', + 'presenceUpdate', + 'rateLimit', + 'ready', + 'reconnecting', + 'resume', + 'roleCreate', + 'roleDelete', + 'roleUpdate', + 'typingStart', + 'typingStop', + 'userNoteUpdate', + 'userUpdate', + 'voiceStateUpdate', + 'warn', + 'webhookUpdate', + // Commando Events + 'commandBlocked', // NOTE: Is commandBlocked in older versions and commandBlock in newer. + 'commandCancel', + 'commandError', + 'commandPrefixChange', + 'commandRegister', + 'commandReregister', + 'commandRun', + 'commandStatusChange', + 'commandUnregister', + 'groupRegister', + 'groupStatusChange', + 'providerReady', + 'typeRegister', + 'unknownCommand', +] + +function isValidEvent(event) { + return VALID_DISCORD_EVENTS.includes(event) +} diff --git a/src/services/ban-words.js b/src/services/ban-words.js deleted file mode 100644 index 5c4796e..0000000 --- a/src/services/ban-words.js +++ /dev/null @@ -1,48 +0,0 @@ -import fs from 'fs' -import { resolve } from 'path' - -const FILENAME = 'ban-words.txt' -const PATH = resolve(__dirname, '../../data/', FILENAME) -const SEPARATOR = '\n' - -export const banWords = [] - -export function saveToFile() { - fs.access(PATH, err => { - if (err) { - throw err - } - - fs.writeFile(PATH, banWords.join(SEPARATOR), 'utf8', err => { - if (err) { - throw err - } - console.log(`File "${PATH}" updated.`) - }) - }) -} - -export function toString() { - return banWords.reduce( - (acc, val) => (acc ? `${acc}, \`${val}\`` : `\`${val}\``), - '' - ) -} - -function _initFromFile() { - fs.access(PATH, err => { - if (err) { - throw err - } - - fs.readFile(PATH, 'utf8', (err, data) => { - if (err) { - throw err - } - - banWords.push(...data.split(/\r?\n/)) - }) - }) -} - -_initFromFile() diff --git a/src/services/moderation.js b/src/services/moderation.js new file mode 100644 index 0000000..50be0ba --- /dev/null +++ b/src/services/moderation.js @@ -0,0 +1,30 @@ +import { resolve, join } from 'path' +import low from 'lowdb' +import FileSync from 'lowdb/adapters/FileSync' +import { DATA_DIR } from '../utils/constants' + +const adapter = new FileSync(join(resolve(DATA_DIR), 'moderation', 'db.json')) +const db = low(adapter) + +db.defaults({ + triggers: [ + { + trigger: 'amazingsexdating.com', + action: 'notify', + }, + { + trigger: 'viewc.site', + action: 'notify', + }, + { + trigger: 'nakedphoto.club', + action: 'notify', + }, + { + trigger: 'privatepage.vip', + action: 'notify', + }, + ], +}).write() + +export default db diff --git a/src/services/tasks.js b/src/services/tasks.js new file mode 100644 index 0000000..5ea9c54 --- /dev/null +++ b/src/services/tasks.js @@ -0,0 +1,62 @@ +import { resolve, join } from 'path' +import { unlinkSync } from 'fs' +import low from 'lowdb' +import FileSync from 'lowdb/adapters/FileSync' +import { DATA_DIR } from '../utils/constants' + +const DATABASE_PATH = join(resolve(DATA_DIR), 'tasks', 'db.json') +const adapter = new FileSync(DATABASE_PATH) +const db = low(adapter) + +/** + * Check if the DB is empty. + * + * @returns {boolean} + */ +export function isEmpty() { + return !db.has('tasks').value() +} + +/** + * Reset the DB to the default values in the task classes. + * + * @param {Task[]} tasks + */ +export function reset(tasks) { + unlinkSync(DATABASE_PATH) + write(tasks) + + for (const task of tasks) { + task.readConfig() + } +} + +/** + * Write the tasks to disc, but only if the DB is empty. + * + * @param {Task[]} tasks + */ +export function setDefaults(tasks) { + if (!isEmpty()) { + return !!console.info( + 'Skipping setting default tasks - data/tasks/db.json exists.' + ) + } + + write(tasks) +} + +/** + * Write the tasks to disc. + * + * @param {Task[]} tasks + */ +export function write(tasks) { + tasks = tasks.map(task => task.toJSON()) + + db.defaults({ + tasks: [...tasks], + }).write() +} + +export default db diff --git a/src/tasks/log.js b/src/tasks/log.js new file mode 100644 index 0000000..9c62f03 --- /dev/null +++ b/src/tasks/log.js @@ -0,0 +1,167 @@ +import { RichEmbed } from 'discord.js' +import Task from '../lib/task' +import { trySend } from '../utils/messages' +import { inlineCode } from '../utils/string' +import { GUILDS } from '../utils/constants' + +export default class LogTask extends Task { + constructor(client) { + super(client, { + name: 'log', + guild: GUILDS.CURRENT, + events: [ + 'ready', + 'resume', + 'commandRun', + 'commandError', + 'unknownCommand', + ], + description: + 'Logs various events (connection, command invocations etc.) for debugging purposes/to aid development.', + enabled: true, + config: { + shouldLog: { + readyEvents: false, // Log when the bot is ready / has connected? + resumeEvents: false, // Log when the bot resumes a lost connection? + invokedCommands: true, // Log all commands invocations? + erroredCommands: true, // Log commands which cause an error to be thrown? + unknownCommands: true, // Log unknown commands? + }, + connectionChannel: { + name: 'connection', + }, + commandChannel: { + name: 'commands', + }, + }, + }) + } + + ready() { + if (!this.config.shouldLog.readyEvents) { + return + } + + trySend( + this.config.connectionChannel, + null, + this.buildEmbed(null, null, { + title: 'Connection Initiated', + color: 'GREEN', + }) + ) + } + + resume() { + if (!this.config.shouldLog.resumeEvents) { + return + } + + trySend( + this.config.commandChannel, + null, + this.buildEmbed(null, null, { + title: 'Connection Resumed', + color: 'BLUE', + }) + ) + } + + commandRun(cmd, _, msg) { + if (!this.config.shouldLog.invokedCommands) { + return + } + + trySend( + this.config.commandChannel, + null, + this.buildEmbed(msg, cmd, { + title: 'Command Invocation', + color: 'GREEN', + addCommand: true, + }) + ) + } + + commandError(cmd, err, msg) { + if (!this.config.shouldLog.erroredCommands) { + return + } + + trySend( + this.config.commandChannel, + null, + this.buildEmbed( + msg, + cmd, + { + title: 'Command Error', + color: 'RED', + addCommand: true, + }, + [ + { + name: 'Error', + value: err.message, + inline: true, + }, + ] + ) + ) + } + + unknownCommand(msg) { + if (!this.config.shouldLog.erroredCommands) { + return + } + + trySend( + this.config.commandChannel, + null, + this.buildEmbed(msg, null, { + title: 'Unknown Command', + color: 'ORANGE', + addCommand: true, + }) + ) + } + + buildEmbed(msg, cmd, options, fields = []) { + const embed = new RichEmbed().setFooter(new Date().toUTCString()) + + if (options.title) { + embed.setTitle(options.title) + } + if (options.description) { + embed.setDescription(options.description) + } + if (options.color) { + embed.setColor(options.color) + } + + if (msg) { + embed + .addField('Guild', msg.guild ? msg.guild : 'N/A', true) + .addField('Channel', msg.channel, true) + .addField('User', msg.author, true) + } + + if (options.addCommand) { + let commandString = cmd + ? msg.client.commandPrefix + msg.command.name + : msg.cleanContent + + if (msg.argString) { + commandString += msg.argString + } + + embed.addField('Command', inlineCode(commandString), true) + } + + for (const field of fields) { + embed.addField(field.name, field.value, field.inline || false) + } + + return embed + } +} diff --git a/src/tasks/moderation.js b/src/tasks/moderation.js new file mode 100644 index 0000000..ddd6ffa --- /dev/null +++ b/src/tasks/moderation.js @@ -0,0 +1,311 @@ +import { RichEmbed } from 'discord.js' +import Task from '../lib/task' +import moderation from '../services/moderation' +import { PROTECTED_ROLE_IDS, EMPTY_MESSAGE, GUILDS } from '../utils/constants' +import { blockCode, inlineCode } from '../utils/string' + +/* + In debug mode we don't *actually* ban even if a ban is triggered, additionally + we don't add any ignored roles, so that moderators etc. can test the command too. +*/ +const DEBUG_MODE = process.env.NODE_ENV === 'development' + +export default class ModerationTask extends Task { + constructor(client) { + super(client, { + name: 'moderation', + guild: GUILDS.CURRENT, + description: + 'Takes action (warn, kick, ban, notify) when a user mention a trigger word.', + enabled: true, + ignored: { + roles: DEBUG_MODE ? [] : [...PROTECTED_ROLE_IDS], + }, + guildOnly: true, + config: { + logChannel: { + name: 'moderation', + }, + notifyRole: { + name: 'Moderators', + }, + }, + }) + + this.action = null // ban | warn | notify + } + + /** + * Check if the message matches any of the trigger words/phrases. + * + * @param {CommandMessage} msg + * @returns {boolean} + */ + shouldExecute(msg) { + // NOTE: Never remove this check. + if (!super.shouldExecute(msg)) { + return false + } + + const match = moderation + .get('triggers') + .find(({ trigger }) => { + return msg.content.toLowerCase().includes(trigger.toLowerCase()) + }) + .value() + + if (!match) { + return false + } + + this.action = match.action + + return true + } + + /** + * Determine the role to notify, the channel to log to, then carry out the action. + * + * @param {CommandMessage} msg + */ + run(msg) { + const notifyRole = msg.guild.roles.find( + role => + role.name.toLowerCase() === this.config.notifyRole.name.toLowerCase() + ) + const logChannel = msg.guild.channels.find( + channel => + channel.name.toLowerCase() === this.config.logChannel.name.toLowerCase() + ) + + if (!logChannel) { + console.warn( + `[ModerationTask] Could not find logChannel: ${this.config.logChannel.name}!` + ) + } + + switch (this.action) { + case 'warn': + this.warn(msg, logChannel) + break + case 'kick': + this.kick(msg, logChannel) + break + case 'ban': + this.ban(msg, logChannel) + break + case 'notify': + default: + this.notify(msg, logChannel, notifyRole) + break + } + } + + /** + * ACTION: Kick the user from the server. + * + * @param {CommandMessage} msg + * @param {GuildChannel} logChannel + * @param {Role} notifyRole + */ + kick(msg, logChannel) { + const check = this.checkPermissionsFor(msg, logChannel, 'KICK_MEMBERS') + + if (check === false) { + return + } else if (check instanceof RichEmbed) { + return this.log(msg, logChannel, { embed: check }) + } + + msg.member + .kick(`[${msg.client.user.name}] Automated anti-spam measures.`) + .then(() => this.log(msg, logChannel, { color: 'PURPLE' })) + .catch(console.error) + } + + /** + * ACTION: Ban the user from the server. + * + * @param {CommandMessage} msg + * @param {GuildChannel} logChannel + */ + ban(msg, logChannel) { + const check = this.checkPermissionsFor(msg, logChannel, 'BAN_MEMBERS') + + if (check === false) { + return + } else if (check instanceof RichEmbed) { + return this.log(msg, logChannel, { embed: check }) + } + + msg.member + .ban(`[${msg.client.user.name}] Automated anti-spam measures.`) + .then(() => this.log(msg, logChannel, { color: 'PURPLE' })) + .catch(console.error) + } + + /** + * ACTION: Warn the member privately, via DM. + * + * @param {CommandMessage} msg + * @param {GuildChannel} logChannel + */ + async warn(msg, logChannel) { + try { + const dmChannel = await msg.author.createDM() + this.log(msg, dmChannel, { color: 'ORANGE', isDMWarning: true }) + this.log(msg, logChannel, { color: 'ORANGE', isDMWarning: false }) + } catch (e) { + console.error(e) + } + } + + /** + * ACTION: Notify the moderators. + * + * @param {CommandMessage} msg + * @param {GuildChannel} logChannel + * @param {Role} notifyRole + */ + notify(msg, logChannel, notifyRole) { + this.log(msg, logChannel, { notifyRole }) + } + + /** + * Log a moderation action. + * + * @param {CommandMessage} msg + * @param {GuildChannel} logChannel The channel to log to (except for DM warnings). + * @param {G} options + */ + log(msg, logChannel, options = {}) { + if (typeof options.notifyRole === 'undefined') { + options.notifyRole = EMPTY_MESSAGE + } + + if (typeof options.isDMWarning === 'undefined') { + options.isDMWarning = false + } + + if (typeof options.color === 'undefined') { + options.color = 'ORANGE' + } + + const embed = options.embed || this.createEmbed(msg, options) + + if (!logChannel) { + return !!console.log( + '[ModerationTask] Was going to send the following embed, but no logChannel exists.', + embed + ) + } + + if (options.notifyRole) { + logChannel.send(options.notifyRole, { embed }) + } else { + logChannel.send(embed) + } + } + + /** + * Builds the RichEmbed that's used for all moderation task-related logging. + * + * @param {CommandMessage} msg + * @param {object} options + */ + createEmbed(msg, options = {}) { + const excerpt = + msg.cleanContent.length > 150 + ? msg.cleanContent.substring(0, 150) + '...' + : msg.cleanContent + + const embed = new RichEmbed() + .setTitle(`Moderation - ${options.title || this.action}`) + .setColor(options.color || 'RANDOM') + .setFooter(new Date().toUTCString()) + .addField('Message Excerpt', blockCode(excerpt)) + + if (options.isDMWarning) { + embed.setDescription( + 'One of your messages triggered auto-moderation. Repeated infringements may result in a ban.' + ) + } else { + embed + .setDescription( + `Found one or more trigger words with action: ${inlineCode( + this.action + )}.` + ) + .addField('User', msg.member, true) + .addField('Channel', msg.channel, true) + .addField('Action Taken', inlineCode(this.action), true) + } + + return embed + } + + /** + * Check if we are able to carry out an action (kick/ban). + * + * @param {CommandMessage} msg + * @param {GuildChannel} logChannel + * @param {string} permission + * @returns {RichEmbed|boolean} + */ + checkPermissionsFor(msg, logChannel, permission) { + const action = this.permissionToAction(permission) + + // Can't kick a user from a DM. + if (msg.channel.type === 'dm') { + return !!console.warn( + `[ModerationTask] Cannot ${action} in a DM channel.` + ) + } + + // We don't have permission to carry out the action - bail. + if (!msg.channel.permissionsFor(msg.client.user).has(permission)) { + console.warn(`[ModerationTask] Cannot ${action} - lacking permission.`) + + return this.createEmbed(msg, false, { color: 'PURPLE' }).addField( + 'NOTE', + `No ${action} was enacted as I lack ${inlineCode(permission)}.` + ) + } + + const botMember = msg.guild.member(msg.client.user) + const botHighestRole = botMember.highestRole.calculatedPosition + const userHighestRole = msg.member.highestRole.calculatedPosition + + // Our role is not high enough in the hierarchy to carry out the action - bail. + if (botHighestRole < userHighestRole) { + console.warn(`[ModerationTask] Cannot ${action} - role too low.`) + + return this.createEmbed(msg, false, { color: 'PURPLE' }).addField( + 'NOTE', + `No ${action} was enacted as the user is higher than me in the role hierarchy.` + ) + } + + if (DEBUG_MODE) { + return this.createEmbed(msg, false, { color: 'RED' }).addField( + 'NOTE', + `Debug mode is enabled - no ${action} was actually issued.` + ) + } + } + + /** + * Convert a Discord permission string to an "action string". + * + * @param {string} permission + * @returns {string} + */ + permissionToAction(permission) { + switch (permission) { + case 'KICK_MEMBERS': + return 'kick' + case 'BAN_MEMBERS': + return 'ban' + } + } +} diff --git a/src/jobs/test.js b/src/tasks/test.js similarity index 54% rename from src/jobs/test.js rename to src/tasks/test.js index 6bc43e0..7d75c34 100644 --- a/src/jobs/test.js +++ b/src/tasks/test.js @@ -1,6 +1,6 @@ -import Job from '../lib/job' +import Task from '../lib/task' -export default class TestJob extends Job { +export default class TestTask extends Task { constructor(client) { super(client, { name: 'test', @@ -9,7 +9,7 @@ export default class TestJob extends Job { }) } - run() { - console.log('test job executed') + run(msg) { + msg.reply('[TestTask] Executed!') } } diff --git a/src/types/job.js b/src/types/job.js deleted file mode 100644 index 90b837a..0000000 --- a/src/types/job.js +++ /dev/null @@ -1,15 +0,0 @@ -import { ArgumentType } from 'discord.js-commando' - -module.exports = class JobArgumentType extends ArgumentType { - constructor(client, id = 'job') { - super(client, id) - } - - validate(value) { - return this.client.jobs.has(value) - } - - parse(value) { - return this.client.jobs.get(value) - } -} diff --git a/src/types/task.js b/src/types/task.js new file mode 100644 index 0000000..e7226ad --- /dev/null +++ b/src/types/task.js @@ -0,0 +1,15 @@ +import { ArgumentType } from 'discord.js-commando' + +module.exports = class TaskArgumentType extends ArgumentType { + constructor(client, id = 'task') { + super(client, id) + } + + validate(value) { + return this.client.tasks.has(value) + } + + parse(value) { + return this.client.tasks.get(value) + } +} diff --git a/src/utils/constants/development.js b/src/utils/constants/development.js index 9ef46f5..e3e7a63 100644 --- a/src/utils/constants/development.js +++ b/src/utils/constants/development.js @@ -1,13 +1,3 @@ -/* - Various important and or noteworthy user IDs. -*/ -export const USERS = Object.freeze({ - EVAN: '269617876036616193', - GUSTO: '287377476647124992', - ELFAYER: '248017273950830593', - SUSTAINED: '136620462821081088', -}) - /* Various important and or noteworthy role IDs. */ @@ -41,10 +31,3 @@ export const BOT_DEVELOPER_IDS = Object.freeze([ - can run commands set as ownerOnly */ export const OWNER_IDS = Object.freeze(BOT_DEVELOPER_IDS) - -/* - Protected roles. - - - moderation-related commands have no effect -*/ -export const PROTECTED_USER_IDS = Object.freeze([USERS.EVAN, USERS.GUSTO]) diff --git a/src/utils/constants/index.js b/src/utils/constants/index.js index f5473ef..311bc3c 100644 --- a/src/utils/constants/index.js +++ b/src/utils/constants/index.js @@ -3,13 +3,25 @@ import { resolve } from 'path' const { NODE_ENV = 'development' } = process.env const IMPORT_FILE = `./${NODE_ENV}.js` -const { - USERS, - ROLES, - OWNER_IDS, - BOT_DEVELOPER_IDS, - PROTECTED_USER_IDS, -} = require(IMPORT_FILE) +const { ROLES, OWNER_IDS, BOT_DEVELOPER_IDS } = require(IMPORT_FILE) + +/* + Various important and or noteworthy user IDs. +*/ +const USERS = Object.freeze({ + BOT: '619109039166717972', + EVAN: '269617876036616193', + GUSTO: '287377476647124992', + ELFAYER: '248017273950830593', + SUSTAINED: '136620462821081088', +}) + +/* + Protected user IDs. + + - moderation-related commands have no effect +*/ +const PROTECTED_USER_IDS = Object.freeze([USERS.EVAN, USERS.GUSTO]) /* Protected roles. @@ -45,6 +57,9 @@ const EMPTY_MESSAGE = '\u200b' const DATA_DIR = resolve(__dirname, '../../../data') +/* + Configuration relating to the messages utility. +*/ const AUTOMATICALLY_DELETE_ERRORS = true const AUTOMATICALLY_DELETE_INVOCATIONS = true const DELETE_ERRORS_AFTER_MS = 30000 @@ -72,6 +87,19 @@ const EMOJIS = { FIRST: '661289441171865660', LAST: '661289441218002984', }, + ENABLED: '661514135573495818', + DISABLED: '661514135594467328', +} + +EMOJIS.SUCCESS = EMOJIS.ENABLED +EMOJIS.FAILURE = EMOJIS.DISABLED + +const TEST_GUILD = '617839535727968282' +const LIVE_GUILD = '325477692906536972' +let GUILDS = { + TEST: TEST_GUILD, + LIVE: LIVE_GUILD, + CURRENT: process.env.NODE_ENV === 'production' ? LIVE_GUILD : TEST_GUILD, } const CDN_BASE_URL = @@ -80,6 +108,7 @@ const CDN_BASE_URL = export { USERS, ROLES, + GUILDS, EMOJIS, CDN_BASE_URL, OWNER_IDS, diff --git a/src/utils/constants/production.js b/src/utils/constants/production.js index e6e7126..7abbe8d 100644 --- a/src/utils/constants/production.js +++ b/src/utils/constants/production.js @@ -1,15 +1,5 @@ const { OWNER_IDS: OWNER_IDS_ENV } = process.env -/* - Various important and or noteworthy user IDs. -*/ -export const USERS = Object.freeze({ - EVAN: '269617876036616193', - GUSTO: '287377476647124992', - ELFAYER: '248017273950830593', - SUSTAINED: '136620462821081088', -}) - /* Various important and or noteworthy role IDs. */ @@ -43,10 +33,3 @@ export const BOT_DEVELOPER_IDS = Object.freeze([ - can run commands set as ownerOnly */ export const OWNER_IDS = Object.freeze(OWNER_IDS_ENV) - -/* - Protected roles. - - - moderation-related commands have no effect -*/ -export const PROTECTED_USER_IDS = Object.freeze([USERS.EVAN, USERS.GUSTO]) diff --git a/src/utils/messages.js b/src/utils/messages.js index 6b02102..9fd6777 100644 --- a/src/utils/messages.js +++ b/src/utils/messages.js @@ -1,11 +1,11 @@ import client from '../client' import { + EMPTY_MESSAGE, AUTOMATICALLY_DELETE_ERRORS, AUTOMATICALLY_DELETE_INVOCATIONS, DELETE_ERRORS_AFTER_MS, DELETE_INVOCATIONS_AFTER_MS, } from './constants' -import { CommandMessage } from 'discord.js-commando' /* Delete a message safely, if possible. @@ -66,7 +66,7 @@ export function trySend(channelResolvable, message, embed = {}) { } } - channel.send(message, embed) + channel.send(message || EMPTY_MESSAGE, embed) } /*