File size: 19,945 Bytes
7ad85cf 18d5fa8 d5fcd88 18d5fa8 a6e3f28 20eb075 18d5fa8 |
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 25 26 27 28 29 30 31 32 33 34 35 36 37 38 39 40 41 42 43 44 45 46 47 48 49 50 51 52 53 54 55 56 57 58 59 60 61 62 63 64 65 66 67 68 69 70 71 72 73 74 75 76 77 78 79 80 81 82 83 84 85 86 87 88 89 90 91 92 93 94 95 96 97 98 99 100 101 102 103 104 105 106 107 108 109 110 111 112 113 114 115 116 117 118 119 120 121 122 123 124 125 126 127 128 129 130 131 132 133 134 135 136 137 138 139 140 141 142 143 144 145 146 147 148 149 150 151 152 153 154 155 156 157 158 159 160 161 162 163 164 165 166 167 168 169 170 171 172 173 174 175 176 177 178 179 180 181 182 183 184 185 186 187 188 189 190 191 192 193 194 195 196 197 198 199 200 201 202 203 204 205 206 207 208 209 210 211 212 213 214 215 216 217 218 219 220 221 222 223 224 225 226 227 228 229 230 231 232 233 234 235 236 237 238 239 240 241 242 243 244 245 246 247 248 249 250 251 252 253 254 255 256 257 258 259 260 261 262 263 264 265 266 267 268 269 270 271 272 273 274 275 276 277 278 279 280 281 282 283 284 285 286 287 288 289 290 291 292 293 294 295 296 297 298 299 300 301 302 303 304 305 306 307 308 309 310 311 312 313 314 315 316 317 318 319 320 321 322 323 324 325 326 327 328 329 330 331 332 333 334 335 336 337 338 339 340 341 342 343 344 345 346 347 348 349 350 351 352 353 354 355 356 357 358 359 360 361 362 363 364 365 366 367 368 369 370 371 372 373 374 375 376 377 378 379 380 381 382 383 384 385 386 387 388 389 390 391 392 393 394 395 396 397 398 399 400 401 402 403 404 405 406 407 408 409 410 411 412 413 414 415 416 417 418 419 420 421 422 423 424 425 426 427 428 429 430 431 432 433 434 435 436 437 438 439 440 441 442 443 444 445 446 447 448 449 450 451 452 453 454 455 456 457 458 459 460 461 462 463 464 465 466 467 468 469 470 471 472 473 474 475 476 477 478 479 480 481 482 483 484 485 486 487 488 489 490 491 492 493 494 495 496 497 498 499 500 501 502 503 504 505 506 507 508 509 510 511 512 513 514 515 516 517 518 519 520 521 522 523 524 525 526 |
import os
import logging
import threading
import time
import datetime
import traceback
import fractions
import requests
from fastapi import FastAPI, Request
import av
app = FastAPI()
# -------------------------------------------------------------------
# Configuration & Global Variables
# -------------------------------------------------------------------
TELEGRAM_BOT_TOKEN = os.getenv("TELEGRAM_BOT_TOKEN")
TELEGRAM_API_URL = f"https://api.telegram.org/bot{TELEGRAM_BOT_TOKEN}"
# Conversation state
user_inputs = {}
# The conversation fields will depend on the mode.
# Simple mode (default): Only "input_url" and "output_url" are required.
# Advanced mode (if user sends /setting): Additional fields are required.
conversation_fields = []
current_step = None
advanced_mode = False
# Default settings for advanced fields
default_settings = {
"quality_settings": "medium",
"video_codec": "libx264",
"audio_codec": "aac",
"output_url": "rtmp://a.rtmp.youtube.com/live2"
}
# Streaming state & statistics
streaming_state = "idle" # "idle", "streaming", "paused", "stopped"
stream_chat_id = None # Chat ID for periodic updates
stream_start_time = None
frames_encoded = 0
bytes_sent = 0
# Stream resource objects
video_stream = None
audio_stream_in = None
output_stream = None
# Thread references
stream_thread = None
live_log_thread = None
# Live logging globals
live_log_lines = [] # Rolling list (max 50 lines)
live_log_message_id = None
# -------------------------------------------------------------------
# Enhanced Logging Setup
# -------------------------------------------------------------------
logging.basicConfig(
level=logging.DEBUG,
format="%(asctime)s [%(levelname)s] %(message)s",
datefmt="%Y-%m-%d %H:%M:%S",
)
logger = logging.getLogger()
def append_live_log(line: str):
global live_log_lines
live_log_lines.append(line)
if len(live_log_lines) > 50:
live_log_lines.pop(0)
class ListHandler(logging.Handler):
def emit(self, record):
log_entry = self.format(record)
append_live_log(log_entry)
list_handler = ListHandler()
list_handler.setFormatter(logging.Formatter("%(asctime)s [%(levelname)s] %(message)s", "%Y-%m-%d %H:%M:%S"))
logger.addHandler(list_handler)
# -------------------------------------------------------------------
# Utility Functions & UI Helpers
# -------------------------------------------------------------------
def create_markdown_message(text: str):
return {"parse_mode": "Markdown", "text": text}
def get_inline_keyboard_for_stream():
# Inline keyboard for streaming controls after stream has started
keyboard = {
"inline_keyboard": [
[
{"text": "βΈ Pause", "callback_data": "pause"},
{"text": "βΆοΈ Resume", "callback_data": "resume"},
{"text": "βΉ Abort", "callback_data": "abort"}
],
[
{"text": "π Status", "callback_data": "status"}
]
]
}
return keyboard
def get_inline_keyboard_for_start():
# Inline keyboard with a start button for when conversation is complete.
keyboard = {
"inline_keyboard": [
[
{"text": "π Start Streaming", "callback_data": "start_stream"}
]
]
}
return keyboard
def help_text():
return (
"*Stream Bot Help*\n\n"
"*/start* - Begin setup for streaming (simple mode: only Input & Output URL)\n"
"*/setting* - Enter advanced settings (Input URL, Quality Settings, Video Codec, Audio Codec, Output URL)\n"
"*/help* - Display this help text\n\n"
"After inputs are collected, press the inline *Start Streaming* button.\n\n"
"While streaming, you can use inline buttons or commands:\n"
"*/pause* - Pause the stream\n"
"*/resume* - Resume a paused stream\n"
"*/abort* - Abort the stream\n"
"*/status* - Get current stream statistics"
)
def send_guide_message(chat_id, message):
logging.info(f"Sending message to chat {chat_id}: {message}")
return {
"method": "sendMessage",
"chat_id": chat_id,
"text": message,
"parse_mode": "Markdown"
}
def reset_statistics():
global stream_start_time, frames_encoded, bytes_sent
stream_start_time = datetime.datetime.now()
frames_encoded = 0
bytes_sent = 0
def get_uptime():
if stream_start_time:
uptime = datetime.datetime.now() - stream_start_time
return str(uptime).split('.')[0]
return "0"
def validate_inputs():
# Ensure all fields in conversation_fields have been provided
missing = [field for field in conversation_fields if field not in user_inputs or not user_inputs[field]]
if missing:
return False, f"Missing fields: {', '.join(missing)}"
return True, ""
# -------------------------------------------------------------------
# Live Logging Updater (Background Thread)
# -------------------------------------------------------------------
def live_log_updater(chat_id):
global live_log_message_id, streaming_state
try:
# Send initial live log message
payload = {
"chat_id": chat_id,
"text": "*Live Logs:*\n_(Initializing...)_",
"parse_mode": "Markdown"
}
resp = requests.post(f"{TELEGRAM_API_URL}/sendMessage", json=payload)
if resp.ok:
live_log_message_id = resp.json()["result"]["message_id"]
logging.info(f"Live log message sent with id {live_log_message_id}")
else:
logging.error("Failed to send live log message.")
return
# Update live log every 15 seconds until streaming stops
while streaming_state in ["streaming", "paused"]:
log_text = "*Live Logs:*\n\n" + "\n".join(live_log_lines[-15:]) # show last 15 lines
edit_payload = {
"chat_id": chat_id,
"message_id": live_log_message_id,
"text": log_text,
"parse_mode": "Markdown"
}
requests.post(f"{TELEGRAM_API_URL}/editMessageText", json=edit_payload)
time.sleep(15)
except Exception as e:
logging.error(f"Error in live log updater: {e}")
# -------------------------------------------------------------------
# Conversation Handlers
# -------------------------------------------------------------------
def handle_start(chat_id):
global current_step, user_inputs, conversation_fields, advanced_mode
# By default, simple mode (unless advanced_mode was set via /setting)
user_inputs = {}
if not advanced_mode:
conversation_fields = ["input_url", "output_url"]
else:
conversation_fields = ["input_url", "quality_settings", "video_codec", "audio_codec", "output_url"]
current_step = conversation_fields[0]
text = ("π *Welcome to the Stream Bot!*\n\n"
"Let's set up your stream.\n"
f"Please enter the *{current_step.replace('_', ' ')}*"
f"{' (no default)' if current_step not in default_settings else f' _(default: {default_settings[current_step]})_'}:")
logging.info(f"/start command from chat {chat_id} (advanced_mode={advanced_mode})")
return {
"method": "sendMessage",
"chat_id": chat_id,
"text": text,
"parse_mode": "Markdown"
}
def handle_setting(chat_id):
global advanced_mode, conversation_fields, current_step, user_inputs
advanced_mode = True
conversation_fields = ["input_url", "quality_settings", "video_codec", "audio_codec", "output_url"]
user_inputs = {}
current_step = conversation_fields[0]
text = ("βοΈ *Advanced Mode Activated!*\n\n"
"Please enter the *input url*:")
logging.info(f"/setting command from chat {chat_id} - advanced mode enabled")
return {
"method": "sendMessage",
"chat_id": chat_id,
"text": text,
"parse_mode": "Markdown"
}
def handle_help(chat_id):
logging.info(f"/help command from chat {chat_id}")
return {
"method": "sendMessage",
"chat_id": chat_id,
"text": help_text(),
"parse_mode": "Markdown"
}
def handle_conversation(chat_id, text):
global current_step, user_inputs, conversation_fields
if current_step:
# If the response is empty and a default exists, use the default.
if text.strip() == "" and current_step in default_settings:
user_inputs[current_step] = default_settings[current_step]
logging.info(f"Using default for {current_step}: {default_settings[current_step]}")
else:
user_inputs[current_step] = text.strip()
logging.info(f"Received {current_step}: {text.strip()}")
idx = conversation_fields.index(current_step)
if idx < len(conversation_fields) - 1:
current_step = conversation_fields[idx + 1]
prompt = f"Please enter the *{current_step.replace('_', ' ')}*"
if current_step in default_settings:
prompt += f" _(default: {default_settings[current_step]})_"
return send_guide_message(chat_id, prompt)
else:
# All inputs have been collected.
current_step = None
valid, msg = validate_inputs()
if not valid:
return send_guide_message(chat_id, f"Validation error: {msg}")
# In simple mode, fill in advanced fields with defaults.
if not advanced_mode:
user_inputs.setdefault("quality_settings", default_settings["quality_settings"])
user_inputs.setdefault("video_codec", default_settings["video_codec"])
user_inputs.setdefault("audio_codec", default_settings["audio_codec"])
# Instead of asking user to type "start", send an inline button.
return {
"method": "sendMessage",
"chat_id": chat_id,
"text": "All inputs received. Press *π Start Streaming* to begin.",
"reply_markup": get_inline_keyboard_for_start(),
"parse_mode": "Markdown"
}
else:
return send_guide_message(chat_id, "Unrecognized input. Type /help for available commands.")
# -------------------------------------------------------------------
# Background Streaming Functions
# -------------------------------------------------------------------
def stream_to_youtube(input_url, quality_settings, video_codec, audio_codec, output_url, chat_id):
global video_stream, audio_stream_in, output_stream, streaming_state, frames_encoded, bytes_sent
logging.info("Initiating streaming to YouTube")
try:
streaming_state = "streaming"
reset_statistics()
input_stream = av.open(input_url)
output_stream = av.open(output_url, mode='w', format='flv')
# Configure video stream
video_stream = output_stream.add_stream(video_codec, rate=30)
video_stream.width = input_stream.streams.video[0].width
video_stream.height = input_stream.streams.video[0].height
video_stream.pix_fmt = input_stream.streams.video[0].format.name
video_stream.codec_context.options.update({'g': '30'})
if quality_settings.lower() == "high":
video_stream.bit_rate = 3000000
video_stream.bit_rate_tolerance = 1000000
elif quality_settings.lower() == "medium":
video_stream.bit_rate = 1500000
video_stream.bit_rate_tolerance = 500000
elif quality_settings.lower() == "low":
video_stream.bit_rate = 800000
video_stream.bit_rate_tolerance = 200000
# Configure audio stream
audio_stream_in = input_stream.streams.audio[0]
out_audio_stream = output_stream.add_stream(audio_codec, rate=audio_stream_in.rate)
out_audio_stream.layout = "stereo"
video_stream.codec_context.time_base = fractions.Fraction(1, video_stream.rate)
logging.info("Streaming started successfully.")
# Stream loop: process packets until state changes
while streaming_state in ["streaming", "paused"]:
for packet in input_stream.demux():
if streaming_state == "stopped":
break
if packet.stream == input_stream.streams.video[0]:
for frame in packet.decode():
if streaming_state == "paused":
time.sleep(0.5)
continue
for out_packet in video_stream.encode(frame):
output_stream.mux(out_packet)
frames_encoded += 1
if hasattr(out_packet, "size"):
bytes_sent += out_packet.size
elif packet.stream == audio_stream_in:
for frame in packet.decode():
if streaming_state == "paused":
time.sleep(0.5)
continue
for out_packet in out_audio_stream.encode(frame):
output_stream.mux(out_packet)
if hasattr(out_packet, "size"):
bytes_sent += out_packet.size
# Flush remaining packets
for out_packet in video_stream.encode():
output_stream.mux(out_packet)
for out_packet in out_audio_stream.encode():
output_stream.mux(out_packet)
if streaming_state == "paused":
time.sleep(1)
# Clean up resources
try:
video_stream.close()
out_audio_stream.close()
output_stream.close()
input_stream.close()
except Exception as cleanup_error:
logging.error(f"Error during cleanup: {cleanup_error}")
logging.info("Streaming complete, resources cleaned up.")
streaming_state = "idle"
except Exception as e:
error_message = f"An error occurred during streaming: {str(e)}"
logging.error(error_message)
logging.error(traceback.format_exc())
streaming_state = "idle"
def start_streaming(chat_id):
global stream_thread, live_log_thread, stream_chat_id
valid, msg = validate_inputs()
if not valid:
return send_guide_message(chat_id, f"Validation error: {msg}")
stream_chat_id = chat_id
try:
# Start the background streaming thread
stream_thread = threading.Thread(
target=stream_to_youtube,
args=(
user_inputs["input_url"],
user_inputs["quality_settings"],
user_inputs["video_codec"],
user_inputs["audio_codec"],
user_inputs["output_url"],
chat_id,
)
)
stream_thread.daemon = True
stream_thread.start()
logging.info("Streaming thread started.")
# Start the live log updater thread
live_log_thread = threading.Thread(target=live_log_updater, args=(chat_id,))
live_log_thread.daemon = True
live_log_thread.start()
logging.info("Live log updater started.")
return {
"method": "sendMessage",
"chat_id": chat_id,
"text": "π *Streaming initiated!* Use the inline keyboard to control the stream.",
"reply_markup": get_inline_keyboard_for_stream(),
"parse_mode": "Markdown"
}
except Exception as e:
error_message = f"Failed to start streaming: {str(e)}"
logging.error(error_message)
return send_guide_message(chat_id, error_message)
# -------------------------------------------------------------------
# Stream Control Handlers
# -------------------------------------------------------------------
def pause_stream(chat_id):
global streaming_state
if streaming_state == "streaming":
streaming_state = "paused"
logging.info("Streaming paused.")
return {
"method": "sendMessage",
"chat_id": chat_id,
"text": "βΈ *Streaming paused.*",
"parse_mode": "Markdown"
}
return send_guide_message(chat_id, "Streaming is not active.")
def resume_stream(chat_id):
global streaming_state
if streaming_state == "paused":
streaming_state = "streaming"
logging.info("Streaming resumed.")
return {
"method": "sendMessage",
"chat_id": chat_id,
"text": "βΆοΈ *Streaming resumed.*",
"parse_mode": "Markdown"
}
return send_guide_message(chat_id, "Streaming is not paused.")
def abort_stream(chat_id):
global streaming_state
if streaming_state in ["streaming", "paused"]:
streaming_state = "stopped"
logging.info("Streaming aborted by user.")
return {
"method": "sendMessage",
"chat_id": chat_id,
"text": "βΉ *Streaming aborted.*",
"parse_mode": "Markdown"
}
return send_guide_message(chat_id, "No active streaming to abort.")
def stream_status(chat_id):
stats = (
f"*Stream Status:*\n\n"
f"β’ **State:** {streaming_state}\n"
f"β’ **Uptime:** {get_uptime()}\n"
f"β’ **Frames Encoded:** {frames_encoded}\n"
f"β’ **Bytes Sent:** {bytes_sent}\n"
)
return {
"method": "sendMessage",
"chat_id": chat_id,
"text": stats,
"parse_mode": "Markdown"
}
# -------------------------------------------------------------------
# FastAPI Webhook Endpoint for Telegram Updates
# -------------------------------------------------------------------
@app.post("/webhook")
async def telegram_webhook(request: Request):
update = await request.json()
logging.debug(f"Received update: {update}")
# Process messages from users
if "message" in update:
chat_id = update["message"]["chat"]["id"]
text = update["message"].get("text", "").strip()
if text.startswith("/setting"):
return handle_setting(chat_id)
elif text.startswith("/start"):
return handle_start(chat_id)
elif text.startswith("/help"):
return handle_help(chat_id)
elif text.startswith("/pause"):
return pause_stream(chat_id)
elif text.startswith("/resume"):
return resume_stream(chat_id)
elif text.startswith("/abort"):
return abort_stream(chat_id)
elif text.startswith("/status"):
return stream_status(chat_id)
else:
# Process conversation setup inputs
return handle_conversation(chat_id, text)
# Process inline keyboard callback queries
elif "callback_query" in update:
callback_data = update["callback_query"]["data"]
chat_id = update["callback_query"]["message"]["chat"]["id"]
message_id = update["callback_query"]["message"]["message_id"]
if callback_data == "pause":
response = pause_stream(chat_id)
elif callback_data == "resume":
response = resume_stream(chat_id)
elif callback_data == "abort":
response = abort_stream(chat_id)
elif callback_data == "status":
response = stream_status(chat_id)
elif callback_data == "start_stream":
response = start_streaming(chat_id)
else:
response = send_guide_message(chat_id, "β Unknown callback command.")
# Edit the original message with updated information
response["method"] = "editMessageText"
response["message_id"] = message_id
return response
return {"status": "ok"}
|