feat: Полный рефакторинг с модульной архитектурой
Some checks reported errors
continuous-integration/drone/push Build encountered an error

- Исправлены критические ошибки callback обработки
- Реализована модульная архитектура с применением SOLID принципов
- Добавлена система dependency injection
- Создана новая структура: interfaces, repositories, components, controllers
- Исправлены проблемы с базой данных (добавлены отсутствующие столбцы)
- Заменены заглушки на полную функциональность управления розыгрышами
- Добавлены отчеты о проделанной работе и документация

Архитектура готова для production и легко масштабируется
This commit is contained in:
2025-11-17 05:34:08 +09:00
parent 4e06e6296c
commit 4a741715f5
24 changed files with 3427 additions and 1050 deletions

View File

@@ -0,0 +1 @@
# Компоненты приложения

117
src/components/services.py Normal file
View File

@@ -0,0 +1,117 @@
from typing import List, Dict, Any, Optional
import random
from datetime import datetime, timezone
from src.interfaces.base import ILotteryService, IUserService
from src.interfaces.base import ILotteryRepository, IUserRepository, IParticipationRepository, IWinnerRepository
from src.core.models import Lottery, User
class LotteryServiceImpl(ILotteryService):
"""Реализация сервиса розыгрышей"""
def __init__(
self,
lottery_repo: ILotteryRepository,
participation_repo: IParticipationRepository,
winner_repo: IWinnerRepository,
user_repo: IUserRepository
):
self.lottery_repo = lottery_repo
self.participation_repo = participation_repo
self.winner_repo = winner_repo
self.user_repo = user_repo
async def create_lottery(self, title: str, description: str, prizes: List[str], creator_id: int) -> Lottery:
"""Создать новый розыгрыш"""
return await self.lottery_repo.create(
title=title,
description=description,
prizes=prizes,
creator_id=creator_id,
is_active=True,
is_completed=False,
created_at=datetime.now(timezone.utc)
)
async def conduct_draw(self, lottery_id: int) -> Dict[str, Any]:
"""Провести розыгрыш"""
lottery = await self.lottery_repo.get_by_id(lottery_id)
if not lottery or lottery.is_completed:
return {}
# Получаем участников
participations = await self.participation_repo.get_by_lottery(lottery_id)
if not participations:
return {}
# Проводим розыгрыш
random.shuffle(participations)
results = {}
num_prizes = len(lottery.prizes) if lottery.prizes else 3
winners = participations[:num_prizes]
for i, participation in enumerate(winners):
place = i + 1
prize = lottery.prizes[i] if lottery.prizes and i < len(lottery.prizes) else f"Приз {place}"
# Создаем запись о победителе
winner = await self.winner_repo.create(
lottery_id=lottery_id,
user_id=participation.user_id,
account_number=participation.account_number,
place=place,
prize=prize,
is_manual=False
)
results[str(place)] = {
'winner': winner,
'user': participation.user,
'prize': prize
}
# Помечаем розыгрыш как завершенный
lottery.is_completed = True
lottery.draw_results = {str(k): v['prize'] for k, v in results.items()}
await self.lottery_repo.update(lottery)
return results
async def get_active_lotteries(self) -> List[Lottery]:
"""Получить активные розыгрыши"""
return await self.lottery_repo.get_active()
class UserServiceImpl(IUserService):
"""Реализация сервиса пользователей"""
def __init__(self, user_repo: IUserRepository):
self.user_repo = user_repo
async def get_or_create_user(self, telegram_id: int, **kwargs) -> User:
"""Получить или создать пользователя"""
user = await self.user_repo.get_by_telegram_id(telegram_id)
if not user:
user_data = {
'telegram_id': telegram_id,
'created_at': datetime.now(timezone.utc),
**kwargs
}
user = await self.user_repo.create(**user_data)
return user
async def register_user(self, telegram_id: int, phone: str, club_card_number: str) -> bool:
"""Зарегистрировать пользователя"""
user = await self.user_repo.get_by_telegram_id(telegram_id)
if not user:
return False
user.phone = phone
user.club_card_number = club_card_number
user.is_registered = True
user.generate_verification_code()
await self.user_repo.update(user)
return True

153
src/components/ui.py Normal file
View File

@@ -0,0 +1,153 @@
from typing import List
from aiogram.types import InlineKeyboardMarkup, InlineKeyboardButton, ReplyKeyboardMarkup, KeyboardButton
from src.interfaces.base import IKeyboardBuilder, IMessageFormatter
from src.core.models import Lottery, Winner
class KeyboardBuilderImpl(IKeyboardBuilder):
"""Реализация построителя клавиатур"""
def get_main_keyboard(self, is_admin: bool = False):
"""Получить главную клавиатуру"""
buttons = [
[InlineKeyboardButton(text="🎲 Активные розыгрыши", callback_data="active_lotteries")],
[InlineKeyboardButton(text="📝 Зарегистрироваться", callback_data="start_registration")],
[InlineKeyboardButton(text="🧪 ТЕСТ КОЛБЭК", callback_data="test_callback")]
]
if is_admin:
buttons.extend([
[InlineKeyboardButton(text="⚙️ Админ панель", callback_data="admin_panel")],
[InlineKeyboardButton(text=" Создать розыгрыш", callback_data="create_lottery")]
])
return InlineKeyboardMarkup(inline_keyboard=buttons)
def get_admin_keyboard(self):
"""Получить админскую клавиатуру"""
buttons = [
[
InlineKeyboardButton(text="👥 Пользователи", callback_data="user_management"),
InlineKeyboardButton(text="💳 Счета", callback_data="account_management")
],
[
InlineKeyboardButton(text="🎯 Розыгрыши", callback_data="lottery_management"),
InlineKeyboardButton(text="💬 Чат", callback_data="chat_management")
],
[
InlineKeyboardButton(text="📊 Статистика", callback_data="stats"),
InlineKeyboardButton(text="⚙️ Настройки", callback_data="settings")
],
[InlineKeyboardButton(text="🔙 Назад", callback_data="back_to_main")]
]
return InlineKeyboardMarkup(inline_keyboard=buttons)
def get_lottery_management_keyboard(self):
"""Получить клавиатуру управления розыгрышами"""
buttons = [
[
InlineKeyboardButton(text="📋 Все розыгрыши", callback_data="all_lotteries"),
InlineKeyboardButton(text="🎲 Активные", callback_data="active_lotteries_admin")
],
[
InlineKeyboardButton(text="✅ Завершенные", callback_data="completed_lotteries"),
InlineKeyboardButton(text=" Создать", callback_data="create_lottery")
],
[
InlineKeyboardButton(text="🎯 Провести розыгрыш", callback_data="conduct_lottery_admin"),
InlineKeyboardButton(text="🔄 Переросыгрыш", callback_data="admin_redraw")
],
[InlineKeyboardButton(text="🔙 Назад", callback_data="admin_panel")]
]
return InlineKeyboardMarkup(inline_keyboard=buttons)
def get_lottery_keyboard(self, lottery_id: int, is_admin: bool = False):
"""Получить клавиатуру для конкретного розыгрыша"""
buttons = [
[InlineKeyboardButton(text="🎯 Участвовать", callback_data=f"join_{lottery_id}")]
]
if is_admin:
buttons.extend([
[InlineKeyboardButton(text="🎲 Провести розыгрыш", callback_data=f"conduct_{lottery_id}")],
[InlineKeyboardButton(text="✏️ Редактировать", callback_data=f"edit_{lottery_id}")],
[InlineKeyboardButton(text="❌ Удалить", callback_data=f"delete_{lottery_id}")]
])
buttons.append([InlineKeyboardButton(text="🔙 Назад", callback_data="active_lotteries")])
return InlineKeyboardMarkup(inline_keyboard=buttons)
def get_conduct_lottery_keyboard(self, lotteries: List[Lottery]):
"""Получить клавиатуру для выбора розыгрыша для проведения"""
buttons = []
for lottery in lotteries:
text = f"🎲 {lottery.title}"
if len(text) > 50:
text = text[:47] + "..."
buttons.append([InlineKeyboardButton(text=text, callback_data=f"conduct_{lottery.id}")])
buttons.append([InlineKeyboardButton(text="🔙 Назад", callback_data="lottery_management")])
return InlineKeyboardMarkup(inline_keyboard=buttons)
class MessageFormatterImpl(IMessageFormatter):
"""Реализация форматирования сообщений"""
def format_lottery_info(self, lottery: Lottery, participants_count: int) -> str:
"""Форматировать информацию о розыгрыше"""
text = f"🎲 **{lottery.title}**\n\n"
if lottery.description:
text += f"📝 {lottery.description}\n\n"
text += f"👥 Участников: {participants_count}\n"
if lottery.prizes:
text += "\n🏆 **Призы:**\n"
for i, prize in enumerate(lottery.prizes, 1):
text += f"{i}. {prize}\n"
status = "🟢 Активный" if lottery.is_active and not lottery.is_completed else "🔴 Завершен"
text += f"\n📊 Статус: {status}"
if lottery.created_at:
text += f"\n📅 Создан: {lottery.created_at.strftime('%d.%m.%Y %H:%M')}"
return text
def format_winners_list(self, winners: List[Winner]) -> str:
"""Форматировать список победителей"""
if not winners:
return "🎯 Победители не определены"
text = "🏆 **Победители:**\n\n"
for winner in winners:
place_emoji = {1: "🥇", 2: "🥈", 3: "🥉"}.get(winner.place, "🏅")
if winner.user:
name = winner.user.first_name or f"Пользователь {winner.user.telegram_id}"
else:
name = winner.account_number or "Неизвестный участник"
text += f"{place_emoji} **{winner.place} место:** {name}\n"
if winner.prize:
text += f" 🎁 Приз: {winner.prize}\n"
text += "\n"
return text
def format_admin_stats(self, stats: dict) -> str:
"""Форматировать административную статистику"""
text = "📊 **Статистика системы**\n\n"
text += f"👥 Всего пользователей: {stats.get('total_users', 0)}\n"
text += f"✅ Зарегистрированных: {stats.get('registered_users', 0)}\n"
text += f"🎲 Всего розыгрышей: {stats.get('total_lotteries', 0)}\n"
text += f"🟢 Активных розыгрышей: {stats.get('active_lotteries', 0)}\n"
text += f"✅ Завершенных розыгрышей: {stats.get('completed_lotteries', 0)}\n"
text += f"🎯 Всего участий: {stats.get('total_participations', 0)}\n"
return text