我已经让这个机器人工作了一段时间,由于某种原因,该机器人现在会响应它前面的任何前缀,而不是设置的前缀。
const PREFIX = '$';
bot.on('message', message => {
let argus = message.content.substring(PREFIX.length).split(" ");
switch (argus[0]) {
case 'yeet':
message.channel.send("yeet")
break;
}
});
答案 0 :(得分:1)
在您的代码中,您无需检查消息是否以前缀开头。因此,您的代码将针对每条消息执行,并且如果命令在子字符串后的长度为PREFIX
,则它将触发该命令。
更正的代码:
// Example prefix.
const PREFIX = '!';
bot.on('message', message => {
// Ignore the message if it's from a bot or doesn't start with the prefix.
if (message.author.bot || !message.content.startsWith(PREFIX)) return;
// Take off the prefix and split the message into arguments by any number of spaces.
const args = message.content.slice(PREFIX.length).split(/ +/g);
// Switching the case of the command allows case iNsEnSiTiViTy.
switch(args[0].toLowerCase()) {
case 'yeet':
message.channel.send('yeet')
// Make sure to handle any rejected promises.
.catch(console.error);
break;
}
});