mirror of
				https://github.com/DerrtSML/qbittorent_bot.git
				synced 2025-10-26 04:20:08 +03:00 
			
		
		
		
	
		
			
				
	
	
		
			533 lines
		
	
	
		
			26 KiB
		
	
	
	
		
			Python
		
	
	
	
	
	
			
		
		
	
	
			533 lines
		
	
	
		
			26 KiB
		
	
	
	
		
			Python
		
	
	
	
	
	
| import logging
 | ||
| import os
 | ||
| from datetime import datetime
 | ||
| 
 | ||
| # Импорты для Telegram Bot API
 | ||
| from telegram import Update, InlineKeyboardButton, InlineKeyboardMarkup
 | ||
| from telegram.ext import (
 | ||
|     Application,
 | ||
|     CommandHandler,
 | ||
|     MessageHandler,
 | ||
|     filters,
 | ||
|     ContextTypes,
 | ||
|     CallbackQueryHandler,
 | ||
| )
 | ||
| 
 | ||
| # Импорты для qBittorrent API
 | ||
| from qbittorrentapi import Client, APIError
 | ||
| 
 | ||
| # --- Настройка логирования ---
 | ||
| logging.basicConfig(
 | ||
|     format="%(asctime)s - %(name)s - %(levelname)s - %(message)s", level=logging.INFO
 | ||
| )
 | ||
| logger = logging.getLogger(__name__)
 | ||
| 
 | ||
| # --- Переменные окружения для qBittorrent ---
 | ||
| TELEGRAM_BOT_TOKEN = os.getenv("TELEGRAM_BOT_TOKEN")
 | ||
| QBT_HOST = os.getenv("QBT_HOST")
 | ||
| QBT_PORT = os.getenv("QBT_PORT")
 | ||
| QBT_USERNAME = os.getenv("QBT_USERNAME")
 | ||
| QBT_PASSWORD = os.getenv("QBT_PASSWORD")
 | ||
| 
 | ||
| # --- Глобальная переменная для qBittorrent клиента ---
 | ||
| qb = None
 | ||
| 
 | ||
| # --- Инициализация qBittorrent клиента ---
 | ||
| def init_qbittorrent_client():
 | ||
|     global qb
 | ||
|     if not all([QBT_HOST, QBT_PORT, QBT_USERNAME, QBT_PASSWORD]):
 | ||
|         logger.error("QBittorrent credentials (host, port, username, password) are not fully set in environment variables.")
 | ||
|         return False
 | ||
|     try:
 | ||
|         qb = Client(
 | ||
|             host=f"{QBT_HOST}:{QBT_PORT}",
 | ||
|             username=QBT_USERNAME,
 | ||
|             password=QBT_PASSWORD
 | ||
|         )
 | ||
|         qb_version = qb.app.version
 | ||
|         logger.info(f"Connected to qBittorrent API v{qb_version} on {QBT_HOST}:{QBT_PORT}")
 | ||
|         return True
 | ||
|     except APIError as e:
 | ||
|         logger.error(f"Failed to connect or login to qBittorrent: {e}. Check your qBittorrent Web UI address and credentials.")
 | ||
|         qb = None
 | ||
|         return False
 | ||
|     except Exception as e:
 | ||
|         logger.error(f"An unexpected error occurred during qBittorrent connection: {e}")
 | ||
|         qb = None
 | ||
|         return False
 | ||
| 
 | ||
| # --- Команда /start ---
 | ||
| async def start(update: Update, context: ContextTypes.DEFAULT_TYPE) -> None:
 | ||
|     if update.message is None:
 | ||
|         logger.warning("Received an update without a message object in start handler.")
 | ||
|         return
 | ||
| 
 | ||
|     logger.info(f"Received /start command from {update.effective_user.id}")
 | ||
| 
 | ||
|     if not init_qbittorrent_client():
 | ||
|         await update.message.reply_text(
 | ||
|             "Не удалось подключиться к qBittorrent. Проверьте переменные окружения и доступность сервера."
 | ||
|         )
 | ||
|         return
 | ||
| 
 | ||
|     await update.message.reply_text(
 | ||
|         "Привет! Я бот для управления qBittorrent.\n"
 | ||
|         "Отправь мне magnet-ссылку или URL torrent-файла, "
 | ||
|         "чтобы добавить загрузку.\n"
 | ||
|         "Используй /status для просмотра текущих загрузок.\n"
 | ||
|         "Используй /stop_torrent для остановки загрузки.\n"
 | ||
|         "Используй /help для списка команд."
 | ||
|     )
 | ||
| 
 | ||
| # --- Команда /help ---
 | ||
| async def help_command(update: Update, context: ContextTypes.DEFAULT_TYPE) -> None:
 | ||
|     if update.message is None:
 | ||
|         logger.warning("Received an update without a message object in help handler.")
 | ||
|         return
 | ||
| 
 | ||
|     logger.info(f"Received /help command from {update.effective_user.id}")
 | ||
| 
 | ||
|     help_text = (
 | ||
|         "Вот список доступных команд:\n\n"
 | ||
|         "**/start** - Начать работу с ботом и проверить подключение к qBittorrent.\n"
 | ||
|         "**/status** - Показать текущий статус всех активных загрузок и управлять ими.\n" 
 | ||
|         "**/stop_torrent** - Выбрать и остановить загрузку торрента (устаревает, используйте /status).\n"
 | ||
|         "**/help** - Показать это справочное сообщение.\n\n"
 | ||
|         "Также вы можете отправить мне *magnet-ссылку* или *URL torrent-файла* " 
 | ||
|         "для добавления загрузки. Бот предложит выбрать категорию и директорию."
 | ||
|     )
 | ||
|     await update.message.reply_text(help_text, parse_mode="Markdown")
 | ||
| 
 | ||
| 
 | ||
| # --- Команда /status (ОБНОВЛЕНО для кнопок старт/стоп с учетом 'Stopped' и 'Completed') ---
 | ||
| async def status(update: Update, context: ContextTypes.DEFAULT_TYPE) -> None:
 | ||
|     if update.message is None:
 | ||
|         logger.warning("Received an update without a message object in status handler.")
 | ||
|         return
 | ||
| 
 | ||
|     logger.info(f"Received /status command from {update.effective_user.id}")
 | ||
| 
 | ||
|     if not init_qbittorrent_client():
 | ||
|         await update.message.reply_text(
 | ||
|             "Не удалось подключиться к qBittorrent. Проверьте переменные окружения и доступность сервера."
 | ||
|         )
 | ||
|         return
 | ||
| 
 | ||
|     try:
 | ||
|         torrents = qb.torrents_info()
 | ||
|         if not torrents:
 | ||
|             await update.message.reply_text("Загрузок не найдено.")
 | ||
|             return
 | ||
| 
 | ||
|         for torrent in torrents:
 | ||
|             download_speed = torrent.dlspeed / (1024 * 1024) if torrent.dlspeed >= (1024 * 1024) else torrent.dlspeed / 1024
 | ||
|             upload_speed = torrent.upspeed / (1024 * 1024) if torrent.upspeed >= (1024 * 1024) else torrent.upspeed / 1024
 | ||
| 
 | ||
|             dl_unit = "MB/s" if torrent.dlspeed >= (1024 * 1024) else "KB/s"
 | ||
|             up_unit = "MB/s" if torrent.upspeed >= (1024 * 1024) else "KB/s"
 | ||
| 
 | ||
|             eta_str = ""
 | ||
|             if torrent.eta == 8640000: # qBittorrent returns 8640000 for "infinite" ETA
 | ||
|                 eta_str = "∞"
 | ||
|             elif torrent.eta > 0:
 | ||
|                 hours, remainder = divmod(torrent.eta, 3600)
 | ||
|                 minutes, seconds = divmod(remainder, 60)
 | ||
|                 if hours > 0:
 | ||
|                     eta_str = f"{int(hours)}ч {int(minutes)}мин"
 | ||
|                 elif minutes > 0:
 | ||
|                     eta_str = f"{int(minutes)}мин {int(seconds)}с"
 | ||
|                 else:
 | ||
|                     eta_str = f"{int(seconds)}с"
 | ||
|             else:
 | ||
|                 eta_str = "Завершено"
 | ||
| 
 | ||
| 
 | ||
|             message_text = (
 | ||
|                 f"📊 *{torrent.name}*\n"
 | ||
|                 f"   Состояние: {torrent.state}\n" # Выводит текущее состояние
 | ||
|                 f"   Прогресс: {torrent.progress:.2%}\n"
 | ||
|                 f"   ⬇️ {download_speed:.2f} {dl_unit} ⬆️ {upload_speed:.2f} {up_unit}\n"
 | ||
|                 f"   ETA: {eta_str}\n"
 | ||
|                 f"   Размер: {(torrent.size / (1024*1024*1024)):.2f} ГБ"
 | ||
|             )
 | ||
|             
 | ||
|             keyboard = []
 | ||
|             active_states = ['downloading', 'stalledDL', 'uploading', 'checkingQT', 'queuedDL', 'checkingUP', 'queuedUP']
 | ||
|             # Включили 'Stopped' и 'Completed' в список состояний, для которых предлагаем кнопку "Запустить"
 | ||
|             paused_states = ['pausedDL', 'pausedUP', 'Stopped', 'Completed'] 
 | ||
| 
 | ||
|             if torrent.state in active_states:
 | ||
|                 keyboard.append(InlineKeyboardButton("🔴 Остановить", callback_data=f"stop_hash_{torrent.hash}"))
 | ||
|             elif torrent.state in paused_states: 
 | ||
|                 keyboard.append(InlineKeyboardButton("▶️ Запустить", callback_data=f"start_hash_{torrent.hash}"))
 | ||
|             elif torrent.state == 'metaDL': 
 | ||
|                  pass 
 | ||
|             else:
 | ||
|                 keyboard.append(InlineKeyboardButton("ℹ️ Инфо", callback_data=f"info_hash_{torrent.hash}"))
 | ||
| 
 | ||
| 
 | ||
|             reply_markup = InlineKeyboardMarkup([keyboard]) if keyboard else None
 | ||
|             
 | ||
|             await update.message.reply_text(
 | ||
|                 message_text,
 | ||
|                 parse_mode="Markdown",
 | ||
|                 reply_markup=reply_markup
 | ||
|             )
 | ||
| 
 | ||
|     except APIError as e:
 | ||
|         logger.error(f"Error getting torrent status: {e}")
 | ||
|         await update.message.reply_text(f"Ошибка при получении статуса торрентов: {e}")
 | ||
|     except Exception as e:
 | ||
|         logger.error(f"An unexpected error occurred in status command: {e}")
 | ||
|         await update.message.reply_text(f"Произошла непредвиденная ошибка: {e}")
 | ||
| 
 | ||
| 
 | ||
| # --- Команда /stop_torrent (Теперь это будет устаревшая команда) ---
 | ||
| async def stop_torrent(update: Update, context: ContextTypes.DEFAULT_TYPE) -> None:
 | ||
|     if update.message is None:
 | ||
|         logger.warning("Received an update without a message object in stop_torrent handler.")
 | ||
|         return
 | ||
| 
 | ||
|     logger.info(f"Received /stop_torrent command from {update.effective_user.id}")
 | ||
| 
 | ||
|     await update.message.reply_text(
 | ||
|         "Используйте команду /status для управления торрентами через кнопки 'Запустить' и 'Остановить'."
 | ||
|     )
 | ||
| 
 | ||
| 
 | ||
| # --- Обработка кнопки "Остановить торрент" ---
 | ||
| async def stop_torrent_callback(update: Update, context: ContextTypes.DEFAULT_TYPE) -> None:
 | ||
|     query = update.callback_query
 | ||
|     await query.answer()
 | ||
| 
 | ||
|     torrent_hash = query.data.replace("stop_hash_", "")
 | ||
|     logger.info(f"Attempting to pause torrent with hash: {torrent_hash}") 
 | ||
| 
 | ||
|     if not init_qbittorrent_client():
 | ||
|         await query.edit_message_text(
 | ||
|             "Не удалось подключиться к qBittorrent. Проверьте переменные окружения и доступность сервера."
 | ||
|         )
 | ||
|         return
 | ||
| 
 | ||
|     try:
 | ||
|         qb.torrents_pause(torrent_hashes=torrent_hash) 
 | ||
|         await query.edit_message_text(f"Торрент ({torrent_hash[:6]}...) успешно остановлен (поставлен на паузу).")
 | ||
|     except APIError as e:
 | ||
|         logger.error(f"Error pausing torrent {torrent_hash}: {e}")
 | ||
|         await query.edit_message_text(f"Ошибка при остановке торрента: {e}")
 | ||
|     except Exception as e:
 | ||
|         logger.error(f"An unexpected error occurred during torrent pausing: {e}")
 | ||
|         await query.edit_message_text(f"Произошла непредвиденная ошибка: {e}")
 | ||
| 
 | ||
| # --- НОВАЯ функция: Обработка кнопки "Запустить торрент" ---
 | ||
| async def start_torrent_callback(update: Update, context: ContextTypes.DEFAULT_TYPE) -> None:
 | ||
|     query = update.callback_query
 | ||
|     await query.answer()
 | ||
| 
 | ||
|     torrent_hash = query.data.replace("start_hash_", "")
 | ||
|     logger.info(f"Attempting to resume torrent with hash: {torrent_hash}") 
 | ||
| 
 | ||
|     if not init_qbittorrent_client():
 | ||
|         await query.edit_message_text(
 | ||
|             "Не удалось подключиться к qBittorrent. Проверьте переменные окружения и доступность сервера."
 | ||
|         )
 | ||
|         return
 | ||
| 
 | ||
|     try:
 | ||
|         qb.torrents_resume(torrent_hashes=torrent_hash)
 | ||
|         await query.edit_message_text(f"Торрент ({torrent_hash[:6]}...) успешно запущен (возобновлен).")
 | ||
|     except APIError as e:
 | ||
|         logger.error(f"Error resuming torrent {torrent_hash}: {e}")
 | ||
|         await query.edit_message_text(f"Ошибка при запуске торрента: {e}")
 | ||
|     except Exception as e:
 | ||
|         logger.error(f"An unexpected error occurred during torrent resuming: {e}")
 | ||
|         await query.edit_message_text(f"Произошла непредвиденная ошибка: {e}")
 | ||
| # --- Команда /status (добавляем логирование) ---
 | ||
| async def status(update: Update, context: ContextTypes.DEFAULT_TYPE) -> None:
 | ||
|     if update.message is None:
 | ||
|         logger.warning("Received an update without a message object in status handler.")
 | ||
|         return
 | ||
| 
 | ||
|     logger.info(f"Received /status command from {update.effective_user.id}")
 | ||
| 
 | ||
|     if not init_qbittorrent_client():
 | ||
|         await update.message.reply_text(
 | ||
|             "Не удалось подключиться к qBittorrent. Проверьте переменные окружения и доступность сервера."
 | ||
|         )
 | ||
|         return
 | ||
| 
 | ||
|     try:
 | ||
|         torrents = qb.torrents_info()
 | ||
|         if not torrents:
 | ||
|             await update.message.reply_text("Загрузок не найдено.")
 | ||
|             return
 | ||
| 
 | ||
|         for torrent in torrents:
 | ||
|             # --- ВРЕМЕННОЕ ЛОГИРОВАНИЕ ---
 | ||
|             logger.info(f"Torrent '{torrent.name}' has state: '{torrent.state}'")
 | ||
|             # --- КОНЕЦ ВРЕМЕННОГО ЛОГИРОВАНИЯ ---
 | ||
| 
 | ||
|             download_speed = torrent.dlspeed / (1024 * 1024) if torrent.dlspeed >= (1024 * 1024) else torrent.dlspeed / 1024
 | ||
|             upload_speed = torrent.upspeed / (1024 * 1024) if torrent.upspeed >= (1024 * 1024) else torrent.upspeed / 1024
 | ||
| 
 | ||
|             dl_unit = "MB/s" if torrent.dlspeed >= (1024 * 1024) else "KB/s"
 | ||
|             up_unit = "MB/s" if torrent.upspeed >= (1024 * 1024) else "KB/s"
 | ||
| 
 | ||
|             eta_str = ""
 | ||
|             if torrent.eta == 8640000:
 | ||
|                 eta_str = "∞"
 | ||
|             elif torrent.eta > 0:
 | ||
|                 hours, remainder = divmod(torrent.eta, 3600)
 | ||
|                 minutes, seconds = divmod(remainder, 60)
 | ||
|                 if hours > 0:
 | ||
|                     eta_str = f"{int(hours)}ч {int(minutes)}мин"
 | ||
|                 elif minutes > 0:
 | ||
|                     eta_str = f"{int(minutes)}мин {int(seconds)}с"
 | ||
|                 else:
 | ||
|                     eta_str = f"{int(seconds)}с"
 | ||
|             else:
 | ||
|                 eta_str = "Завершено"
 | ||
| 
 | ||
| 
 | ||
|             message_text = (
 | ||
|                 f"📊 *{torrent.name}*\n"
 | ||
|                 f"   Состояние: {torrent.state}\n"
 | ||
|                 f"   Прогресс: {torrent.progress:.2%}\n"
 | ||
|                 f"   ⬇️ {download_speed:.2f} {dl_unit} ⬆️ {upload_speed:.2f} {up_unit}\n"
 | ||
|                 f"   ETA: {eta_str}\n"
 | ||
|                 f"   Размер: {(torrent.size / (1024*1024*1024)):.2f} ГБ"
 | ||
|             )
 | ||
|             
 | ||
|             keyboard = []
 | ||
|             active_states = ['downloading', 'stalledDL', 'uploading', 'checkingQT', 'queuedDL', 'checkingUP', 'queuedUP']
 | ||
|             # Здесь пока не меняем, чтобы увидеть, что попадет в "else"
 | ||
|             paused_states = ['pausedDL', 'pausedUP', 'Stopped', 'Completed'] 
 | ||
| 
 | ||
|             if torrent.state in active_states:
 | ||
|                 keyboard.append(InlineKeyboardButton("🔴 Остановить", callback_data=f"stop_hash_{torrent.hash}"))
 | ||
|             elif torrent.state in paused_states: 
 | ||
|                 keyboard.append(InlineKeyboardButton("▶️ Запустить", callback_data=f"start_hash_{torrent.hash}"))
 | ||
|             elif torrent.state == 'metaDL': 
 | ||
|                  pass 
 | ||
|             else:
 | ||
|                 # Если торрент не в активных и не в явных "пауза/остановлено", то "Инфо"
 | ||
|                 keyboard.append(InlineKeyboardButton("ℹ️ Инфо", callback_data=f"info_hash_{torrent.hash}"))
 | ||
| 
 | ||
| 
 | ||
|             reply_markup = InlineKeyboardMarkup([keyboard]) if keyboard else None
 | ||
|             
 | ||
|             await update.message.reply_text(
 | ||
|                 message_text,
 | ||
|                 parse_mode="Markdown",
 | ||
|                 reply_markup=reply_markup
 | ||
|             )
 | ||
| 
 | ||
|     except APIError as e:
 | ||
|         logger.error(f"Error getting torrent status: {e}")
 | ||
|         await update.message.reply_text(f"Ошибка при получении статуса торрентов: {e}")
 | ||
|     except Exception as e:
 | ||
|         logger.error(f"An unexpected error occurred in status command: {e}")
 | ||
|         await update.message.reply_text(f"Произошла непредвиденная ошибка: {e}")
 | ||
| 
 | ||
| # ... (Остальной код бота без изменений) ...
 | ||
| 
 | ||
| # --- Обработка magnet-ссылок и URL ---
 | ||
| async def handle_url(update: Update, context: ContextTypes.DEFAULT_TYPE) -> None:
 | ||
|     if update.message is None:
 | ||
|         logger.warning("Received an update without a message object in handle_url handler.")
 | ||
|         return
 | ||
| 
 | ||
|     text = update.message.text
 | ||
|     logger.info(f"Received URL/Magnet: {text} from {update.effective_user.id}")
 | ||
| 
 | ||
|     if not init_qbittorrent_client():
 | ||
|         await update.message.reply_text(
 | ||
|             "Не удалось подключиться к qBittorrent. Проверьте переменные окружения и доступность сервера."
 | ||
|         )
 | ||
|         return
 | ||
| 
 | ||
|     try:
 | ||
|         context.user_data['current_torrent_url'] = text
 | ||
| 
 | ||
|         categories_dict = qb.torrents_categories()
 | ||
|         category_keyboard = []
 | ||
|         for category_name in categories_dict.keys():
 | ||
|             category_keyboard.append([InlineKeyboardButton(category_name, callback_data=f"select_category_{category_name}")])
 | ||
|         
 | ||
|         category_keyboard.append([InlineKeyboardButton("Без категории", callback_data="select_category_no_category")])
 | ||
| 
 | ||
|         reply_markup = InlineKeyboardMarkup(category_keyboard)
 | ||
|         await update.message.reply_text('Выберите категорию для загрузки:', reply_markup=reply_markup)
 | ||
| 
 | ||
|     except APIError as e:
 | ||
|         logger.error(f"Error fetching categories: {e}")
 | ||
|         await update.message.reply_text(f"Ошибка при получении категорий: {e}")
 | ||
|     except Exception as e:
 | ||
|         logger.error(f"An unexpected error occurred in handle_url: {e}")
 | ||
|         await update.message.reply_text(f"Произошла непредвиденная ошибка: {e}")
 | ||
| 
 | ||
| 
 | ||
| # --- Обработка выбора категории ---
 | ||
| async def select_category_callback(update: Update, context: ContextTypes.DEFAULT_TYPE) -> None:
 | ||
|     query = update.callback_query
 | ||
|     await query.answer()
 | ||
| 
 | ||
|     data = query.data.split('_')
 | ||
|     selected_category = data[2] if len(data) > 2 and data[2] != 'no_category' else None
 | ||
| 
 | ||
|     logger.info(f"Selected category: {selected_category}")
 | ||
| 
 | ||
|     context.user_data['selected_category'] = selected_category
 | ||
| 
 | ||
|     await query.edit_message_text("Выберите директорию загрузки:")
 | ||
|     await send_directory_options(query, context)
 | ||
| 
 | ||
| # --- Отправка опций директорий ---
 | ||
| async def send_directory_options(query, context):
 | ||
|     if not init_qbittorrent_client():
 | ||
|         await query.edit_message_text(
 | ||
|             "Не удалось подключиться к qBittorrent. Проверьте переменные окружения и доступность сервера."
 | ||
|         )
 | ||
|         return
 | ||
| 
 | ||
|     try:
 | ||
|         available_paths = [
 | ||
|             qb.app.default_save_path,
 | ||
|             "/mnt/user/downloads/movies", # ЗАМЕНИТЕ НА СВОИ АКТУАЛЬНЫЕ ПУТИ
 | ||
|             "/mnt/user/downloads/tv-shows",
 | ||
|             "/var/lib/qbittorrent/data/completed", 
 | ||
|         ]
 | ||
|         
 | ||
|         available_paths = sorted(list(set([p.replace(os.sep, '/') for p in available_paths if p])))
 | ||
|         
 | ||
|         directory_keyboard = []
 | ||
|         for path in available_paths:
 | ||
|             display_path = os.path.basename(path) if len(path) > 30 else path
 | ||
|             directory_keyboard.append([InlineKeyboardButton(display_path, callback_data=f"select_dir_{path}")])
 | ||
|         
 | ||
|         reply_markup = InlineKeyboardMarkup(directory_keyboard)
 | ||
|         await query.edit_message_reply_markup(reply_markup=reply_markup)
 | ||
|     
 | ||
|     except APIError as e:
 | ||
|         logger.error(f"Error fetching default save path: {e}")
 | ||
|         await query.edit_message_text(f"Ошибка при получении директорий сохранения: {e}")
 | ||
|     except Exception as e:
 | ||
|         logger.error(f"An unexpected error occurred in send_directory_options: {e}")
 | ||
|         await query.edit_message_text(f"Произошла непредвиденная ошибка: {e}")
 | ||
| 
 | ||
| 
 | ||
| # --- Обработка выбора директории и добавление торрента ---
 | ||
| async def select_directory_callback(update: Update, context: ContextTypes.DEFAULT_TYPE) -> None:
 | ||
|     query = update.callback_query
 | ||
|     await query.answer()
 | ||
| 
 | ||
|     data = query.data.split('_')
 | ||
|     selected_directory = data[2]
 | ||
| 
 | ||
|     logger.info(f"Selected directory: {selected_directory}")
 | ||
| 
 | ||
|     torrent_url = context.user_data.get('current_torrent_url')
 | ||
|     category = context.user_data.get('selected_category')
 | ||
| 
 | ||
|     if not torrent_url:
 | ||
|         await query.edit_message_text("Ошибка: URL торрента не найден. Пожалуйста, попробуйте снова.")
 | ||
|         return
 | ||
| 
 | ||
|     if not init_qbittorrent_client():
 | ||
|         await query.edit_message_text(
 | ||
|             "Не удалось подключиться к qBittorrent. Проверьте переменные окружения и доступность сервера."
 | ||
|         )
 | ||
|         return
 | ||
| 
 | ||
|     try:
 | ||
|         qb.torrents_add(
 | ||
|             urls=torrent_url,
 | ||
|             category=category,
 | ||
|             save_path=selected_directory
 | ||
|         )
 | ||
|         await query.edit_message_text(
 | ||
|             f"Торрент успешно добавлен в qBittorrent.\n"
 | ||
|             f"Категория: {category or 'Без категории'}\n"
 | ||
|             f"Директория: {selected_directory}"
 | ||
|         )
 | ||
|         if 'current_torrent_url' in context.user_data:
 | ||
|             del context.user_data['current_torrent_url']
 | ||
|         if 'selected_category' in context.user_data:
 | ||
|             del context.user_data['selected_category']
 | ||
|     except APIError as e:
 | ||
|         logger.error(f"Error adding torrent with path: {e}")
 | ||
|         await query.edit_message_text(f"Ошибка при добавлении торрента: {e}")
 | ||
|     except Exception as e:
 | ||
|         logger.error(f"An unexpected error occurred during torrent addition with path: {e}")
 | ||
|         await query.edit_message_text(f"Произошла непредвиденная ошибка: {e}")
 | ||
| 
 | ||
| 
 | ||
| # --- Обработчик ошибок Telegram Bot API ---
 | ||
| async def error_handler(update: object, context: ContextTypes.DEFAULT_TYPE) -> None:
 | ||
|     logger.error(f"Exception while handling an update: {context.error}")
 | ||
|     if update and update.effective_message:
 | ||
|         await update.effective_message.reply_text(f"Произошла внутренняя ошибка бота: {context.error}")
 | ||
| 
 | ||
| # --- Обработчик для неизвестных команд ---
 | ||
| async def unknown_command(update: Update, context: ContextTypes.DEFAULT_TYPE) -> None:
 | ||
|     if update.message is None:
 | ||
|         logger.warning("Received an unknown command update without a message object.")
 | ||
|         return
 | ||
|     logger.info(f"Received unknown command: {update.message.text} from {update.effective_user.id}")
 | ||
|     await update.message.reply_text("Извините, я не понял эту команду.")
 | ||
| 
 | ||
| # --- Обработчик для любого другого текста (для отладки) ---
 | ||
| async def echo(update: Update, context: ContextTypes.DEFAULT_TYPE) -> None:
 | ||
|     if update.message is None:
 | ||
|         logger.warning(f"Received non-text update in echo handler: {update}")
 | ||
|         return
 | ||
|     logger.info(f"Received non-command text: {update.message.text} from {update.effective_user.id}")
 | ||
|     await update.message.reply_text(f"Вы сказали: {update.message.text}")
 | ||
| 
 | ||
| 
 | ||
| # --- Основная функция, запускающая бота ---
 | ||
| def main() -> None:
 | ||
|     if not TELEGRAM_BOT_TOKEN:
 | ||
|         logger.critical("TELEGRAM_BOT_TOKEN environment variable is not set. Exiting.")
 | ||
|         exit(1)
 | ||
| 
 | ||
|     application = Application.builder().token(TELEGRAM_BOT_TOKEN).build()
 | ||
| 
 | ||
|     # --- Добавление обработчиков команд ---
 | ||
|     application.add_handler(CommandHandler("start", start))
 | ||
|     application.add_handler(CommandHandler("status", status))
 | ||
|     application.add_handler(CommandHandler("stop_torrent", stop_torrent)) # Оставляем для перенаправления
 | ||
|     application.add_handler(CommandHandler("help", help_command))
 | ||
| 
 | ||
|     # --- Добавление обработчиков сообщений ---
 | ||
|     url_regex = r"magnet:\?xt=urn:[a-z0-9]+"
 | ||
|     torrent_url_regex = r"https?://[^\s]+(?:/\d+|/\w+\.torrent|/download/\d+|\/torrent\.php\?hash=)[\S]*"
 | ||
|     
 | ||
|     application.add_handler(MessageHandler(filters.TEXT & (filters.Regex(url_regex) | filters.Regex(torrent_url_regex)), handle_url))
 | ||
|     
 | ||
|     # Добавляем CallbackQueryHandler для кнопок выбора категории
 | ||
|     application.add_handler(CallbackQueryHandler(select_category_callback, pattern=r"^select_category_.*"))
 | ||
|     # Добавляем CallbackQueryHandler для кнопок выбора директории
 | ||
|     application.add_handler(CallbackQueryHandler(select_directory_callback, pattern=r"^select_dir_.*"))
 | ||
|     # CallbackQueryHandler для кнопок остановки торрентов
 | ||
|     application.add_handler(CallbackQueryHandler(stop_torrent_callback, pattern=r"^stop_hash_.*"))
 | ||
|     # CallbackQueryHandler для кнопок запуска торрентов
 | ||
|     application.add_handler(CallbackQueryHandler(start_torrent_callback, pattern=r"^start_hash_.*"))
 | ||
| 
 | ||
| 
 | ||
|     # --- Обработчик для любого другого текста, не являющегося командой ---
 | ||
|     application.add_handler(MessageHandler(filters.TEXT & ~filters.COMMAND, echo))
 | ||
| 
 | ||
|     # --- Обработчик для неизвестных команд ---
 | ||
|     application.add_handler(MessageHandler(filters.COMMAND, unknown_command))
 | ||
| 
 | ||
|     # --- Добавление обработчика ошибок ---
 | ||
|     application.add_error_handler(error_handler)
 | ||
| 
 | ||
|     # --- Запуск бота ---
 | ||
|     logger.info("Bot started polling...")
 | ||
|     application.run_polling(allowed_updates=Update.ALL_TYPES)
 | ||
| 
 | ||
| if __name__ == "__main__":
 | ||
|     main()
 | 
