我已经尝试搜索其他示例,以自己解决这个问题,但我对一般编码还很陌生,而且我对 Java 脚本也很陌生,所以我提前为我犯的任何愚蠢的错误道歉。
基本上,我正在学习 javascript,我认为一种很好的交互式学习方式是制作一个不和谐的机器人,这样我就可以“看到”我的努力得到返回,从而保持我的动力。我决定一个基本的垃圾邮件机器人将是一个很好的起点,让我熟悉最基本的方面。
经过一番研究,我发现了“setInterval”方法,它似乎非常适合我所想到的应用程序。此方法将在每个给定的时间间隔执行一行代码。
所以我可以让我的机器人向不和谐 channel 发送垃圾邮件,但我遇到的这个问题是我是否想让它停止。

client.on('message', message => {           //reacting when ever the 'message' EVENT occurs (e.g. a message is sent on a text channel in discord)

console.log('A message was detected and this is my reaction');
console.log(message.author + ' also knows as ' + message.author.username + ' said:\t' + message.content);       //message.author is the value of the person who sent the message, message.content is the content of the message


if(message.author.bot) {
    return null                 //returns nothing if the message author is the bot


} else if (message.content.startsWith(`${prefix}spam`)) {

    let timerId = setInterval(() => {                                           //starts to spams the channel
        message.channel.send('spamtest');
    }, 1500);


} else if (message.content.startsWith(`${prefix}stop`)) {

    clearInterval(timerId);
    message.channel.send('condition met');

}
});
我在这里得到的错误是没有定义 timerId。所以我认为那是因为它是一个局部变量,现在我被难住了。我不知道还能尝试什么,而且我对这么简单的事情感到非常沮丧,所以我希望这里有人可以提供帮助。
谢谢

最佳答案

正如 Jaromanda X in the comments 所述, let 关键字在当前块作用域中声明了一个变量,使得其他块作用域(另一个 else if 块)无法访问该变量。
要解决此问题,您需要在全局作用域中声明变量 timerId,以便所有其他块作用域都可以访问它:

let timerId; // declare timer in global scope

client.on('message', message => {           //reacting when ever the 'message' EVENT occurs (e.g. a message is sent on a text channel in discord)

console.log('A message was detected and this is my reaction');
console.log(message.author + ' also knows as ' + message.author.username + ' said:\t' + message.content);       //message.author is the value of the person who sent the message, message.content is the content of the message


if(message.author.bot) {
    return null                 //returns nothing if the message author is the bot


} else if (message.content.startsWith(`${prefix}spam`)) {

    timerId = setInterval(() => {                                           //starts to spams the channel
        message.channel.send('spamtest');
    }, 1500);


} else if (message.content.startsWith(`${prefix}stop`)) {

    clearInterval(timerId);
    message.channel.send('condition met');

}

10-06 00:49