olgram/instance/bot.py

124 lines
5.3 KiB
Python
Raw Normal View History

import asyncio
2021-07-01 19:51:59 +03:00
import aiogram
import aioredis
2021-07-11 12:53:33 +03:00
from abc import ABC, abstractmethod
from dataclasses import dataclass
2021-07-01 19:51:59 +03:00
from aiogram import Dispatcher, types, exceptions
from aiogram.contrib.fsm_storage.memory import MemoryStorage
2021-07-11 12:53:33 +03:00
try:
from settings import InstanceSettings
except ModuleNotFoundError:
from .settings import InstanceSettings
2021-07-11 12:53:33 +03:00
@dataclass()
class BotProperties:
token: str
start_text: str
bot_id: int
super_chat_id: int
class BotInstance(ABC):
def __init__(self):
2021-07-01 19:51:59 +03:00
self._redis: aioredis.Redis = None
self._dp: aiogram.Dispatcher = None
2021-07-11 12:53:33 +03:00
@abstractmethod
async def _properties(self) -> BotProperties:
raise NotImplemented()
2021-07-01 19:51:59 +03:00
def stop_polling(self):
2021-09-06 00:36:03 +03:00
print("stop polling")
2021-07-01 19:51:59 +03:00
self._dp.stop_polling()
2021-07-11 12:53:33 +03:00
async def _setup(self):
self._redis = await aioredis.create_redis_pool(InstanceSettings.redis_path())
2021-07-01 19:51:59 +03:00
2021-07-11 12:53:33 +03:00
props = await self._properties()
bot = aiogram.Bot(props.token)
2021-07-01 19:51:59 +03:00
self._dp = Dispatcher(bot, storage=MemoryStorage())
# Здесь перечислены все типы сообщений, которые бот должен пересылать
self._dp.register_message_handler(self._receive_message, 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-07-01 19:51:59 +03:00
2021-07-11 12:53:33 +03:00
async def start_polling(self):
2021-09-06 00:36:03 +03:00
print("start polling")
2021-07-11 12:53:33 +03:00
await self._setup()
2021-07-01 19:51:59 +03:00
await self._dp.start_polling()
2021-07-11 12:53:33 +03:00
@classmethod
def _message_unique_id(cls, bot_id: int, message_id: int) -> str:
return f"{bot_id}_{message_id}"
2021-07-01 19:51:59 +03:00
async def _receive_message(self, message: types.Message):
2021-07-01 19:51:59 +03:00
"""
Получено обычное сообщение, вероятно, для пересыла в другой чат
2021-07-01 19:51:59 +03:00
:param message:
:return:
"""
2021-07-11 12:53:33 +03:00
props = await self._properties()
2021-07-01 19:51:59 +03:00
if message.text and message.text.startswith("/start"):
# На команду start нужно ответить, не пересылая сообщение никуда
2021-07-11 12:53:33 +03:00
await message.answer(props.start_text)
2021-07-01 19:51:59 +03:00
return
2021-07-11 12:53:33 +03:00
if message.chat.id != props.super_chat_id:
# Это обычный чат: сообщение нужно переслать в супер-чат
2021-07-11 12:53:33 +03:00
new_message = await message.forward(props.super_chat_id)
await self._redis.set(self._message_unique_id(props.bot_id, new_message.message_id),
message.chat.id)
else:
# Это супер-чат
2021-07-01 19:51:59 +03:00
if message.reply_to_message:
# Ответ из супер-чата переслать тому пользователю,
2021-07-11 12:53:33 +03:00
chat_id = await self._redis.get(
self._message_unique_id(props.bot_id, message.reply_to_message.message_id))
2021-07-01 19:51:59 +03:00
if not chat_id:
chat_id = message.reply_to_message.forward_from_chat
if not chat_id:
await message.reply("Невозможно переслать сообщение: автор не найден")
2021-07-01 19:51:59 +03:00
return
chat_id = int(chat_id)
try:
await message.copy_to(chat_id)
except exceptions.MessageError:
await message.reply("Невозможно переслать сообщение: возможно, автор заблокировал бота")
2021-07-01 19:51:59 +03:00
return
else:
2021-07-11 12:53:33 +03:00
await message.forward(props.super_chat_id)
class FreezeBotInstance(BotInstance):
def __init__(self, token: str, start_text: str, super_chat_id: int):
super().__init__()
self._props = BotProperties(token, start_text, int(token.split(":")[0]), super_chat_id)
async def _properties(self) -> BotProperties:
return self._props
if __name__ == '__main__':
"""
Режим single-instance. В этом режиме не работает olgram. На сервере запускается только один feedback (instance)
бот для пересылки сообщений. Все настройки этого бота задаются в переменных окружения на сервере. Бот работает
в режиме polling
"""
2021-07-11 12:53:33 +03:00
bot = FreezeBotInstance(
InstanceSettings.token(),
2021-07-11 12:53:33 +03:00
InstanceSettings.start_text(),
InstanceSettings.super_chat_id()
2021-07-01 19:51:59 +03:00
)
asyncio.get_event_loop().run_until_complete(bot.start_polling())