Apollo is a Discord bot for the University of Warwick Computing Society.
It is designed to augment our Discord server with a few of the user services available on our website.
If you are new to Apollo / Discord Bots, read a minimum of
- Incredibly Quick Start
- General Structure
- Top of Contributing
git clone https://github.com/UWCS/apollo
pip install pipenv
pipenv install
python -m pipenv install
if pipenv is not foundconfig.example.yaml
to config.yaml
discord_token: <COPIED TOKEN>
apollo.py
comment out all the commands in EXTENSIONS
except the one you are working onpipenv run python apollo.py
Apollo uses pipenv
for dependency and venv management. Install it with pip install pipenv
, and then run pipenv install
to install all the required dependencies into a new virtual environment.
pipenv install
, as aboveconfig.example.yaml
to config.yaml
and configure the fields.alembic.example.ini
to alembic.ini
and configure any fields you wish to change.alembic upgrade head
.
postgresql+psycopg://apollo:apollo@localhost/apollo
(in config.example.yaml
)apollo
and a user with name and password apollo
with access to it.sqlite:///apollo.sqlite3
.Run Apollo using pipenv run python apollo.py
A Dockerfile and docker-compose are provided for easily running Apollo. Assuming you already have docker installed, run docker compose up
to start both Apollo and a postgres database.
The compose file uses a docker compose config to mount config.yaml
into the container at runtime, not at build time. Copy config.example.yaml
to config.yaml
and configure the fields so that compose can do this. You will need to change the database url to postgresql+psycopg://apollo:apollo@db/apollo
if you wish to connect to the containerised database.
The docker image builds alembic.ini
into it by copying the example, as it is rare any values in this wish to be changed on a per-deployment basis.
When you first create the database container, you'll need to apply migrations:
docker compose up
to start both services. The python one won't work, but leave it running.
docker compose up --build
docker compose exec apollo alembic upgrade head
to apply the database migrations.docker compose restart apollo
to restart the bot with migrations applied.Migrations will need to be re-applied every time the database schema changes.
cogs/commands
: Where the main code for commands reside.config
: Config parser.migrations
: Handles database upgrades.models
: Database ORM classes to map between Python and SQL.tests
: Unit tests for some commands, still very WIP.utils
: Some general shared utility functions.karma
, roll
, printer
, voting
: commands that have enough code to warrant a separate directory.As always, check GitHub Issues first, make sure to tell us when you are working on something
When creating a PR, I highly recommend ticking Allow edits from maintainers
This project uses black
and ruff
to format the code and enforce code style.
black .
and ruff check --fix .
in the root directorypipenv shell
first to drop into the venv where the tools are installed.See flip.py
for an example of a basic command.
We generally want to use @commands.hybrid_command
, so we get a slash command and text command, this does have some restrictions though -- see the following point about clean_content
-- which you should use to take user input btw.
When writing anything that needs to reply to a specific username, please do from utils import get_name_string
and get the display string using this function, with the discord Message
object as the argument (e.g. display_name = get_name_string(ctx.message)
).
await ctx.send(f'Sorry {display_name}, that won't work.')
.ctx.reply
doesn't notify IRC users due to bridge limiationsTo handle IRC and Discord users, we have a 3rd type: Database users. It's kinda confusing what is needed where, and do ask if you need.
utils.get_database_user
.If you want to get a longer text field as input, use async def cmd(self, ctx, [...], *, args: str)
, and the remaining text (after other arguments) will be consumed into the args
parameter. We also recommend the clean_content
converter to remove mentions, etc. however it has not been converted to a Transformer
yet (needed for slash/hybrid commands), only a Converter
(for text commands only).
clean_content
on it: args = await clean_content().convert(ctx, args)
..split()
or shlex.split
if it is a shell-like style.voting.splitutils.split_args
, which infers the delimiter from a list (["\n", ";", ",", " "]
by default) and allows escaping them where necessary.We have a few more useful functions:
utils.is_compsoc_exec_in_guild
decorator adds a check to the command that the author is exec only.utils.rerun_to_confirm
decorator, which gives a prompt to rerun the command to confirm intent (e.g. delete something important)announcement_utils.get_long_msg
for when you want a multiline input.
For testing CI locally, use act-cli, although I have not found this a perfect replica.
There are currently some problems with the database schema, so downgrading may not work perfectly. These shall be fixed soon.
We use SQLAlchemy for queries and Alembic for migration management. We use SQLAlchemy to write DB queries and it links objects and the data stored in the DB tables. If you are unfamiliar, SQLAlchemy queries are fairly directly comparable to SQL, and result in Python objects that are a whole lot easier to work with:
db_session.query(Announcement)
.where(Announcement.id == announcement_id)
.first()
Models, the classes that define the DB schema, are found in /models/
. They define the Python classes that are equivalent to the SQL tables (see models/votes.py
for a fairly complete example). It also defines shorthands for getting related objects. To get objects linked by a foreign key, you define a relationship
, which becomes shorthand for that link, instead of writing another SQL query.
Migrations are the way we add new features and tables to the database, while still keeping the old data. When you ran this bot, you ran alembic upgrade head
, which runs all the migrations from base
(nothing) to head
(latest version). The code from each migration is stored within /migrations/versions
. Each migration describes the changes to upgrade to a version (usually creating a new table or adding a new field/column), and how to downgrade from that version (usually dropping tables).
You can create a migration by running alembic revision -m "<summary>"
which creates the template file. You can let Alembic autogenerate the migration with alembic revision --autogenerate -m "<summary>"
. This is usually good enough, but check it carefully, making sure it drops enums and constraints as well as tables.
/models
/models/__init__.py
(so Alembic knows it exists)alembic revision --autogenerate -m "<summary>"
~/apollo/backup-db.sh
on berylliun to back up the databasesalembic upgrade head
Due to differences between SQLite and Postgres, we recommend you use Postgres for development, as that is what we use once deployed. SQLAlchemy and Alembic do a fairly good job of being agnostic between drivers, but they certainly aren't perfect.
The major example of this is altering tables, tables cannot be directly altered to remove a column or a constraint (e.g. foriegn key), so a new table must be created, data copied and edited across, and the old one replaced. Thankfully, Alembic can handle this for us, with a batch operation:
with op.batch_alter_table("<table>") as bop:
bop.drop_column("<column>")
Note: batch operations automatically become normal alter commands instead of copy and move on drivers that support alter, such as Postgres.
Add the name of your command in a file in the cogs/commands
directoy. A base command called example should have the following boilerplate in the file example.py
:
import discord
from discord.ext import commands
from discord.ext.commands import Bot, Context
class Example(commands.Cog):
def __init__(self, bot: Bot):
self.bot = bot
@commands.hybrid_command(help=<long help>, brief=<short help>)
async def example(self, ctx: Context, <optional args>):
<command goes here>
async def setup(bot: Bot):
await bot.add_cog(Example(bot))
This then needs to be added to apollo.py
with the line "cogs.commands.example"
in the EXTIONS
list.
If a command needs to be run on every message sent then it can be called in the on_message()
subroutine in the cogs/database.py
file. This should be done sparingly though as it could very easily overwhelm Apollo especially in high-traffic scenarios.
Cogs are how Discord.py organizes commands, each file is a separate cog with separate functionality. If you don't know about cogs already, ask on Discord or go some d.py docs. If you want to temporarily disable a Cog, comment out its line in apollo.py
while developing.
Sends the welcome message to new users, which looks like this:
Functionality
resources/welcome_message.yaml
.Config
resources/welcome_message.yaml
for contentUWCS_welcome_channel_id
is the message to post this inUWCS_roles_channel_id
is the role channel to mention in the messageEnsures IRC users can use this bot too. Apollo does not do the actual bridging.
IRC makes some parts of this more complex, e.g. we have both IRC and Discord users, text commands must be provided for
Functionality
Some general notes on IRC
Configuration
UWCS_discord_bridge_bot_id
is the ID of the IRC bridging botCreates user objects in database and dispatches Karma checks on message.
Functionality
Checks if channel order has been changed by accident. Sends a warning message on change.
Functionality
Configuration
UWCS_exec_spam_channel_id
sets the channel to send the warning message tochannel_check_interval
sets the period of the checking - keep somewhat large so multiple purposeful changes are limited to one message.Thread pool manager used for !roll
and (used to be) others
Allows exec to make scheduled announcements. Will post through a webhook if possible.
Functionality
IMG <link>
Configuration
announcement_search_interval
sets the interval for checking for announcement times passingannouncement_impersonate
whether the bot should post through a Webhook and appear like the original authorEveryone's favourite counting game
Functionality
We decided we had too much money and wanted to give it all to openAI. Makes appollo into a chat bot.
Functionality
!chat
or !prompt
along with your intial message to start the chainWasting more money on openAI. Generates image based on a prompt
Functionality
!dalle <prompt>
to generate an initial messageregenerate
or variant
to alter the original imageregenerate
would result in a differnt breeed (say a husky) where as variant
would maintian the breed and colourFetches the date and time in Discord timestamp formats
Functionality
!timestamps
)Fetches events from the UWCS website iCal and syncs onto Discord
Functionality
Flips a coin or picks from a set of options
Functionality
shlex
to split options, unlike elsewhere in this projectThe big boy, allows adding or subtracting from the karma of topics (anything) with <thing>++
or <thing>--
in a message (+- also exists for neutral).
Functionality
for
or because
or a reason in brackets or quotes.cogs/commands/karma
, .../karma_admin
, .../karma_blacklist
, cogs/database
, karma/karma
, karma/parser
, karma/transactions
) would be nice to organize some of these together in future.karma_admin
) or blacklist topics (karma_blacklist
)Configuration
karma_cooldown
determines the cooldown time between the karma of a topic being changed (by anyone). This stops complete spam wars.!admin minikarma <channel>
: toggle minikarma mode (shortened karma change report).!admin channel <channel> [Ignore|Watch]
: setkarma detection ignoring a channel.!blacklist <add|remove> <topic>
: add topic to the blacklist.Lambda calculus interpreter and reducer. Another case of someone felt like writing a parser. This still needs converting to use hybrid/slash commands at some point.
A set of alias commands for various memes and useful info. Sometime might be nice to create a more flexible !alias
command to add these through Discord.
Allows quoting users and fetching these later. There is currently a PR to makes quotes more useful.
Allows users to get reminders through this bot.
Functionality
Configuration
reminder_search_interval
sets the interval between checks. Effectively the accuracy of the reminders.Functions similarly to the vote system. Creates a role menu with buttons (not reacts).
Functionality
Configuration
!roles set_msg
sets the body of the message -- will check replies or modalUWCS_roles_channel_id
is for the welcome message only, and nothing here.Rolls (a set) of dice. Very flexible on arithmetic operations and nesting rolls.
Functionality
/roll/
and consists of parser
(parses the text into tokens), ast
(constructs and evaluates the tree of operations), and exceptions
(possible errors in the command).
cogs/commands/roll
and evaluation is handled in a separate thread to avoid particularly complex expressions causing problems.Brings together various Warwick APIs to lookup rooms and locations.
Functionality
resources/rooms/source/README.md
describes the full process of refreshing these mappings
Configuration
Gets the bot to repeat something.
Renders a LaTeX expression
Functionality
!tex try $a+b$ this $c+d$
Supports votes and polls. Some painful complexity to allow polls over Discord's limit of 25 buttons per message. Originally taken from ericthelemur/VoteBot
TODO Write this mess up see voting/README for now
Replaces the contents of the message with wide versions of characters and larger spacing.
Everyones favourite web comic.
Functionality
Use /xkcd
or !xkcd
to get a random comic or add an ID to the query to get a spefic comic. Name searches coming soonTM.
print_tools: Gave information about the society's 3D printing services, but 3D printer hasn't been working for ages
verify: We used to give a verified role to society members, but this is entirely unecessary and is exclusionary to new joiners.
fact: generates a random fact