Spaces:
Sleeping
Sleeping
File size: 16,372 Bytes
8964916 | 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 | # app.py (THE REAL, FINAL, CLEAN, EASY-TO-READ FULL CODE)
import os
import asyncio
import secrets
import traceback
import uvicorn
import re
import logging
from contextlib import asynccontextmanager
from pyrogram import Client, filters, enums
from pyrogram.types import Message, InlineKeyboardMarkup, InlineKeyboardButton, ChatMemberUpdated
from pyrogram.errors import FloodWait, UserNotParticipant
from fastapi import FastAPI, Request, HTTPException
from fastapi.middleware.cors import CORSMiddleware
from fastapi.responses import JSONResponse, StreamingResponse
from pyrogram.file_id import FileId
from pyrogram import raw
from pyrogram.session import Session, Auth
from fastapi.responses import HTMLResponse
from fastapi.templating import Jinja2Templates
import math
# Project ki dusri files se important cheezein import karo
from config import Config
from database import db
# =====================================================================================
# --- SETUP: BOT, WEB SERVER, AUR LOGGING ---
# =====================================================================================
@asynccontextmanager
async def lifespan(app: FastAPI):
"""
Yeh function bot ko web server ke saath start aur stop karta hai.
"""
print("--- Lifespan: Server chalu ho raha hai... ---")
await db.connect()
try:
print("Starting main Pyrogram bot...")
await bot.start()
me = await bot.get_me()
Config.BOT_USERNAME = me.username
print(f"β
Main Bot [@{Config.BOT_USERNAME}] safaltapoorvak start ho gaya.")
# --- MULTI-CLIENT STARTUP ---
multi_clients[0] = bot
work_loads[0] = 0
await initialize_clients()
print(f"Verifying storage channel ({Config.STORAGE_CHANNEL})...")
await bot.get_chat(Config.STORAGE_CHANNEL)
print("β
Storage channel accessible hai.")
if Config.FORCE_SUB_CHANNEL:
try:
print(f"Verifying force sub channel ({Config.FORCE_SUB_CHANNEL})...")
await bot.get_chat(Config.FORCE_SUB_CHANNEL)
print("β
Force Sub channel accessible hai.")
except Exception as e:
print(f"!!! WARNING: Bot, Force Sub channel mein admin nahi hai. Error: {e}")
try:
await cleanup_channel(bot)
except Exception as e:
print(f"Warning: Channel cleanup fail ho gaya. Error: {e}")
print("--- Lifespan: Startup safaltapoorvak poora hua. ---")
except Exception as e:
print(f"!!! FATAL ERROR: Bot startup ke dauraan error aa gaya: {traceback.format_exc()}")
yield
print("--- Lifespan: Server band ho raha hai... ---")
if bot.is_initialized:
await bot.stop()
print("--- Lifespan: Shutdown poora hua. ---")
app = FastAPI(lifespan=lifespan)
templates = Jinja2Templates(directory="templates")
app.add_middleware(
CORSMiddleware,
allow_origins=["*"],
allow_credentials=True,
allow_methods=["*"],
allow_headers=["*"],
)
# --- LOG FILTER: YEH SIRF /dl/ WALE LOGS KO CHUPAYEGA ---
class HideDLFilter(logging.Filter):
def filter(self, record: logging.LogRecord) -> bool:
# Agar log message mein "GET /dl/" hai, toh usse mat dikhao
return "GET /dl/" not in record.getMessage()
# Uvicorn ke 'access' logger par filter lagao
logging.getLogger("uvicorn.access").addFilter(HideDLFilter())
# --- FIX KHATAM ---
bot = Client("SimpleStreamBot", api_id=Config.API_ID, api_hash=Config.API_HASH, bot_token=Config.BOT_TOKEN, in_memory=True)
multi_clients = {}; work_loads = {}; class_cache = {}
# =====================================================================================
# --- MULTI-CLIENT LOGIC ---
# =====================================================================================
class TokenParser:
""" Environment variables se MULTI_TOKENs ko parse karta hai. """
@staticmethod
def parse_from_env():
return {
c + 1: t
for c, (_, t) in enumerate(
filter(lambda n: n[0].startswith("MULTI_TOKEN"), sorted(os.environ.items()))
)
}
async def start_client(client_id, bot_token):
""" Ek naye client bot ko start karta hai. """
try:
print(f"Attempting to start Client: {client_id}")
client = await Client(
name=str(client_id),
api_id=Config.API_ID,
api_hash=Config.API_HASH,
bot_token=bot_token,
no_updates=True,
in_memory=True
).start()
work_loads[client_id] = 0
multi_clients[client_id] = client
print(f"β
Client {client_id} started successfully.")
except Exception as e:
print(f"!!! CRITICAL ERROR: Failed to start Client {client_id} - Error: {e}")
async def initialize_clients():
""" Saare additional clients ko initialize karta hai. """
all_tokens = TokenParser.parse_from_env()
if not all_tokens:
print("No additional clients found. Using default bot only.")
return
print(f"Found {len(all_tokens)} extra clients. Starting them...")
tasks = [start_client(i, token) for i, token in all_tokens.items()]
await asyncio.gather(*tasks)
if len(multi_clients) > 1:
print(f"β
Multi-Client Mode Enabled. Total Clients: {len(multi_clients)}")
# =====================================================================================
# --- HELPER FUNCTIONS ---
# =====================================================================================
def get_readable_file_size(size_in_bytes):
if not size_in_bytes:
return '0B'
power = 1024
n = 0
power_labels = {0: 'B', 1: 'KB', 2: 'MB', 3: 'GB'}
while size_in_bytes >= power and n < len(power_labels) - 1:
size_in_bytes /= power
n += 1
return f"{size_in_bytes:.2f} {power_labels[n]}"
def mask_filename(name: str):
if not name:
return "Protected File"
base, ext = os.path.splitext(name)
metadata_pattern = re.compile(
r'((19|20)\d{2}|4k|2160p|1080p|720p|480p|360p|HEVC|x265|BluRay|WEB-DL|HDRip)',
re.IGNORECASE
)
match = metadata_pattern.search(base)
if match:
title_part = base[:match.start()].strip(' .-_')
metadata_part = base[match.start():]
else:
title_part = base
metadata_part = ""
masked_title = ''.join(c if (i % 3 == 0 and c.isalnum()) else ('*' if c.isalnum() else c) for i, c in enumerate(title_part))
return f"{masked_title} {metadata_part}{ext}".strip()
# =====================================================================================
# --- PYROGRAM BOT HANDLERS ---
# =====================================================================================
@bot.on_message(filters.command("start") & filters.private)
async def start_command(client: Client, message: Message):
user_id = message.from_user.id
user_name = message.from_user.first_name
if len(message.command) > 1 and message.command[1].startswith("verify_"):
unique_id = message.command[1].split("_", 1)[1]
if Config.FORCE_SUB_CHANNEL:
try:
await client.get_chat_member(Config.FORCE_SUB_CHANNEL, user_id)
except UserNotParticipant:
channel_username = str(Config.FORCE_SUB_CHANNEL).replace('@', '')
channel_link = f"https://t.me/{channel_username}"
join_button = InlineKeyboardButton("π’ Join Channel", url=channel_link)
retry_button = InlineKeyboardButton("β
Joined", url=f"https://t.me/{Config.BOT_USERNAME}?start={message.command[1]}")
keyboard = InlineKeyboardMarkup([[join_button], [retry_button]])
await message.reply_text(
"**You Must Join Our Channel To Get The Link!**\n\n"
"__Join Channel & Click 'β
Joined'.__",
reply_markup=keyboard, quote=True
)
return
final_link = f"{Config.BASE_URL}/show/{unique_id}"
reply_text = f"__β
Verification Successful!\n\nCopy Link:__ `{final_link}`"
button = InlineKeyboardMarkup([[InlineKeyboardButton("Open Link", url=final_link)]])
await message.reply_text(reply_text, reply_markup=button, quote=True, disable_web_page_preview=True)
else:
reply_text = f"""
π **Hello, {user_name}!**
__Welcome To Sharing Box Bot. I Can Help You Create Permanent, Shareable Links For Your Files.__
**How To Use Me:**
__Just Send Or Forward Any File To Me And I will instantly give you a special link that you can share with anyone!__
"""
await message.reply_text(reply_text)
async def handle_file_upload(message: Message, user_id: int):
try:
sent_message = await message.copy(chat_id=Config.STORAGE_CHANNEL)
unique_id = secrets.token_urlsafe(8)
await db.save_link(unique_id, sent_message.id)
verify_link = f"https://t.me/{Config.BOT_USERNAME}?start=verify_{unique_id}"
button = InlineKeyboardMarkup([[InlineKeyboardButton("Get Link Now", url=verify_link)]])
await message.reply_text("__β
File Uploaded!__", reply_markup=button, quote=True)
except Exception as e:
print(f"!!! ERROR: {traceback.format_exc()}"); await message.reply_text("Sorry, something went wrong.")
@bot.on_message(filters.private & (filters.document | filters.video | filters.audio))
async def file_handler(_, message: Message):
await handle_file_upload(message, message.from_user.id)
@bot.on_chat_member_updated(filters.chat(Config.STORAGE_CHANNEL))
async def simple_gatekeeper(c: Client, m_update: ChatMemberUpdated):
try:
if(m_update.new_chat_member and m_update.new_chat_member.status==enums.ChatMemberStatus.MEMBER):
u=m_update.new_chat_member.user
if u.id==Config.OWNER_ID or u.is_self: return
print(f"Gatekeeper: Kicking {u.id}"); await c.ban_chat_member(Config.STORAGE_CHANNEL,u.id); await c.unban_chat_member(Config.STORAGE_CHANNEL,u.id)
except Exception as e: print(f"Gatekeeper Error: {e}")
async def cleanup_channel(c: Client):
print("Gatekeeper: Running cleanup..."); allowed={Config.OWNER_ID,c.me.id}
try:
async for m in c.get_chat_members(Config.STORAGE_CHANNEL):
if m.user.id in allowed: continue
if m.status in [enums.ChatMemberStatus.ADMINISTRATOR,enums.ChatMemberStatus.OWNER]: continue
try: print(f"Cleanup: Kicking {m.user.id}"); await c.ban_chat_member(Config.STORAGE_CHANNEL,m.user.id); await asyncio.sleep(1)
except FloodWait as e: await asyncio.sleep(e.value)
except Exception as e: print(f"Cleanup Error: {e}")
except Exception as e: print(f"Cleanup Error: {e}")
# =====================================================================================
# --- FASTAPI WEB SERVER ---
# =====================================================================================
@app.get("/")
async def health_check():
"""
This route provides a 200 OK response for uptime monitors.
"""
return {"status": "ok", "message": "Server is healthy and running!"}
@app.get("/show/{unique_id}", response_class=HTMLResponse)
async def show_page(request: Request, unique_id: str):
return templates.TemplateResponse(
"show.html",
{"request": request}
)
@app.get("/api/file/{unique_id}", response_class=JSONResponse)
async def get_file_details_api(request: Request, unique_id: str):
message_id = await db.get_link(unique_id)
if not message_id:
raise HTTPException(status_code=404, detail="Link expired or invalid.")
main_bot = multi_clients.get(0)
if not main_bot:
raise HTTPException(status_code=503, detail="Bot is not ready.")
try:
message = await main_bot.get_messages(Config.STORAGE_CHANNEL, message_id)
except Exception:
raise HTTPException(status_code=404, detail="File not found on Telegram.")
media = message.document or message.video or message.audio
if not media:
raise HTTPException(status_code=404, detail="Media not found in the message.")
file_name = media.file_name or "file"
safe_file_name = "".join(c for c in file_name if c.isalnum() or c in (' ', '.', '_', '-')).rstrip()
mime_type = media.mime_type or "application/octet-stream"
response_data = {
"file_name": mask_filename(file_name),
"file_size": get_readable_file_size(media.file_size),
"is_media": mime_type.startswith(("video", "audio")),
"direct_dl_link": f"{Config.BASE_URL}/dl/{message_id}/{safe_file_name}",
"mx_player_link": f"intent:{Config.BASE_URL}/dl/{message_id}/{safe_file_name}#Intent;action=android.intent.action.VIEW;type={mime_type};end",
"vlc_player_link": f"intent:{Config.BASE_URL}/dl/{message_id}/{safe_file_name}#Intent;action=android.intent.action.VIEW;type={mime_type};package=org.videolan.vlc;end"
}
return response_data
class ByteStreamer:
def __init__(self,c:Client):self.client=c
@staticmethod
async def get_location(f:FileId): return raw.types.InputDocumentFileLocation(id=f.media_id,access_hash=f.access_hash,file_reference=f.file_reference,thumb_size=f.thumbnail_size)
async def yield_file(self,f:FileId,i:int,o:int,fc:int,lc:int,pc:int,cs:int):
c=self.client;work_loads[i]+=1;ms=c.media_sessions.get(f.dc_id)
if ms is None:
if f.dc_id!=await c.storage.dc_id():
ak=await Auth(c,f.dc_id,await c.storage.test_mode()).create();ms=Session(c,f.dc_id,ak,await c.storage.test_mode(),is_media=True);await ms.start();ea=await c.invoke(raw.functions.auth.ExportAuthorization(dc_id=f.dc_id));await ms.invoke(raw.functions.auth.ImportAuthorization(id=ea.id,bytes=ea.bytes))
else:ms=c.session
c.media_sessions[f.dc_id]=ms
loc=await self.get_location(f);cp=1
try:
while cp<=pc:
r=await ms.invoke(raw.functions.upload.GetFile(location=loc,offset=o,limit=cs),retries=0)
if isinstance(r,raw.types.upload.File):
chk=r.bytes
if not chk:break
if pc==1:yield chk[fc:lc]
elif cp==1:yield chk[fc:]
elif cp==pc:yield chk[:lc]
else:yield chk
cp+=1;o+=cs
else:break
finally:work_loads[i]-=1
@app.get("/dl/{mid}/{fname}")
async def stream_media(r:Request,mid:int,fname:str):
if not work_loads: raise HTTPException(503)
client_id = min(work_loads, key=work_loads.get)
c = multi_clients.get(client_id)
if not c: raise HTTPException(503)
tc=class_cache.get(c) or ByteStreamer(c);class_cache[c]=tc
try:
msg=await c.get_messages(Config.STORAGE_CHANNEL,mid);m=msg.document or msg.video or msg.audio
if not m or msg.empty:raise FileNotFoundError
fid=FileId.decode(m.file_id);fsize=m.file_size;rh=r.headers.get("Range","");fb,ub=0,fsize-1
if rh:
rps=rh.replace("bytes=","").split("-");fb=int(rps[0])
if len(rps)>1 and rps[1]:ub=int(rps[1])
if(ub>=fsize)or(fb<0):raise HTTPException(416)
rl=ub-fb+1;cs=1024*1024;off=(fb//cs)*cs;fc=fb-off;lc=(ub%cs)+1;pc=math.ceil(rl/cs)
body=tc.yield_file(fid,client_id,off,fc,lc,pc,cs);sc=206 if rh else 200
hdrs={"Content-Type":m.mime_type or "application/octet-stream","Accept-Ranges":"bytes","Content-Disposition":f'inline; filename="{m.file_name}"',"Content-Length":str(rl)}
if rh:hdrs["Content-Range"]=f"bytes {fb}-{ub}/{fsize}"
return StreamingResponse(body,status_code=sc,headers=hdrs)
except FileNotFoundError:raise HTTPException(404)
except Exception:print(traceback.format_exc());raise HTTPException(500)
# =====================================================================================
# --- MAIN EXECUTION BLOCK ---
# =====================================================================================
if __name__ == "__main__":
port = int(os.environ.get("PORT", 8000))
# Log level ko "info" rakho taaki hamara filter kaam kar sake
uvicorn.run("app:app", host="0.0.0.0", port=port, log_level="info")
|