2022-05-08 14:02:19 +00:00
|
|
|
import json
|
|
|
|
import logging
|
|
|
|
from datetime import datetime, timedelta
|
2022-09-12 17:39:50 +00:00
|
|
|
from functools import wraps
|
2023-01-16 16:21:09 +00:00
|
|
|
from os import getenv, path
|
2022-09-12 18:28:25 +00:00
|
|
|
from typing import Dict, Optional
|
2022-05-08 14:02:19 +00:00
|
|
|
|
|
|
|
from disnake import Client, Guild
|
|
|
|
from dotenv import load_dotenv
|
2022-09-08 18:09:04 +00:00
|
|
|
from ics import Calendar, ContentLine, Event
|
2022-05-08 14:02:19 +00:00
|
|
|
from ics.alarm import DisplayAlarm
|
2022-11-24 13:23:15 +00:00
|
|
|
from oauthlib.oauth2 import TokenExpiredError
|
2022-09-11 22:05:05 +00:00
|
|
|
from quart import Quart, redirect, render_template, request, session, url_for
|
2022-09-12 18:00:44 +00:00
|
|
|
from requests_oauthlib import OAuth2Session # type: ignore
|
2023-04-10 18:47:35 +00:00
|
|
|
import sentry_sdk
|
|
|
|
from sentry_sdk.integrations.quart import QuartIntegration
|
2022-09-08 16:53:36 +00:00
|
|
|
from uvicorn.middleware.proxy_headers import ProxyHeadersMiddleware # type: ignore
|
2022-05-08 14:02:19 +00:00
|
|
|
|
2022-09-11 22:05:05 +00:00
|
|
|
|
2022-05-08 14:02:19 +00:00
|
|
|
load_dotenv()
|
|
|
|
|
2023-01-16 16:21:09 +00:00
|
|
|
DISCORD_TOKEN = getenv("DISCORD_TOKEN")
|
|
|
|
OAUTH2_CLIENT_ID = getenv("OAUTH2_CLIENT_ID")
|
|
|
|
OAUTH2_CLIENT_SECRET = getenv("OAUTH2_CLIENT_SECRET")
|
2022-05-08 14:02:19 +00:00
|
|
|
if not DISCORD_TOKEN:
|
|
|
|
raise Exception("Missing DISCORD_TOKEN")
|
2022-09-11 22:05:05 +00:00
|
|
|
if not OAUTH2_CLIENT_ID:
|
|
|
|
raise Exception("Missing OAUTH2_CLIENT_ID")
|
|
|
|
if not OAUTH2_CLIENT_SECRET:
|
|
|
|
raise Exception("Missing OAUTH2_CLIENT_SECRET")
|
2022-05-08 14:02:19 +00:00
|
|
|
|
2023-01-16 16:21:09 +00:00
|
|
|
QUART_DEBUG = getenv("QUART_DEBUG", False)
|
2022-05-08 14:02:19 +00:00
|
|
|
if QUART_DEBUG:
|
|
|
|
logging.basicConfig(level=logging.DEBUG)
|
|
|
|
|
2023-04-10 18:47:35 +00:00
|
|
|
SENTRY_DSN = getenv("SENTRY_DSN")
|
|
|
|
if SENTRY_DSN:
|
|
|
|
sentry_sdk.init(SENTRY_DSN, integrations=[QuartIntegration()])
|
|
|
|
|
2023-01-16 16:21:09 +00:00
|
|
|
API_BASE_URL = getenv("API_BASE_URL", "https://discordapp.com/api")
|
2022-09-12 17:39:50 +00:00
|
|
|
AUTHORIZATION_BASE_URL = f"{API_BASE_URL}/oauth2/authorize"
|
|
|
|
TOKEN_URL = f"{API_BASE_URL}/oauth2/token"
|
|
|
|
|
2022-05-08 14:02:19 +00:00
|
|
|
|
|
|
|
class Discord(Client):
|
|
|
|
async def on_ready(self):
|
2022-09-08 15:31:28 +00:00
|
|
|
print(f"Logged on as {self.user}!", flush=True)
|
2022-05-08 14:02:19 +00:00
|
|
|
|
|
|
|
|
|
|
|
client = Discord()
|
|
|
|
app = Quart(__name__)
|
2022-09-12 17:39:50 +00:00
|
|
|
app.config["SECRET_KEY"] = OAUTH2_CLIENT_SECRET
|
2022-09-08 17:13:56 +00:00
|
|
|
app.asgi_app = ProxyHeadersMiddleware(app.asgi_app, "*") # type: ignore
|
2022-05-08 14:02:19 +00:00
|
|
|
|
|
|
|
|
|
|
|
def get_guild_by_id(guild_id: str) -> Optional[Guild]:
|
|
|
|
if guild_id:
|
|
|
|
for guild in client.guilds:
|
|
|
|
if str(guild.id) == guild_id or guild.vanity_url_code == guild_id:
|
|
|
|
return guild
|
|
|
|
return None
|
|
|
|
|
|
|
|
|
|
|
|
CATALOG_CACHE = {}
|
|
|
|
|
|
|
|
|
|
|
|
@app.errorhandler(500)
|
|
|
|
async def errorhandler(error: Exception):
|
2022-09-08 15:31:28 +00:00
|
|
|
print(f"\33[31m{error}\33[m", flush=True)
|
2022-05-08 14:02:19 +00:00
|
|
|
return await render_template("error.html.j2", error=str(error)), 500
|
|
|
|
|
|
|
|
|
|
|
|
@app.errorhandler(404)
|
|
|
|
async def not_found(error: Exception):
|
|
|
|
return await render_template("error.html.j2", error=str(error)), 404
|
|
|
|
|
|
|
|
|
2022-09-12 17:39:50 +00:00
|
|
|
def token_updater(token: str):
|
2022-09-11 22:05:05 +00:00
|
|
|
session["oauth2_token"] = token
|
|
|
|
|
|
|
|
|
2022-09-12 18:38:40 +00:00
|
|
|
def make_session(
|
|
|
|
token: Optional[Dict[str, str]] = None, state: Optional[str] = None
|
|
|
|
) -> OAuth2Session:
|
2022-09-11 22:05:05 +00:00
|
|
|
return OAuth2Session(
|
|
|
|
client_id=OAUTH2_CLIENT_ID,
|
|
|
|
token=token,
|
|
|
|
state=state,
|
2022-09-12 17:39:50 +00:00
|
|
|
scope=["identify", "guilds"],
|
|
|
|
redirect_uri=f"{request.host_url}callback",
|
2022-09-11 22:05:05 +00:00
|
|
|
auto_refresh_kwargs={
|
|
|
|
"client_id": OAUTH2_CLIENT_ID,
|
|
|
|
"client_secret": OAUTH2_CLIENT_SECRET,
|
|
|
|
},
|
2022-09-12 17:39:50 +00:00
|
|
|
auto_refresh_url=TOKEN_URL,
|
2022-09-11 22:05:05 +00:00
|
|
|
token_updater=token_updater,
|
|
|
|
)
|
|
|
|
|
|
|
|
|
2022-05-08 14:02:19 +00:00
|
|
|
def i18n(str: str) -> str:
|
|
|
|
lang = request.accept_languages.best_match(["en", "fr"])
|
|
|
|
|
|
|
|
if lang not in CATALOG_CACHE:
|
|
|
|
catalog_file = f"{path.dirname(__file__)}/translations/{lang}.json"
|
|
|
|
if path.exists(catalog_file):
|
|
|
|
with open(catalog_file) as catalog_json:
|
|
|
|
catalog = json.load(catalog_json)
|
|
|
|
CATALOG_CACHE[lang] = catalog
|
|
|
|
|
|
|
|
if lang in CATALOG_CACHE and str in CATALOG_CACHE[lang]:
|
|
|
|
return CATALOG_CACHE[lang][str]
|
|
|
|
|
|
|
|
return str
|
|
|
|
|
|
|
|
|
|
|
|
def days_before_failure() -> int:
|
|
|
|
nextYear = datetime.today().year + 5 - ((datetime.today().year + 5) % 5)
|
|
|
|
nextDate = datetime(year=nextYear, month=6, day=3)
|
|
|
|
nextDelta = nextDate - datetime.now()
|
|
|
|
|
|
|
|
return nextDelta.days
|
|
|
|
|
|
|
|
|
2022-09-12 17:39:50 +00:00
|
|
|
def cdn_avatar_url(user_id: int, hash: str) -> str:
|
|
|
|
ext = "gif" if hash.startswith("a_") else "png"
|
|
|
|
return f"https://cdn.discordapp.com/avatars/{user_id}/{hash}.{ext}"
|
|
|
|
|
|
|
|
|
2022-05-08 14:02:19 +00:00
|
|
|
@app.context_processor
|
|
|
|
def context_processor():
|
2022-09-12 17:39:50 +00:00
|
|
|
return dict(
|
|
|
|
_=i18n,
|
|
|
|
client=client,
|
|
|
|
cdn_avatar_url=cdn_avatar_url,
|
|
|
|
days_before_failure=days_before_failure(),
|
|
|
|
)
|
|
|
|
|
|
|
|
|
|
|
|
def login_required(fn):
|
|
|
|
@wraps(fn)
|
|
|
|
async def wrapper(*args, **kwargs):
|
2022-09-18 20:51:49 +00:00
|
|
|
if session.get("oauth2_token"):
|
2022-09-12 17:39:50 +00:00
|
|
|
return await fn(*args, **kwargs)
|
2022-09-18 21:15:03 +00:00
|
|
|
|
|
|
|
session["redirect_url"] = request.path
|
2022-09-12 17:39:50 +00:00
|
|
|
return redirect(url_for(".login"))
|
|
|
|
|
|
|
|
return wrapper
|
2022-05-08 14:02:19 +00:00
|
|
|
|
|
|
|
|
|
|
|
@app.route("/")
|
|
|
|
async def index():
|
2022-09-12 17:39:50 +00:00
|
|
|
return await render_template("index.html.j2")
|
|
|
|
|
|
|
|
|
|
|
|
@app.route("/login")
|
|
|
|
async def login():
|
|
|
|
discord = make_session()
|
|
|
|
authorization_url, state = discord.authorization_url(AUTHORIZATION_BASE_URL)
|
|
|
|
session["oauth2_state"] = state
|
|
|
|
return redirect(authorization_url)
|
|
|
|
|
|
|
|
|
|
|
|
@app.route("/callback")
|
|
|
|
async def callback():
|
|
|
|
request_values = await request.values
|
|
|
|
if request_values.get("error"):
|
|
|
|
return errorhandler(request_values.get("error"))
|
|
|
|
|
|
|
|
discord = make_session(state=session.get("oauth2_state"))
|
|
|
|
token = discord.fetch_token(
|
|
|
|
TOKEN_URL,
|
|
|
|
client_secret=OAUTH2_CLIENT_SECRET,
|
|
|
|
authorization_response=request.url,
|
|
|
|
)
|
|
|
|
token_updater(token)
|
2022-09-18 21:15:03 +00:00
|
|
|
return redirect(session.pop("redirect_url", url_for(".guilds")))
|
2022-09-12 17:39:50 +00:00
|
|
|
|
|
|
|
|
|
|
|
@app.route("/guilds")
|
|
|
|
@login_required
|
|
|
|
async def guilds():
|
2022-09-12 18:26:09 +00:00
|
|
|
guild = get_guild_by_id(request.args.get("guild"))
|
2022-05-08 14:02:19 +00:00
|
|
|
|
|
|
|
if guild:
|
2022-09-12 17:39:50 +00:00
|
|
|
return redirect(
|
|
|
|
url_for(".subscribe", guild_id=guild.vanity_url_code or guild.id)
|
|
|
|
)
|
|
|
|
|
2022-11-24 13:23:15 +00:00
|
|
|
try:
|
|
|
|
discord = make_session(token=session.get("oauth2_token"))
|
|
|
|
user = discord.get(f"{API_BASE_URL}/users/@me").json()
|
|
|
|
user_guilds = discord.get(f"{API_BASE_URL}/users/@me/guilds").json()
|
|
|
|
except TokenExpiredError:
|
|
|
|
return redirect(url_for(".login"))
|
2022-09-12 17:39:50 +00:00
|
|
|
|
|
|
|
common_guilds = []
|
|
|
|
for bot_guild in client.guilds:
|
|
|
|
for user_guild in user_guilds:
|
|
|
|
if str(bot_guild.id) == user_guild["id"]:
|
|
|
|
common_guilds.append(bot_guild)
|
|
|
|
|
|
|
|
return await render_template(
|
|
|
|
"guilds.html.j2", user=user, common_guilds=common_guilds
|
|
|
|
)
|
2022-05-08 14:02:19 +00:00
|
|
|
|
|
|
|
|
|
|
|
@app.route("/subscribe/<guild_id>")
|
2022-09-12 17:39:50 +00:00
|
|
|
@login_required
|
2022-05-08 14:02:19 +00:00
|
|
|
async def subscribe(guild_id: str):
|
|
|
|
guild = get_guild_by_id(guild_id)
|
|
|
|
if guild is None:
|
2022-09-12 17:39:50 +00:00
|
|
|
return redirect(url_for(".login"))
|
|
|
|
|
2022-11-24 13:23:15 +00:00
|
|
|
try:
|
|
|
|
discord = make_session(token=session.get("oauth2_token"))
|
|
|
|
user_guilds = discord.get(f"{API_BASE_URL}/users/@me/guilds").json()
|
|
|
|
except TokenExpiredError:
|
|
|
|
return redirect(url_for(".login"))
|
2022-09-12 17:39:50 +00:00
|
|
|
|
2022-09-12 17:48:50 +00:00
|
|
|
if not any(str(guild.id) == user_guild["id"] for user_guild in user_guilds):
|
2022-09-12 17:39:50 +00:00
|
|
|
return redirect(url_for(".login"))
|
|
|
|
|
2022-09-12 18:26:09 +00:00
|
|
|
return await render_template("subscribe.html.j2", guild=guild)
|
2022-05-08 14:02:19 +00:00
|
|
|
|
|
|
|
|
|
|
|
@app.route("/<guild_id>.ics")
|
|
|
|
async def ical(guild_id: str):
|
|
|
|
guild = get_guild_by_id(guild_id)
|
|
|
|
if guild is None:
|
2022-09-12 17:39:50 +00:00
|
|
|
return redirect(url_for(".login"))
|
2022-05-08 14:02:19 +00:00
|
|
|
|
|
|
|
calendar = Calendar()
|
|
|
|
|
2022-09-11 21:25:28 +00:00
|
|
|
calendar.extra.append(ContentLine(name="REFRESH-INTERVAL", value="PT1H"))
|
|
|
|
calendar.extra.append(ContentLine(name="X-PUBLISHED-TTL", value="PT1H"))
|
|
|
|
|
2022-09-08 18:09:04 +00:00
|
|
|
calendar.extra.append(ContentLine(name="NAME", value=guild.name))
|
|
|
|
calendar.extra.append(ContentLine(name="X-WR-CALNAME", value=guild.name))
|
|
|
|
|
|
|
|
if guild.description:
|
|
|
|
calendar.extra.append(ContentLine(name="DESCRIPTION", value=guild.description))
|
|
|
|
calendar.extra.append(ContentLine(name="X-WR-CALDESC", value=guild.description))
|
|
|
|
|
2022-05-08 14:02:19 +00:00
|
|
|
for scheduled_event in guild.scheduled_events:
|
|
|
|
event = Event()
|
2022-09-08 17:33:58 +00:00
|
|
|
event.summary = scheduled_event.name
|
2022-05-08 14:02:19 +00:00
|
|
|
event.begin = scheduled_event.scheduled_start_time
|
2022-09-08 17:33:58 +00:00
|
|
|
event.end = scheduled_event.scheduled_end_time
|
|
|
|
event.duration = timedelta(hours=2)
|
2022-05-08 14:02:19 +00:00
|
|
|
event.uid = str(scheduled_event.id)
|
|
|
|
event.description = scheduled_event.description
|
|
|
|
event.url = f"https://discord.com/events/{guild_id}/{scheduled_event.id}"
|
|
|
|
event.location = (
|
|
|
|
scheduled_event.entity_metadata.location
|
|
|
|
if scheduled_event.entity_metadata
|
|
|
|
else None
|
|
|
|
)
|
|
|
|
|
|
|
|
alarm = DisplayAlarm()
|
2022-09-09 21:04:56 +00:00
|
|
|
alarm.trigger = timedelta(hours=-1)
|
2022-05-08 14:02:19 +00:00
|
|
|
event.alarms.append(alarm)
|
|
|
|
|
|
|
|
calendar.events.append(event)
|
|
|
|
|
2022-09-08 17:19:03 +00:00
|
|
|
return calendar.serialize()
|
2022-05-08 14:02:19 +00:00
|
|
|
|
|
|
|
|
2022-10-21 07:58:55 +00:00
|
|
|
def __main__():
|
|
|
|
quart_task = client.loop.create_task(app.run_task("0.0.0.0"))
|
|
|
|
quart_task.add_done_callback(lambda f: client.loop.stop())
|
|
|
|
client.run(DISCORD_TOKEN)
|