Spaces:
Sleeping
Sleeping
File size: 11,250 Bytes
353a253 a13a754 353a253 a13a754 353a253 a13a754 353a253 a13a754 353a253 a13a754 353a253 a13a754 353a253 a13a754 353a253 a13a754 353a253 a13a754 353a253 a13a754 353a253 a13a754 353a253 a13a754 353a253 a13a754 353a253 a13a754 353a253 a13a754 353a253 a13a754 353a253 a13a754 353a253 a13a754 353a253 a13a754 353a253 a13a754 353a253 | 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 | """
tg.py β Pure-HTTP Telegram Bot API client. No tgstorage-cluster, no
python-telegram-bot. Just httpx + the official Bot API.
Bot pool:
β’ Reads tokens.txt (one token per line) at startup via init_bot_pool().
β’ Verifies each token with getMe(). Skips bad/dead tokens.
β’ Round-robins uploads across all healthy bots to spread rate-limit load.
Upload flow:
sendDocument β returns message_id + file_id β stored in Supabase.
Download flow (two-stage):
1. getFile(file_id) β get a temporary download path from Telegram.
2. GET https://api.telegram.org/file/bot{token}/{file_path} β raw bytes.
File paths expire after ~1 h, so we always call getFile fresh.
"""
import os
import io
import itertools
import logging
from pathlib import Path
from typing import Tuple
import httpx
logger = logging.getLogger(__name__)
# ββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββ
# Constants
# ββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββ
TG_API = "https://api.telegram.org/bot{token}/{method}"
TG_FILE = "https://api.telegram.org/file/bot{token}/{file_path}"
# Telegram hard limit for getFile downloads via Bot API is 20 MB.
TG_MAX_DOWNLOAD_BYTES = 20 * 1024 * 1024 # 20 MB
TIMEOUT = httpx.Timeout(connect=10.0, read=120.0, write=120.0, pool=10.0)
# ββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββ
# Shared sync HTTP client (one per process)
# ββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββ
_http: httpx.Client | None = None
def _client() -> httpx.Client:
global _http
if _http is None or _http.is_closed:
_http = httpx.Client(timeout=TIMEOUT, follow_redirects=True)
return _http
def close_http():
"""Call on app shutdown to cleanly drain the connection pool."""
global _http
if _http and not _http.is_closed:
_http.close()
_http = None
# ββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββ
# Bot pool
# ββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββ
_pool: list[dict] = [] # [{"token": str, "username": str, "id": int}, β¦]
_cycle: itertools.cycle | None = None
def _tokens_path() -> Path:
"""Look for tokens.txt next to this file, then in cwd."""
for candidate in [Path(__file__).parent / "tokens.txt",
Path(os.getcwd()) / "tokens.txt"]:
if candidate.exists():
return candidate
raise FileNotFoundError(
"tokens.txt not found. Create it with one bot token per line.\n"
"Example: 123456789:AAExampleTokenHere"
)
def _verify_token(token: str) -> dict | None:
"""Call getMe to validate a token. Returns bot info dict or None."""
url = TG_API.format(token=token, method="getMe")
try:
r = _client().get(url)
data = r.json()
if data.get("ok"):
bot = data["result"]
return {"token": token, "username": bot["username"], "id": bot["id"]}
logger.warning(f"β Token rejected by Telegram ({token[:20]}β¦): {data.get('description')}")
except Exception as e:
logger.warning(f"β Could not reach Telegram for token {token[:20]}β¦: {e}")
return None
def init_bot_pool():
"""
Read tokens.txt, verify each token with getMe(), build the round-robin pool.
Raises RuntimeError if no healthy bots are found.
"""
global _pool, _cycle
path = _tokens_path()
raw_tokens = [
line.strip()
for line in path.read_text(encoding="utf-8").splitlines()
if line.strip() and not line.startswith("#")
]
if not raw_tokens:
raise RuntimeError(f"tokens.txt at {path} is empty β add at least one bot token.")
healthy = []
for token in raw_tokens:
info = _verify_token(token)
if info:
logger.info(f"β Bot ready: @{info['username']} (id={info['id']})")
healthy.append(info)
if not healthy:
raise RuntimeError(
"No healthy bots found.\n"
"β’ Check tokens.txt β each line must be a valid BotFather token.\n"
"β’ The bot must be added as an Administrator to your CHANNEL_ID."
)
_pool = healthy
_cycle = itertools.cycle(_pool)
logger.info(f"Bot pool ready β {len(_pool)} bot(s) active.")
def _next_bot() -> dict:
if not _pool:
raise RuntimeError(
"Bot pool is empty. Make sure init_bot_pool() ran at startup "
"and tokens.txt contains at least one valid token."
)
return next(_cycle) # type: ignore[arg-type]
def _get_channel_id() -> int:
raw = os.getenv("CHANNEL_ID", "0").strip()
if not raw or raw == "0":
raise RuntimeError(
"CHANNEL_ID is not set.\n"
"Add to .env: CHANNEL_ID=-1001234567890\n"
"Tip: forward any message from the channel to @JsonDumpBot to get the ID."
)
try:
return int(raw)
except ValueError:
raise RuntimeError(f"CHANNEL_ID must be an integer, got: {raw!r}")
# ββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββ
# Low-level API helpers
# ββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββ
def _api(token: str, method: str, **kwargs) -> dict:
"""
POST to a Bot API method with JSON body.
Raises RuntimeError on non-ok responses.
"""
url = TG_API.format(token=token, method=method)
r = _client().post(url, **kwargs)
data = r.json()
if not data.get("ok"):
raise RuntimeError(
f"Telegram API error on {method}: "
f"[{data.get('error_code')}] {data.get('description')}"
)
return data["result"]
# ββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββ
# Upload
# ββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββ
def upload_to_telegram(
content: bytes,
filename: str,
mime_type: str,
) -> Tuple[int, str]:
"""
Upload raw bytes to the Telegram channel as a document.
Returns: (message_id, tg_file_id)
"""
channel_id = _get_channel_id()
bot = _next_bot()
files = {"document": (filename, io.BytesIO(content), mime_type)}
payload = {
"chat_id": channel_id,
"caption": f"π {filename} β’ {mime_type} β’ {len(content):,} B",
}
try:
msg = _api(
bot["token"], "sendDocument",
data=payload,
files=files,
)
except RuntimeError as e:
raise RuntimeError(
f"{e}\n"
f"Bot: @{bot['username']} | Channel: {channel_id}\n"
f"Make sure the bot is an Administrator in the channel."
)
doc = msg["document"]
file_id = doc["file_id"]
message_id = msg["message_id"]
logger.info(f"Uploaded {filename!r} β msg_id={message_id} file_id={file_id[:24]}β¦")
return message_id, file_id
# ββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββ
# Download
# ββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββ
def download_from_telegram(
tg_message_id: int,
tg_file_id: str | None,
) -> bytes:
"""
Download and return the raw bytes of a stored file.
Strategy:
1. Call getFile(file_id) to resolve the temporary download path.
2. GET the file bytes from the CDN path.
3. If step 1 fails (file_id stale), fall back to forwarding the
original message and re-extracting the document's file_id.
"""
channel_id = _get_channel_id()
bot = _next_bot()
# ββ Stage 1: resolve download path ββββββββββββββββββββββββββββββ
file_path: str | None = None
if tg_file_id:
try:
result = _api(bot["token"], "getFile", json={"file_id": tg_file_id})
file_path = result.get("file_path")
except RuntimeError as e:
logger.warning(f"getFile failed for file_id {tg_file_id[:24]}β¦, trying message fallback. ({e})")
# ββ Stage 2: message fallback if file_id is stale βββββββββββββββ
if not file_path:
try:
fwd = _api(bot["token"], "forwardMessage", json={
"chat_id": channel_id,
"from_chat_id": channel_id,
"message_id": tg_message_id,
})
except RuntimeError as e:
raise RuntimeError(
f"Could not retrieve message {tg_message_id} from channel {channel_id}.\n"
f"Ensure the bot can read the channel. Detail: {e}"
)
doc = fwd.get("document")
if not doc:
raise ValueError(f"Message {tg_message_id} contains no document.")
result = _api(bot["token"], "getFile", json={"file_id": doc["file_id"]})
file_path = result.get("file_path")
if not file_path:
raise RuntimeError("Telegram did not return a file_path β file may be too large for Bot API (>20 MB).")
# ββ Stage 3: download bytes ββββββββββββββββββββββββββββββββββββββ
url = TG_FILE.format(token=bot["token"], file_path=file_path)
r = _client().get(url)
if r.status_code != 200:
raise RuntimeError(f"File download failed: HTTP {r.status_code} from Telegram CDN.")
logger.info(f"Downloaded {len(r.content):,} bytes for msg_id={tg_message_id}")
return r.content |