I'm building a Telegram bot using Aiogram, and I'm encountering a problem where my bot doesn't start when I include the crm_router. However, when I replace it with auto_responder_router, everything works fine.
Here is my code in run.py:
'''
from dotenv import load_dotenv
import os
from aiogram import Bot, Dispatcher
from aiogram.types import Message
from aiogram.filters import CommandStart
import asyncio
from auto_responder import *
from crm import crm_router, init_db
from orders import *
from reminders import *
from admin_panel import *
import logging
logging.basicConfig(level=logging.INFO)
logger = logging.getLogger(__name__)
load_dotenv()
bot = Bot(token=os.getenv('BOT_TOKEN'))
dp = Dispatcher()
@dp.message(CommandStart())
async def start(message: Message):
await message.answer('Hello! I am a bot. I can help you with your business. Please choose one of the following options: /auto_responder, /crm, /orders, /reminders, /admin_panel')
async def main():
dp.include_routers(
crm_router,
auto_responder_router
)
await init_db()
await dp.start_polling(bot)
if __name__ == "__main__":
try:
asyncio.run(main())
except (KeyboardInterrupt, SystemExit):
print("Bot stopped!")
'''
code in crm.py:
import asyncpg
import os
from dotenv import load_dotenv
from aiogram.types import Message
from aiogram import Router, F
from aiogram.filters import Command
crm_router = Router()
load_dotenv()
# Глобальная переменная для пула соединений
DB_POOL = None
async def init_db():
global DB_POOL
DB_POOL = await asyncpg.create_pool(os.getenv('DB_URL'))
async with DB_POOL.acquire() as conn:
await conn.execute('''
CREATE TABLE IF NOT EXISTS clients (
id SERIAL PRIMARY KEY,
name TEXT NOT NULL,
phone TEXT UNIQUE NOT NULL,
created_at TIMESTAMP DEFAULT NOW()
);
''')
await conn.execute('''
CREATE TABLE IF NOT EXISTS messages (
id SERIAL PRIMARY KEY,
client_id INTEGER REFERENCES clients(id) ON DELETE CASCADE,
message TEXT NOT NULL,
created_at TIMESTAMP DEFAULT NOW()
);
''')
async def get_db():
global DB_POOL
if DB_POOL is None:
await init_db()
@crm_router.message(Command('crm'))
async def crm(message: Message):
await message.answer('Welcome to the CRM system! Write your name and phone number in the format: `Name|Phone` (example: `Jane Doe|+1234567890`)')
@crm_router.message(F.text)
async def handle_crm_message(message:Message):
"""Обработчик текстовых сообщений для CRM"""
print("CRM text message received")
if message.text.startswith('/'):
return
data = message.text.split('|')
if len(data) != 2:
await message.answer('Invalid format! Please use: `Name|Phone`')
return
name, phone = data[0].strip(), data[1].strip()
if not phone.startswith('+'):
await message.answer('Invalid phone number! Please use the format: `+1234567890`')
return
await save_data(name, phone)
await message.answer(f'Thank you, {name}! Your phone number {phone} has been saved.')
async def save_data(name: str, phone: str):
await get_db()
async with DB_POOL.acquire() as conn:
await conn.execute(
"INSERT INTO clients (name, phone) VALUES ($1, $2) ON CONFLICT (phone) DO NOTHING",
name, phone
)
async def save_message(client_id: int, message: str):
"""Сохраняет сообщение клиента"""
async with DB_POOL.acquire() as conn:
await conn.execute(
"INSERT INTO messages (client_id, message) VALUES ($1, $2)",
client_id, message
)
code in autoresponder.py:
Problem: When I replace crm_router with auto_responder_router, the bot starts normally.
When I include crm_router, the bot doesn't start and gives no clear error.
What I've Tried: Checking crm.py for syntax errors.
Ensuring crm_router is properly initialized as a router.
Running init_db() separately to verify it works.
Using print statements for debugging, but no errors appear.