0

标题是不言自明的。尝试弄乱以下代码的差异迭代。此版本识别 firstPrefix,但不识别 secondPrefix。我只希望我的 djs 机器人能够识别这两个前缀并相应地运行 Args 拆分。

const firstPrefix = '!test ';
const secondPrefix = '!testtwo ';

//Prefix
bot.on('message', message => {
    message.content = message.content.toLowerCase();
    if (message.author.bot || !message.content.startsWith(firstPrefix || secondPrefix))  {
        return;
    }

//Args split
    if (message.content.startsWith(firstPrefix)) {
        console.log("A")
        var args = message.content.slice(firstPrefix.length).split(/ +/);
    }
    else if (message.content.startsWith(secondPrefix)) {
        console.log("B")
        var args = message.content.slice(secondPrefix.length).split(/ +/);
    } 

我试过做:

if (message.author.bot || !message.content.startsWith(firstPrefix) || !message.content.startsWith(secondPrefix))

但这根本不起作用。在这里很困惑,任何帮助都会很棒。谢谢。

4

2 回答 2

1

您可以将前缀存储在数组中,然后使用Array#some()检查内容是否以任一前缀开头

const prefixes = ['!test ', '!testtwo '];

bot.on('message', message => {
   ...
   if (prefixes.some(prefix => message.content.startsWith(prefix)) {
      ...
   }
});
于 2021-06-04T18:33:19.383 回答
0

您当前的代码(第二个代码块)将不起作用,就好像它以一个前缀开头,而不以另一个前缀开头,导致它产生一个真 if 语句,并且不执行您的命令。

在第一个代码块中,由于firstPrefixsecondPrefix都是用值定义的,firstPrefix || secondPrefix因此计算结果为firstPrefix

由于您想同时包含firstPrefix AND secondPrefix,因此您应该执行以下操作:

if (
  message.author.bot || /* if it is a bot */
  (!message.content.startsWith(firstPrefix) && /* does not start with first */
  !message.content.startsWith(secondPrefix))) /* and does not start with second */ {
  return;
}
于 2021-06-04T18:30:47.267 回答