Skip to content

Commit d08c1f4

Browse files
committed
big commit - handle most of the modernization and cleanup
1 parent e59a936 commit d08c1f4

28 files changed

+1280
-325
lines changed

LICENSE

+1-1
Original file line numberDiff line numberDiff line change
@@ -1,6 +1,6 @@
11
MIT License
22

3-
Copyright (c) 2021 PythonistaGuild
3+
Copyright (c) 2021-Present PythonistaGuild
44

55
Permission is hereby granted, free of charge, to any person obtaining a copy
66
of this software and associated documentation files (the "Software"), to deal

bot.py

+109
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,109 @@
1+
"""MIT License
2+
3+
Copyright (c) 2021-Present PythonistaGuild
4+
5+
Permission is hereby granted, free of charge, to any person obtaining a copy
6+
of this software and associated documentation files (the "Software"), to deal
7+
in the Software without restriction, including without limitation the rights
8+
to use, copy, modify, merge, publish, distribute, sublicense, and/or sell
9+
copies of the Software, and to permit persons to whom the Software is
10+
furnished to do so, subject to the following conditions:
11+
12+
The above copyright notice and this permission notice shall be included in all
13+
copies or substantial portions of the Software.
14+
15+
THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR
16+
IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY,
17+
FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE
18+
AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER
19+
LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM,
20+
OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN THE
21+
SOFTWARE.
22+
"""
23+
import json
24+
import pathlib
25+
from collections import deque
26+
from typing import Any
27+
28+
import aiohttp
29+
import asyncpg
30+
import discord
31+
from discord.ext import commands
32+
33+
from core import CONFIG
34+
from core.utils.logging import LogHandler
35+
from modules import EXTENSIONS
36+
37+
38+
class Bot(commands.Bot):
39+
session: aiohttp.ClientSession
40+
pool: asyncpg.Pool[asyncpg.Record]
41+
log_handler: LogHandler
42+
43+
__slots__ = (
44+
"session",
45+
"pool",
46+
"log_handler",
47+
)
48+
49+
def __init__(self):
50+
super().__init__(
51+
command_prefix=commands.when_mentioned_or(CONFIG["BOT"]["prefix"]),
52+
intents=discord.Intents.all(),
53+
)
54+
self._previous_websocket_events: deque[Any] = deque(maxlen=10)
55+
56+
async def on_ready(self) -> None:
57+
"""On Bot ready - cache is built."""
58+
assert self.user
59+
print(f"Online. Logged in as {self.user.name} || {self.user.id}")
60+
61+
async def on_socket_response(self, message: Any) -> None:
62+
"""Quick override to log websocket events."""
63+
self._previous_websocket_events.append(message)
64+
65+
async def setup_hook(self) -> None:
66+
self.session = aiohttp.ClientSession()
67+
68+
async def start(self, token: str, *, reconnect: bool = True) -> None:
69+
try:
70+
await super().start(token=token, reconnect=reconnect)
71+
finally:
72+
path = pathlib.Path("logs/prev_events.log")
73+
with path.open("w+", encoding="utf-8") as f:
74+
for event in self._previous_websocket_events:
75+
try:
76+
last_log = json.dumps(event, ensure_ascii=True, indent=2)
77+
except Exception:
78+
f.write(f"{event}\n")
79+
else:
80+
f.write(f"{last_log}\n")
81+
82+
async def close(self) -> None:
83+
"""Closes the Bot. It will also close the internal :class:`aiohttp.ClientSession`."""
84+
await self.session.close()
85+
await super().close()
86+
87+
88+
async def main() -> None:
89+
async with Bot() as bot, aiohttp.ClientSession() as session, asyncpg.create_pool(
90+
user=CONFIG["DATABASE"]["user"],
91+
host=CONFIG["DATABASE"]["host"],
92+
database=CONFIG["DATABASE"]["database"],
93+
password=CONFIG["DATABASE"]["password"],
94+
port=CONFIG["DATABASE"]["port"],
95+
) as pool, LogHandler() as handler:
96+
bot.session = session
97+
bot.pool = pool
98+
bot.log_handler = handler
99+
100+
await bot.load_extension("jishaku")
101+
for extension in EXTENSIONS:
102+
await bot.load_extension(extension.name)
103+
bot.log_handler.log.info(
104+
"Loaded %sextension: %s",
105+
"module " if extension.ispkg else "",
106+
extension.name,
107+
)
108+
109+
await bot.start(CONFIG["BOT"]["token"])

config.template.toml

+2-2
Original file line numberDiff line numberDiff line change
@@ -7,8 +7,8 @@ prefix = '>>'
77
user = 'pythonista'
88
password = 'somepassword'
99
host = 'localhost'
10-
port = '5432'
10+
port = 5432
1111
database = 'pythonista'
1212

1313
[API_TOKENS]
14-
riot = ''
14+
riot = ''

constants/__init__.py

+1-1
Original file line numberDiff line numberDiff line change
@@ -1,6 +1,6 @@
11
"""MIT License
22
3-
Copyright (c) 2020 PythonistaGuild
3+
Copyright (c) 2021-Present PythonistaGuild
44
55
Permission is hereby granted, free of charge, to any person obtaining a copy
66
of this software and associated documentation files (the "Software"), to deal

constants/constants.py

+24-26
Original file line numberDiff line numberDiff line change
@@ -1,6 +1,6 @@
11
"""MIT License
22
3-
Copyright (c) 2020 PythonistaGuild
3+
Copyright (c) 2021-Present PythonistaGuild
44
55
Permission is hereby granted, free of charge, to any person obtaining a copy
66
of this software and associated documentation files (the "Software"), to deal
@@ -22,12 +22,10 @@
2222
"""
2323
from .meta import CONSTANTS
2424

25-
26-
__all__ = ('Roles', 'Colours', 'League')
25+
__all__ = ("Roles", "Colours", "League")
2726

2827

2928
class Roles(CONSTANTS):
30-
3129
# Human
3230
ADMIN: int = 490952483238313995
3331
MODERATOR: int = 578255729295884308
@@ -45,37 +43,37 @@ class Roles(CONSTANTS):
4543

4644

4745
class Colours(CONSTANTS):
48-
4946
# Branding
5047
PYTHONISTA_BG: hex = 0x18344D
5148
PYTHON_YELLOW: hex = 0xFFDE57
5249
PYTHON_BLUE: hex = 0x4584B6
5350

5451

5552
class League(CONSTANTS):
56-
5753
# Endpoints
58-
API: str = 'https://{region}.api.riotgames.com/{endpoint}/{query}'
59-
SUMMONER_BY_ID: str = 'lol/summoner/v4/summoners'
60-
SUMMONER_BY_NAME: str = 'lol/summoner/v4/summoners/by-name'
61-
RANKED_BY_SUMMONER_ID: str = 'lol/league/v4/entries/by-summoner'
62-
MATCHES_BY_ACCOUNT_ID: str = 'lol/match/v4/matchlists/by-account'
63-
MATCH_BY_ID: str = 'lol/match/v4/matches'
54+
API: str = "https://{region}.api.riotgames.com/{endpoint}/{query}"
55+
SUMMONER_BY_ID: str = "lol/summoner/v4/summoners"
56+
SUMMONER_BY_NAME: str = "lol/summoner/v4/summoners/by-name"
57+
RANKED_BY_SUMMONER_ID: str = "lol/league/v4/entries/by-summoner"
58+
MATCHES_BY_ACCOUNT_ID: str = "lol/match/v4/matchlists/by-account"
59+
MATCH_BY_ID: str = "lol/match/v4/matches"
6460

6561
# Assets
66-
DD_VERSIONS_URL: str = 'https://ddragon.leagueoflegends.com/api/versions.json'
67-
DD_CDN_URL: str = 'https://ddragon.leagueoflegends.com/cdn/dragontail-{version}.tgz'
68-
DD_CHAMPIONS_URL: str = 'http://ddragon.leagueoflegends.com/cdn/{version}/data/en_US/champion.json'
62+
DD_VERSIONS_URL: str = "https://ddragon.leagueoflegends.com/api/versions.json"
63+
DD_CDN_URL: str = "https://ddragon.leagueoflegends.com/cdn/dragontail-{version}.tgz"
64+
DD_CHAMPIONS_URL: str = (
65+
"http://ddragon.leagueoflegends.com/cdn/{version}/data/en_US/champion.json"
66+
)
6967

7068
# Regions
71-
BR: str = 'br1' # Brazil
72-
EUNE: str = 'eun1' # Europe Nordic and East
73-
EUW: str = 'euw1' # Europe West
74-
LAN: str = 'la1' # Latin America North
75-
LAS: str = 'la2' # Latin America South
76-
NA: str = 'na1' # North America
77-
OCE: str = 'oc1' # Oceanic
78-
RU: str = 'ru' # Russia
79-
TR: str = 'tr1' # Turkey
80-
JP: str = 'jp1' # Japan
81-
KR: str = 'kr' # Korea
69+
BR: str = "br1" # Brazil
70+
EUNE: str = "eun1" # Europe Nordic and East
71+
EUW: str = "euw1" # Europe West
72+
LAN: str = "la1" # Latin America North
73+
LAS: str = "la2" # Latin America South
74+
NA: str = "na1" # North America
75+
OCE: str = "oc1" # Oceanic
76+
RU: str = "ru" # Russia
77+
TR: str = "tr1" # Turkey
78+
JP: str = "jp1" # Japan
79+
KR: str = "kr" # Korea

constants/meta.py

+4-5
Original file line numberDiff line numberDiff line change
@@ -1,6 +1,6 @@
11
"""MIT License
22
3-
Copyright (c) 2020 PythonistaGuild
3+
Copyright (c) 2021-Present PythonistaGuild
44
55
Permission is hereby granted, free of charge, to any person obtaining a copy
66
of this software and associated documentation files (the "Software"), to deal
@@ -24,9 +24,8 @@
2424

2525

2626
class ConstantsMeta(type):
27-
2827
def __new__(mcs, name, bases, attrs):
29-
if name == 'CONSTANTS':
28+
if name == "CONSTANTS":
3029
return super().__new__(mcs, name, bases, attrs)
3130

3231
try:
@@ -41,10 +40,10 @@ def __new__(mcs, name, bases, attrs):
4140
return super().__new__(mcs, name, bases, attrs)
4241

4342
def __setattr__(self, attr, nv):
44-
raise RuntimeError(f'Constant <{attr}> cannot be assigned to.')
43+
raise RuntimeError(f"Constant <{attr}> cannot be assigned to.")
4544

4645
def __delattr__(self, attr):
47-
raise RuntimeError(f'Constant <{attr}> cannot be deleted.')
46+
raise RuntimeError(f"Constant <{attr}> cannot be deleted.")
4847

4948

5049
class CONSTANTS(metaclass=ConstantsMeta):

core/__init__.py

+4-5
Original file line numberDiff line numberDiff line change
@@ -1,6 +1,6 @@
11
"""MIT License
22
3-
Copyright (c) 2021 PythonistaGuild
3+
Copyright (c) 2021-Present PythonistaGuild
44
55
Permission is hereby granted, free of charge, to any person obtaining a copy
66
of this software and associated documentation files (the "Software"), to deal
@@ -20,10 +20,9 @@
2020
OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN THE
2121
SOFTWARE.
2222
"""
23-
__version__ = '0.0.1a'
23+
__version__ = "0.0.1a"
2424

25-
from . import utils
26-
from .bot import Bot
25+
from . import utils as utils
26+
from ..bot import Bot as Bot
2727
from .core import *
28-
from .database import Database
2928
from .riot import *

core/bot.py

-46
This file was deleted.

core/checks.py

+11-4
Original file line numberDiff line numberDiff line change
@@ -1,6 +1,6 @@
11
"""MIT License
22
3-
Copyright (c) 2020 PythonistaGuild
3+
Copyright (c) 2021-Present PythonistaGuild
44
55
Permission is hereby granted, free of charge, to any person obtaining a copy
66
of this software and associated documentation files (the "Software"), to deal
@@ -33,14 +33,21 @@ def predicate(ctx: core.Context):
3333
# This should never be a problem, but just in case...
3434
if not role:
3535
# TODO: Change this to a custom exception.
36-
raise commands.CheckFailure(f'Role with ID <{role_id}> does not exist.')
36+
raise commands.CheckFailure(f"Role with ID <{role_id}> does not exist.")
3737

3838
ignored = (constants.Roles.NITRO_BOOSTER, constants.Roles.MUTED)
39-
roles = [r for r in ctx.author.roles if r.id not in ignored and ctx.author.top_role >= r]
39+
roles = [
40+
r
41+
for r in ctx.author.roles
42+
if r.id not in ignored and ctx.author.top_role >= r
43+
]
4044

4145
if roles:
4246
return True
4347

4448
# TODO: Change this to a custom exception.
45-
raise commands.CheckFailure(f'{ctx.author} is not in or higher than role <{role.name}(ID: {role.id})>.')
49+
raise commands.CheckFailure(
50+
f"{ctx.author} is not in or higher than role <{role.name}(ID: {role.id})>."
51+
)
52+
4653
return commands.check(predicate)

core/core.py

+17-6
Original file line numberDiff line numberDiff line change
@@ -1,6 +1,6 @@
11
"""MIT License
22
3-
Copyright (c) 2020 PythonistaGuild
3+
Copyright (c) 2021-Present PythonistaGuild
44
55
Permission is hereby granted, free of charge, to any person obtaining a copy
66
of this software and associated documentation files (the "Software"), to deal
@@ -20,20 +20,31 @@
2020
OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN THE
2121
SOFTWARE.
2222
"""
23+
from __future__ import annotations
24+
25+
from typing import TYPE_CHECKING
26+
2327
import toml
2428
from discord.ext import commands
2529

30+
if TYPE_CHECKING:
31+
from types.config import Config
2632

27-
__all__ = ('CONFIG', 'Cog', 'Context')
33+
from ..bot import Bot
2834

35+
__all__ = (
36+
"CONFIG",
37+
"Cog",
38+
"Context",
39+
)
2940

30-
CONFIG = toml.load('config.toml')
3141

42+
CONFIG: Config = toml.load("config.toml") # type: ignore # weird non-assertion
3243

33-
class Cog(commands.Cog):
3444

35-
HELP_THUMBNAIL: str = 'https://i.imgur.com/J2FKHNW.png'
45+
class Cog(commands.Cog):
46+
HELP_THUMBNAIL: str = "https://i.imgur.com/J2FKHNW.png"
3647

3748

38-
class Context(commands.Context):
49+
class Context(commands.Context[Bot]):
3950
pass

0 commit comments

Comments
 (0)