我正在尝试捕获一些用户错误使用命令可能产生的错误。
为了测试这一点,我创建了一个命令,该命令会按需引发错误,并且应该捕获这些错误。
问题是,我尝试捕获commands.BotMissingPermisions
,commands.MissingPermissions
和commands.CommandOnCooldown
的尝试似乎被忽略并作为commands.CommandInvokeError
处理。捕获其他错误(例如TooManyArguments
或NotOwner
)也很好。
那就是我的代码:
Import discord
from discord.ext Import commands
bot = commands.Bot(command_prefix='~')
@bot.event
async def on_command_error(ctx, error):
if isinstance(error, commands.MissingPermissions):
await ctx.send('missing perms')
elif isinstance(error, commands.BotMissingPermissions):
await ctx.send('bot missing perms')
elif isinstance(error, commands.CommandOnCooldown):
await ctx.send('cooldown')
elif isinstance(error, commands.CommandInvokeError):
await ctx.send('invoke')
else:
await ctx.send('should not happen')
@bot.command
async def doError(ctx, type : int):
if(type == 0):
raise commands.MissingPermissions
elif(type == 1):
raise commands.BotMissingPermissions
elif(type == 2):
raise commands.CommandOnCooldown
bot.run(token)
这是我第一次在这里提问,所以如果您需要更多信息,请告诉我
最佳答案
您试图捕获的命令错误旨在在执行命令的回调(从检查,转换器等)之前引发。回调中引发的异常将包装在 CommandInvokeError
中,因此很清楚它们来自何处。
例如,您可能有一个错误处理程序,例如
@bot.event
async def on_command_error(ctx, error):
if isinstance(error, commands.TooManyArguments):
await ctx.send('too many arguments')
elif isinstance(error, commands.CommandInvokeError):
await ctx.send('invoke')
else:
await ctx.send('should not happen')
和类似的命令
@bot.command
async def doError(ctx, type : int):
raise commands.TooManyArguments
如果您实际上向命令传递了太多参数,那么命令处理机制将产生
TooManyArguments
异常并将其传递给处理程序。另一方面,如果您的回调产生TooManyArguments
异常,则命令机制将采用该异常,将其包装在CommandInvokeError
中,然后将其传递给处理程序。关于python-3.x - Discord.py : My programm seems to be unable to differentiate between errors(MissingPerms, BotMissingPerms) and therefore uses the wrong handler,我们在Stack Overflow上找到一个类似的问题:https://stackoverflow.com/questions/59671620/