如果应用程序未能在 3 秒内响应交互,Discord 将自动超时并触发自定义的“此交互失败”消息。
然而,我正在运行一些稍长的任务,因此我调用了 ctx.defer()
方法,这让我有更多时间进行响应并显示“
如果我的任务引发一些内部异常,我想手动触发“此交互失败”消息。 Discord API 是否公开了这样做的方法?
我试图触发的消息
一个虚拟示例,使用 discord-py-slash-command
:
import discord
from discord.ext import commands
from discord_slash import SlashCommand, SlashContext
bot = commands.Bot(command_prefix="!", intents=discord.Intents.all())
slash = SlashCommand(bot)
@slash.slash(name="test")
async def _test(ctx: SlashContext):
await ctx.defer()
try:
assert 1==2
except AssertionError:
# Somehow trigger the error message
bot.run("discord_token")
答案 0 :(得分:1)
文档指出,延迟消息最多可更新消息 15 分钟。没有有意提前使交互失败的方法,但是您可以尝试故意发送无效/损坏的响应,看看这是否会使挂起的交互无效。
然而,这远不是好的做法,而且在 discord-py-slash-command
库的实现限制内是不可能的。
我建议手动调用错误响应以向用户显示更好的错误响应。失败的交互可能有很多原因,从代码错误到您的服务完全不可用,并且对用户没有真正的帮助。
您可以简单地回复一条隐藏的用户消息。
ctx.send('error description', hidden=True)
return
为此,您必须首先将消息延迟到隐藏阶段以及 ctx.defer(hidden=True)
。如果您希望服务器上的所有用户都能看到最终答案,您可以在顶部发送一条普通消息 (ctx.channel.send
),或者您可以使用“normal”将错误消息显示为一条公共消息'推迟。
要捕获意外错误,我建议您侦听 on_slash_command_error
事件处理程序。
@client.event
async def on_slash_command_error(ctx, error):
if isinstance(error, discord.ext.commands.errors.MissingPermissions):
await ctx.send('You do not have permission to execute this command', hidden=True)
else:
await ctx.send('An unexpected error occured. Please contact the bot developer', hidden=True)
raise error # this will show some debug print in the console, when debugging
请注意,如果先前的延迟被调用为 ctx.defer(hidden=True)
,则响应只会被隐藏。如果使用了 ctx.defer()
,则执行不会失败,并且会向您的控制台打印警告。
这样,调用方法可以通过选择相应的 defer
参数来决定是否所有用户都可以看到意外错误。