olgram/server/custom.py

141 lines
5.8 KiB
Python
Raw Normal View History

2021-09-10 21:32:06 +03:00
from aiogram import Bot as AioBot, Dispatcher
from aiogram.dispatcher.webhook import WebhookRequestHandler
from aiogram.dispatcher.webhook import SendMessage
2021-09-10 22:38:29 +03:00
from aiogram import exceptions
2021-09-10 21:32:06 +03:00
from aiogram import types
2021-09-10 22:07:02 +03:00
from contextvars import ContextVar
from aiohttp.web_exceptions import HTTPNotFound
2021-09-10 22:42:47 +03:00
from aioredis.commands import create_redis_pool
from aioredis import Redis
2021-09-17 11:07:55 +03:00
import logging
2021-09-10 22:38:29 +03:00
import typing as ty
from olgram.settings import ServerSettings
2021-09-10 23:02:40 +03:00
from olgram.models.models import Bot, GroupChat
2021-09-10 21:32:06 +03:00
2021-09-17 11:11:30 +03:00
logging.basicConfig(level=logging.INFO)
2021-09-17 11:07:55 +03:00
_logger = logging.getLogger(__name__)
2021-09-10 22:07:02 +03:00
db_bot_instance: ContextVar[Bot] = ContextVar('db_bot_instance')
2021-09-10 22:42:47 +03:00
_redis: ty.Optional[Redis] = None
2021-09-10 22:38:29 +03:00
async def init_redis():
global _redis
2021-09-10 22:42:47 +03:00
_redis = await create_redis_pool(ServerSettings.redis_path())
2021-09-10 22:38:29 +03:00
def _message_unique_id(bot_id: int, message_id: int) -> str:
return f"{bot_id}_{message_id}"
2021-09-10 21:32:06 +03:00
async def message_handler(message, *args, **kwargs):
2021-09-17 11:08:22 +03:00
_logger.info("message handler")
2021-09-10 22:38:29 +03:00
bot = db_bot_instance.get()
2021-09-10 21:32:06 +03:00
if message.text and message.text.startswith("/start"):
# На команду start нужно ответить, не пересылая сообщение никуда
2021-09-10 22:07:02 +03:00
return SendMessage(chat_id=message.chat.id,
2021-09-16 03:20:31 +03:00
text=bot.start_text + ServerSettings.append_text())
2021-09-10 22:38:29 +03:00
super_chat_id = await bot.super_chat_id()
if message.chat.id != super_chat_id:
# Это обычный чат: сообщение нужно переслать в супер-чат
new_message = await message.forward(super_chat_id)
await _redis.set(_message_unique_id(bot.pk, new_message.message_id), message.chat.id)
else:
# Это супер-чат
if message.reply_to_message:
# Ответ из супер-чата переслать тому пользователю,
chat_id = await _redis.get(_message_unique_id(bot.pk, message.reply_to_message.message_id))
if not chat_id:
chat_id = message.reply_to_message.forward_from_chat
if not chat_id:
2021-09-10 23:09:00 +03:00
return SendMessage(chat_id=message.chat.id,
2021-09-11 15:58:51 +03:00
text="<i>Невозможно переслать сообщение: автор не найден</i>",
parse_mode="HTML")
2021-09-10 22:38:29 +03:00
chat_id = int(chat_id)
try:
await message.copy_to(chat_id)
2021-09-10 22:59:07 +03:00
except (exceptions.MessageError, exceptions.BotBlocked):
2021-09-11 15:58:51 +03:00
await message.reply("<i>Невозможно переслать сообщение (автор заблокировал бота?)</i>",
parse_mode="HTML")
2021-09-10 22:38:29 +03:00
return
else:
await message.forward(super_chat_id)
2021-09-10 21:32:06 +03:00
2021-09-10 23:02:40 +03:00
async def receive_invite(message: types.Message):
bot = db_bot_instance.get()
for member in message.new_chat_members:
if member.id == message.bot.id:
chat, _ = await GroupChat.get_or_create(chat_id=message.chat.id,
defaults={"name": message.chat.full_name})
if chat not in await bot.group_chats.all():
await bot.group_chats.add(chat)
await bot.save()
break
async def receive_left(message: types.Message):
2021-09-17 11:07:55 +03:00
_logger.info("Receive left")
2021-09-10 23:02:40 +03:00
bot = db_bot_instance.get()
if message.left_chat_member.id == message.bot.id:
chat = await bot.group_chats.filter(chat_id=message.chat.id).first()
2021-09-17 11:07:55 +03:00
_logger.info(f"chat found {chat}")
2021-09-10 23:02:40 +03:00
if chat:
await bot.group_chats.remove(chat)
2021-09-17 11:07:55 +03:00
_logger.info(f"chat removed {bot.group_chat} {chat}")
2021-09-10 23:02:40 +03:00
if bot.group_chat == chat:
2021-09-17 11:07:55 +03:00
_logger.info("saved")
2021-09-10 23:02:40 +03:00
bot.group_chat = None
await bot.save(update_fields=["group_chat"])
2021-09-10 21:32:06 +03:00
class CustomRequestHandler(WebhookRequestHandler):
def __init__(self, *args, **kwargs):
self._dispatcher = None
super(CustomRequestHandler, self).__init__(*args, **kwargs)
async def _create_dispatcher(self):
key = self.request.url.path[1:]
bot = await Bot.filter(code=key).first()
if not bot:
return None
2021-09-10 22:07:02 +03:00
db_bot_instance.set(bot)
2021-09-10 21:32:06 +03:00
dp = Dispatcher(AioBot(bot.token))
dp.register_message_handler(message_handler, content_types=[types.ContentType.TEXT,
types.ContentType.CONTACT,
types.ContentType.ANIMATION,
types.ContentType.AUDIO,
types.ContentType.DOCUMENT,
types.ContentType.PHOTO,
types.ContentType.STICKER,
types.ContentType.VIDEO,
types.ContentType.VOICE])
2021-09-10 23:02:40 +03:00
dp.register_message_handler(receive_invite, content_types=[types.ContentType.NEW_CHAT_MEMBERS])
dp.register_message_handler(receive_left, content_types=[types.ContentType.LEFT_CHAT_MEMBER])
2021-09-10 21:32:06 +03:00
return dp
async def post(self):
2021-09-10 21:57:17 +03:00
dispatcher = await self._create_dispatcher()
2021-09-10 22:07:02 +03:00
if not dispatcher:
raise HTTPNotFound()
2021-09-10 21:57:17 +03:00
Dispatcher.set_current(dispatcher)
AioBot.set_current(dispatcher.bot)
return await super(CustomRequestHandler, self).post()
2021-09-10 21:32:06 +03:00
def get_dispatcher(self):
"""
Get Dispatcher instance from environment
:return: :class:`aiogram.Dispatcher`
"""
2021-09-10 21:57:17 +03:00
return Dispatcher.get_current()