-
Notifications
You must be signed in to change notification settings - Fork 0
/
main.py
155 lines (130 loc) · 5.81 KB
/
main.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
141
142
143
144
145
146
147
148
149
150
151
152
153
154
155
# pylint: disable=missing-function-docstring
# pylint: disable=unused-argument
import asyncio
import logging
import os
import sys
from os import getenv
from aiogram import Bot, Dispatcher
from aiogram.client.default import DefaultBotProperties
from aiogram.enums import ParseMode
from aiogram.filters import Command, CommandObject, CommandStart
from aiogram.types import (Message, FSInputFile, InlineKeyboardMarkup,
InlineKeyboardButton, ReactionTypeEmoji)
from apscheduler.schedulers.asyncio import AsyncIOScheduler
from bot import sched
from domain.action import generate_task_for_user, ImageMessage, check_answer_for_task
from storage import models
from storage.repo import UserRepository
from taskrepository.repo import TaskRepository
TOKEN = getenv("BOT_TOKEN")
INTERVAL = int(getenv("DAILY_INTERVAL_MINS", str(60 * 24)))
dp = Dispatcher()
bot = Bot(token=TOKEN, default=DefaultBotProperties(parse_mode=ParseMode.HTML))
user_repo = UserRepository()
task_repo = TaskRepository()
scheduler = AsyncIOScheduler(timezone="Etc/GMT+5")
scheduler.add_job(
sched.daily_generation,
trigger="interval",
seconds=60*INTERVAL,
kwargs={
"bot": bot,
"task_repo": task_repo,
"user_repo": user_repo
}
)
@dp.message(Command("gettopics"))
async def cmd_get_topics(message: Message, command: CommandObject):
topics = user_repo.get_user_preferred_topics(message.from_user.id)
topics_str = ";".join(map(lambda x: ":".join(x), topics))
await message.answer(
"<b>Выбранные темы:</b>\n"
"<i>Формат: </i>\n<code>код_предмета:№_задания;код_предмета2:№_задания2...</code>\n\n"
f"<code>{topics_str}</code>"
)
@dp.message(Command("settopics"))
async def cmd_set_topics(message: Message, command: CommandObject):
if command.args is None:
await message.answer("Ошибка: не переданы аргументы")
return
topics = [tuple(x.split(":", maxsplit=1)) for x in command.args.split(";")]
user_repo.set_user_preferred_topics(message.from_user.id, topics)
await message.answer(f"<b>Темы обновлены: </b><code>{command.args}</code>")
@dp.message(Command("gen"))
async def cmd_generate_task(message: Message, command: CommandObject):
await message.react([ReactionTypeEmoji(emoji="👍")])
response = generate_task_for_user(
message.from_user.id,
user_repo, task_repo,
as_image=True
)
if response is None:
await message.answer("Не удалось сгенерировать. Выберите темы")
if isinstance(response, ImageMessage):
keyboard = InlineKeyboardMarkup(inline_keyboard=[[
InlineKeyboardButton(text="Открыть на сайте", url=response.url),
]])
await message.answer_photo(
FSInputFile(response.image),
caption=response.text,
reply_markup=keyboard
)
os.remove(response.image)
else:
await message.answer(response.text)
@dp.message(Command("ans"))
async def cmd_answer(message: Message, command: CommandObject):
if command.args is None:
await message.answer("Ошибка: не переданы аргументы (2)")
return
args = command.args.split()
if len(args) != 2:
await message.answer("Ошибка: не переданы аргументы (2)")
return
ids, ans = args
subject, task = ids.split(":")
is_correct = check_answer_for_task(task_repo, subject, task, ans)
if is_correct:
await message.answer("<b>✅ Верно</b>")
else:
await message.answer("<b>❌ Неверно</b>")
@dp.message(Command("sub"))
async def cmd_subscribe_unsubscribe(message: Message, command: CommandObject):
current = user_repo.switch_receive_daily_task_for_user(message.from_user.id)
if current:
await message.answer("<b>✅ Теперь вы подписаны на ежедневные задания</b>")
else:
await message.answer("<b>❌ Подписка на ежедневные задания отменена</b>")
@dp.message(Command("help"))
async def cmd_help(message: Message, command: CommandObject):
await message.answer(
"<b>❔ Помощь</b>\n\n"
"<code>/help</code> - это меню\n\n"
"<code>/gen</code> - сгенерировать задачу\n\n"
"<code>/settopics темы</code> - задать интересующие темы в формате:\n"
"<code>код_предмета:номер_задания</code>. "
"Если нужно несколько - разделить <code>;</code>. Пример: "
"<code>inf:1;inf:2;rus:5</code>\n"
"Доступные коды предметов: \n" +
", \n".join(f"<code>{x.get_uid()}</code> - {x.get_name()}"
for x in task_repo.get_subjects()) +
"\n\n"
"<code>/gettopics</code> - получить заданные интересующие темы\n\n"
"<code>/ans идентификатор_задания ответ</code> - проверить ответ на задание."
"Шаблон для этой команды выводится с каждым заданием\n\n"
"<code>/sub</code> - вкл./выкл. ежедневную рассылку заданий\n\n"
)
@dp.message(CommandStart())
async def cmd_start(message: Message, command: CommandObject):
await message.answer(
"Добро пожаловать.\n"
"<code>/help</code> для просмотра команд"
)
async def main() -> None:
scheduler.start()
await dp.start_polling(bot)
if __name__ == "__main__":
models.init()
logging.basicConfig(level=logging.INFO, stream=sys.stdout)
asyncio.run(main())