-
Notifications
You must be signed in to change notification settings - Fork 0
/
Copy pathbot.py
140 lines (119 loc) · 5.44 KB
/
bot.py
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
87
88
89
90
91
92
93
94
95
96
97
98
99
100
101
102
103
104
105
106
107
108
109
110
111
112
113
114
115
116
117
118
119
120
121
122
123
124
125
126
127
128
129
130
131
132
133
134
135
136
137
138
139
140
# note that `global_stuff` loads the `config.env` variables
from global_stuff import assert_getenv
from os import execl
import discord
from discord import app_commands, Interaction
from discord.ext import commands
import logging
import traceback
# INFO level captures all except DEBUG log messages.
# the FileHandler by default appends to the given file
logging.basicConfig(
level=logging.INFO,
format='%(asctime)s %(levelname)s %(name)s: %(message)s',
datefmt='%m-%d %H:%M:%S',
handlers=[
logging.FileHandler("log.txt"),
logging.StreamHandler()
]
)
DISCORD_TOKEN = assert_getenv("bot_token")
EXTENSIONS_FILE = assert_getenv("extensions_file")
COMMAND_PREFIX = assert_getenv("command_prefix")
BOT_MAINTAINER_ID = assert_getenv("bot_maintainer_id")
try:
with open(EXTENSIONS_FILE, 'r') as f:
EXTENSIONS = [l.strip('\n') for l in f.readlines()]
except FileNotFoundError:
with open(EXTENSIONS_FILE, 'w') as f:
EXTENSIONS = []
# initialize the bot.
intents = discord.Intents.default()
intents.members = True # necessary e.g., to get members of a role
intents.message_content = True # necessary for regular commands to work
bot = commands.Bot(
command_prefix=COMMAND_PREFIX,
intents=intents)
# bot events
@bot.event
async def on_ready():
logging.info(f"{bot.user} is now online.")
# bot commands (non-slash; only for the admin/owner)
@bot.command(name='sync', hidden=True)
@commands.is_owner()
async def sync(ctx: commands.Context):
# note that global commands need to be explicitly copied to the guild
await bot.tree.sync(guild=ctx.guild)
await ctx.send(f"Synced slash commands exclusive to this server ({ctx.guild.name}).")
@bot.command(name='sync_global', hidden=True)
@commands.is_owner()
async def sync_global(ctx: commands.Context):
await bot.tree.sync()
await ctx.send("Synced global slash commands.")
@bot.command(name='shutdown', hidden=True)
@commands.is_owner()
async def shutdown(ctx: commands.Context):
await ctx.send("Shutting down...")
await bot.close()
@bot.command(name='restart', hidden=True)
@commands.is_owner()
async def restart(ctx: commands.Context):
await ctx.send("Restarting...")
execl("./start.sh", "./start.sh")
@bot.command(name='load', hidden=True)
@commands.is_owner()
async def load_extension(ctx: commands.Context, extension_name: str):
await bot.load_extension(extension_name)
await ctx.send(f"Loaded extension: {extension_name}.")
@bot.command(name='unload', hidden=True)
@commands.is_owner()
async def unload_extension(ctx: commands.Context, extension_name: str):
await bot.unload_extension(extension_name)
await ctx.send(f"Unloaded extension: {extension_name}.")
@bot.command(name='reload', hidden=True)
@commands.is_owner()
async def reload_extension(ctx: commands.Context, extension_name: str=""):
if extension_name:
await bot.reload_extension(extension_name)
await ctx.send(f"Reloaded extension: {extension_name}.")
else:
for extension in EXTENSIONS:
await bot.reload_extension(extension)
await ctx.send(f"Reloaded all extensions: {EXTENSIONS}.")
# official way to handle all regular command errors
@bot.event
async def on_command_error(ctx: commands.Context, error: commands.CommandError):
if isinstance(error, commands.errors.NotOwner):
await ctx.send(f"You need to be this bot's owner to use this command.")
else:
raise error
# somewhat unofficial way to handle all slash command errors
# https://stackoverflow.com/a/75815621/21452015
# also see here: https://discordpy.readthedocs.io/en/stable/ext/commands/api.html#discord.ext.commands.Cog.cog_app_command_error
async def on_app_command_error(interaction: Interaction, error: app_commands.AppCommandError):
if isinstance(error, app_commands.errors.MissingRole):
await interaction.response.send_message(f"You do not have the required role ({error.missing_role}) to use this command.", ephemeral=True)
elif isinstance(error, app_commands.errors.CommandInvokeError):
# here it's especially important so the bot isn't stuck "thinking" (e.g., from `defer()`)
# meanwhile, the user also gets an idea of what they might have done wrong.
error_message = f"Ah oh an error occurred! This is likely due to a bug in the code... <@{BOT_MAINTAINER_ID}> -- come fix this!"
if interaction.response.is_done():
# NOTE: `ephemeral` here only works if `defer()` was called with `ephemeral=True`
await interaction.followup.send(error_message)
else:
await interaction.response.send_message(error_message)
# do NOT `raise error` here; this somehow results in the error being
# sent here again (TOTHINK: but only once! Intriguing...)
print(''.join(traceback.format_exception(error))) # show the error to the console for debugging
else:
raise error
bot.tree.on_error = on_app_command_error
async def setup_hook():
# note that extensions should be loaded before the slash commands
# are synched. Here we ensure that by only allowing manual synching
# once the bot finishes loading (i.e., `setup_hook()` has been called)
for extension in EXTENSIONS:
await bot.load_extension(extension)
bot.setup_hook = setup_hook
bot.remove_command('help')
bot.run(DISCORD_TOKEN, log_handler=None)