我正在尝试创建一个使用asyncio的discord机器人。
我不了解大多数语法,例如使用@或异步本身,所以请原谅我的无知。我不知道该如何在Google中表达问题。

import discord
from discord.ext.commands import Bot
from discord.ext import commands

Client = discord.Client()

bot_prefix = "&&"

client = commands.Bot(command_prefix=bot_prefix)

@client.event
async def on_ready():
    print("Bot online")
    print("Name:", client.user.name)
    print("ID:", client.user.id)

@client.command(pass_context=True)
async def ToggleSwitch(ctx):
    theSwitch = not theSwitch

@client.event
async def on_message(message):
    await client.process_commands(message)
    if message.author.id == "xxxxx" and theSwitch == True:
        await client.send_message(message.channel, "Switch is on and xxxxx said something")


我稍微简化了问题,但是我想了解的是如何将theSwitch变量从ToggleSwitch函数传递给on_message,或者至少是我自己可以在整个过程中访问的变量的一种方式。看起来似乎没有代码(也许通过连接到外部数据库?)。

再次,对您的烦恼表示歉意,但是我真的很想解决这个问题,因为我对此问题确实很残障。

最佳答案

可变范围

在这种情况下,您要对theSwitch使用全局作用域,这意味着可以从任何位置访问该变量。定义全局变量很简单;在Client = discord.Client()(也应该使用client作为变量名)之后,放置theSwitch = True(或False)。

然后,在ToggleSwitch(应命名为toggleSwitch ...)中:

@client.command(pass_context=True)
async def ToggleSwitch(ctx):
    global theSwitch
    theSwitch = not theSwitch


请注意,您需要指定全局范围,否则默认情况下它将创建一个新的局部变量。

现在,您可以从on_message访问theSwitch(尽管在此处声明全局范围也很不错,但除非您修改了theSwitch,否则不必严格要求)。请注意,在两个事件完全同时发生的奇怪情况下,此方法不一定与async一起使用,但是无论如何都会导致未定义的行为。

关于python - Python(Discord Bot):将参数传递给函数,我们在Stack Overflow上找到一个类似的问题:https://stackoverflow.com/questions/46415873/

10-09 17:08