discord.js 列出我所有的机器人命令
我使用 discord.js 制作了一个不和谐机器人,并尝试执行帮助命令向用户显示所有可用命令.
i made a discord bot with discord.js and tried to do a help command to show the user all available commands.
示例命令:avatar.js
module.exports.run = async(bot, message, args) => {
let msg = await message.channel.send("doing some magic ...");
let target = message.mentions.users.first() || message.author;
await message.channel.send({files: [
{
attachment: target.displayAvatarURL,
name: "avatar.png"
}
]});
msg.delete();
}
module.exports.help = {
name: "avatar",
description: "show the avatar of a user",
usage: "[@user]"
}
然后我尝试发送带有完整命令列表的消息,例如:
Then i tried to send a message with the complete list of the commands like:
- 命令 1
- 说明
- 用法
- 命令 2
- 说明
- 用法
- ...
help.js
const fs = require("fs");
const Discord = require("discord.js");
module.exports.run = async(bot, message, args, con) => {
fs.readdir("./cmds/", (err, files) => {
if(err) console.error(err);
let jsfiles = files.filter(f => f.split(".").pop() === "js");
if(jsfiles.length <= 0) {
console.log("No commands to load!");
return;
}
var namelist = "";
var desclist = "";
var usage = "";
let result = jsfiles.forEach((f, i) => {
let props = require(`./${f}`);
namelist = props.help.name;
desclist = props.help.description;
usage = props.help.usage;
});
message.author.send(`**${namelist}**
${desclist}
${usage}`);
});
}
module.exports.help = {
name: "help",
description: "show all commands",
usage: ""
}
我的代码有点工作,但它只发送第一个命令.
my code is kinda working but it only sends the first command.
我对 javascript 很陌生,我找不到解决方案.我试图用谷歌搜索所有关于 foreach 地图不和谐集合和东西的东西,但我找不到将结果组合在一起的例子.
Im pretty new to javascript and i can't find a solution to this. I tried to google everything on foreach maps discord collections and stuff but i cant find a example where the results get combined together.
如果有人可以帮助我或给我一个提示,我可以在哪里搜索类似的东西.会很棒.
If anybody can help me or give me a hint where i can search for something like this. Would be awesome.
推荐答案
你的代码只发送一个命令的原因是你的代码只调用 message.author.send('...'
一次.您成功地使用每个文件中的数据设置了变量 namelist
、desclist
和 usage
,但您的 .forEach(...
循环只是在移动到下一个文件时覆盖所有数据.
The reason your code is only sending the one command is because your code only calls message.author.send('...'
once. You successfully set the variables namelist
, desclist
, and usage
with data from every file, but your .forEach(...
loop just overwrites all of the data when it moves to the next files.
尝试在 .forEach(...
循环的每次迭代中发送数据,如下所示:
Try to send data inside each iteration of the .forEach(...
loop like this:
var namelist = "";
var desclist = "";
var usage = "";
let result = jsfiles.forEach((f, i) => {
let props = require(`./${f}`);
namelist = props.help.name;
desclist = props.help.description;
usage = props.help.usage;
// send help text
message.author.send(`**${namelist}**
${desclist}
${usage}`);
});
相关文章