这是我当前正在使用的命令处理程序,它可以按预期的方式工作。
try {
let ops = {
active: active
}
let commandFile = require(`./commands/${cmd}.js`)
commandFile.run(client, message, args, ops);
} catch (e) {
console.log(e);
}
但是,正如您所看到的,它只是读入commands文件夹并从此处拉出.js
文件。
我要做的是将命令分类为自己的“ OCD”用途,以便最终更好地跟踪它们。
这个命令处理程序有什么办法做到这一点?
此外,我已经尝试过discord.js-commando
,而且我个人并不喜欢它使用的命令结构。
答案 0 :(得分:1)
我会使用require-all
软件包。
让我们假设您具有如下文件结构:
commands:
folder1:
file1.js
folder2:
subfolder:
file2.js
您可以使用require-all
完全要求所有这些文件:
const required = require('require-all')({
dirname: __dirname + '/commands', // Path to the 'commands' directory
filter: /(.+)\.js$/, // RegExp that matches the file names
excludeDirs: /^\.(git|svn)|samples$/, // Directories to exclude
recursive: true // Allow for recursive (subfolders) research
});
上面的required
变量如下所示:
// /*export*/ represents the exported object from the module
{
folder1: { file1: /*export*/ },
folder2: {
subfolder: { file2: /*export*/ }
}
}
为了获得所有命令,您需要使用递归函数扫描该对象:
const commands = {};
(function searchIn(obj = {}) {
for (let key in obj) {
const potentialCommand = obj[key];
// If it's a command save it in the commands object
if (potentialCommand.run) commands[key] = potentialCommand;
// If it's a directory, search recursively in that too
else searchIn(potentialCommand);
}
})(required);
要执行命令时,只需调用:
commands['command-name'].run(client, message, args, ops)
您可以在this副本中找到有效的演示(带有字符串)。