File size: 18,488 Bytes
db78256 |
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 |
from asyncio import (
CancelledError,
create_task,
gather,
sleep,
wait_for,
TimeoutError as AsyncTimeoutError,
Event,
)
from datetime import datetime
from math import ceil, floor
from mimetypes import guess_extension
from os import path as ospath
from pathlib import Path
from re import sub
from sys import argv
from time import time
from aiofiles import open as aiopen
from aiofiles.os import makedirs, remove
from aioshutil import move
from pyrogram import StopTransmission, raw, utils
from pyrogram.errors import AuthBytesInvalid, FloodWait
from pyrogram.file_id import PHOTO_TYPES, FileId, FileType, ThumbnailSource
from pyrogram.session import Auth, Session
from pyrogram.session.internals import MsgId
from ... import LOGGER
from ...core.config_manager import Config
from ...core.tg_client import TgClient
class HyperTGDownload:
def __init__(self):
self.clients = TgClient.helper_bots
self.work_loads = TgClient.helper_loads
self.message = None
self.dump_chat = None
self.download_dir = "downloads/"
self.directory = None
self.num_parts = Config.HYPER_THREADS or max(8, len(self.clients))
self.cache_file_ref = {}
self.cache_last_access = {}
self.cache_max_size = 100
self._processed_bytes = 0
self.file_size = 0
self.chunk_size = 1024 * 1024
self.file_name = ""
self._cancel_event = Event()
self.session_pool = {}
create_task(self._clean_cache())
@staticmethod
async def get_media_type(message):
media_types = (
"audio",
"document",
"photo",
"sticker",
"animation",
"video",
"voice",
"video_note",
"new_chat_photo",
)
for attr in media_types:
if media := getattr(message, attr, None):
return media
raise ValueError("This message doesn't contain any downloadable media")
def _update_cache(self, index, file_ref):
self.cache_file_ref[index] = file_ref
self.cache_last_access[index] = time()
if len(self.cache_file_ref) > self.cache_max_size:
oldest = sorted(self.cache_last_access.items(), key=lambda x: x[1])[0][0]
del self.cache_file_ref[oldest]
del self.cache_last_access[oldest]
async def get_specific_file_ref(self, mid, client, max_retries=3):
retries = 0
last_error = None
while retries < max_retries:
try:
media = await client.get_messages(self.dump_chat, mid)
return FileId.decode(
getattr(await self.get_media_type(media), "file_id", "")
)
except Exception as e:
last_error = e
retries += 1
await sleep(1 * retries)
LOGGER.error(
f"Failed to get message {mid} from {self.dump_chat} with Client {client.me.username}"
)
raise ValueError(
f"Bot needs Admin access in Chat or message may be deleted. Error: {last_error}"
)
async def get_file_id(self, client, index) -> FileId:
if index not in self.cache_file_ref:
file_ref = await self.get_specific_file_ref(self.message.id, client)
self._update_cache(index, file_ref)
else:
self.cache_last_access[index] = time()
return self.cache_file_ref[index]
async def _clean_cache(self):
while True:
await sleep(15 * 60)
current_time = time()
expired_keys = [
k
for k, v in self.cache_last_access.items()
if current_time - v > 45 * 60
]
for key in expired_keys:
if key in self.cache_file_ref:
del self.cache_file_ref[key]
if key in self.cache_last_access:
del self.cache_last_access[key]
async def generate_media_session(self, client, file_id, index, max_retries=3):
session_key = (index, file_id.dc_id)
if session_key in self.session_pool:
return self.session_pool[session_key]
retries = 0
while retries < max_retries:
try:
if file_id.dc_id != await client.storage.dc_id():
media_session = Session(
client,
file_id.dc_id,
await Auth(
client, file_id.dc_id, await client.storage.test_mode()
).create(),
await client.storage.test_mode(),
is_media=True,
)
await media_session.start()
for _ in range(6):
exported_auth = await client.invoke(
raw.functions.auth.ExportAuthorization(dc_id=file_id.dc_id)
)
try:
await media_session.invoke(
raw.functions.auth.ImportAuthorization(
id=exported_auth.id, bytes=exported_auth.bytes
)
)
break
except AuthBytesInvalid:
await sleep(1)
else:
await media_session.stop()
raise AuthBytesInvalid
else:
media_session = Session(
client,
file_id.dc_id,
await client.storage.auth_key(),
await client.storage.test_mode(),
is_media=True,
)
await media_session.start()
self.session_pool[session_key] = media_session
return media_session
except Exception:
retries += 1
await sleep(1)
raise ValueError(f"Failed to create media session after {max_retries} attempts")
@staticmethod
async def get_location(file_id: FileId):
file_type = file_id.file_type
if file_type == FileType.CHAT_PHOTO:
if file_id.chat_id > 0:
peer = raw.types.InputPeerUser(
user_id=file_id.chat_id, access_hash=file_id.chat_access_hash
)
else:
peer = (
raw.types.InputPeerChat(chat_id=-file_id.chat_id)
if file_id.chat_access_hash == 0
else raw.types.InputPeerChannel(
channel_id=utils.get_channel_id(file_id.chat_id),
access_hash=file_id.chat_access_hash,
)
)
return raw.types.InputPeerPhotoFileLocation(
peer=peer,
volume_id=file_id.volume_id,
local_id=file_id.local_id,
big=file_id.thumbnail_source == ThumbnailSource.CHAT_PHOTO_BIG,
)
elif file_type == FileType.PHOTO:
return raw.types.InputPhotoFileLocation(
id=file_id.media_id,
access_hash=file_id.access_hash,
file_reference=file_id.file_reference,
thumb_size=file_id.thumbnail_size,
)
else:
return raw.types.InputDocumentFileLocation(
id=file_id.media_id,
access_hash=file_id.access_hash,
file_reference=file_id.file_reference,
thumb_size=file_id.thumbnail_size,
)
async def get_file(
self,
offset_bytes: int,
first_part_cut: int,
last_part_cut: int,
part_count: int,
max_retries=5,
):
index = min(self.work_loads, key=self.work_loads.get)
client = self.clients[index]
self.work_loads[index] += 1
current_retry = 0
try:
while current_retry < max_retries:
try:
if self._cancel_event.is_set():
raise CancelledError("Download cancelled")
file_id = await self.get_file_id(client, index)
media_session, location = await gather(
self.generate_media_session(client, file_id, index),
self.get_location(file_id),
)
current_part = 1
current_offset = offset_bytes
while current_part <= part_count:
if self._cancel_event.is_set():
raise CancelledError("Download cancelled")
try:
r = await wait_for(
media_session.invoke(
raw.functions.upload.GetFile(
location=location,
offset=current_offset,
limit=self.chunk_size,
),
),
timeout=30,
)
if isinstance(r, raw.types.upload.File):
chunk = r.bytes
if not chunk:
break
if part_count == 1:
yield chunk[first_part_cut:last_part_cut]
elif current_part == 1:
yield chunk[first_part_cut:]
elif current_part == part_count:
yield chunk[:last_part_cut]
else:
yield chunk
current_part += 1
current_offset += self.chunk_size
self._processed_bytes += len(chunk)
else:
raise ValueError(f"Unexpected response: {r}")
except (FloodWait, AsyncTimeoutError, ConnectionError) as e:
if isinstance(e, FloodWait):
await sleep(e.value + 1)
else:
await sleep(1)
continue
if current_part <= part_count:
raise ValueError(
f"Incomplete download: got {current_part-1} of {part_count} parts"
)
break
except (AsyncTimeoutError, ConnectionError, AttributeError):
current_retry += 1
if current_retry >= max_retries:
raise
await sleep(current_retry * 2)
finally:
self.work_loads[index] -= 1
async def progress_callback(self, progress, progress_args):
if not progress:
return
while not self._cancel_event.is_set():
try:
if callable(progress):
await progress(
self._processed_bytes, self.file_size, *progress_args
)
await sleep(1)
except (CancelledError, StopTransmission):
break
except Exception:
await sleep(1)
async def single_part(self, start, end, part_index, max_retries=3):
until_bytes, from_bytes = min(end, self.file_size - 1), start
offset = from_bytes - (from_bytes % self.chunk_size)
first_part_cut = from_bytes - offset
last_part_cut = until_bytes % self.chunk_size + 1
part_count = ceil(until_bytes / self.chunk_size) - floor(
offset / self.chunk_size
)
part_file_path = ospath.join(
self.directory, f"{self.file_name}.temp.{part_index:02d}"
)
for attempt in range(max_retries):
try:
async with aiopen(part_file_path, "wb") as f:
async for chunk in self.get_file(
offset, first_part_cut, last_part_cut, part_count
):
if self._cancel_event.is_set():
raise CancelledError("Download cancelled")
await f.write(chunk)
return part_index, part_file_path
except (AsyncTimeoutError, ConnectionError):
if attempt == max_retries - 1:
raise
await sleep((attempt + 1) * 2)
self._processed_bytes = 0
async def handle_download(self, progress, progress_args):
self._cancel_event.clear()
await makedirs(self.directory, exist_ok=True)
temp_file_path = (
ospath.abspath(
sub("\\\\", "/", ospath.join(self.directory, self.file_name))
)
+ ".temp"
)
num_parts = min(self.num_parts, max(1, self.file_size // (10 * 1024 * 1024)))
if self.file_size < 10 * 1024 * 1024:
num_parts = 1
part_size = self.file_size // num_parts if num_parts > 0 else self.file_size
ranges = [
(i * part_size, min((i + 1) * part_size - 1, self.file_size - 1))
for i in range(num_parts)
]
tasks = []
prog_task = None
try:
for i, (start, end) in enumerate(ranges):
tasks.append(create_task(self.single_part(start, end, i)))
if progress:
prog_task = create_task(self.progress_callback(progress, progress_args))
results = await gather(*tasks)
async with aiopen(temp_file_path, "wb") as temp_file:
for _, part_file_path in sorted(results, key=lambda x: x[0]):
try:
async with aiopen(part_file_path, "rb") as part_file:
while True:
chunk = await part_file.read(8 * 1024 * 1024)
if not chunk:
break
await temp_file.write(chunk)
await remove(part_file_path)
except Exception as e:
LOGGER.error(
f"Error processing part file {part_file_path}: {e}"
)
raise
if prog_task and not prog_task.done():
prog_task.cancel()
file_path = ospath.splitext(temp_file_path)[0]
await move(temp_file_path, file_path)
return file_path
except FloodWait as fw:
raise fw
except (CancelledError, StopTransmission):
return None
except Exception as e:
LOGGER.error(f"HyperDL Error: {e}")
return None
finally:
self._cancel_event.set()
if prog_task and not prog_task.done():
prog_task.cancel()
for task in tasks:
if not task.done():
task.cancel()
for i in range(len(ranges)):
part_path = ospath.join(
self.directory, f"{self.file_name}.temp.{i:02d}"
)
try:
if ospath.exists(part_path):
await remove(part_path)
except Exception:
pass
@staticmethod
async def get_extension(file_type, mime_type):
if file_type in PHOTO_TYPES:
return ".jpg"
if mime_type:
extension = guess_extension(mime_type)
if extension:
return extension
if file_type == FileType.VOICE:
return ".ogg"
elif file_type in (FileType.VIDEO, FileType.ANIMATION, FileType.VIDEO_NOTE):
return ".mp4"
elif file_type == FileType.DOCUMENT:
return ".bin"
elif file_type == FileType.STICKER:
return ".webp"
elif file_type == FileType.AUDIO:
return ".mp3"
else:
return ".bin"
async def download_media(
self,
message,
file_name="downloads/",
progress=None,
progress_args=(),
dump_chat=None,
):
try:
if dump_chat:
self.message = await TgClient.bot.copy_message(
chat_id=dump_chat,
from_chat_id=message.chat.id,
message_id=message.id,
disable_notification=True,
)
self.dump_chat = dump_chat or message.chat.id
self.message = self.message or message
media = await self.get_media_type(self.message)
file_id_str = media if isinstance(media, str) else media.file_id
file_id_obj = FileId.decode(file_id_str)
file_type = file_id_obj.file_type
media_file_name = getattr(media, "file_name", "")
self.file_size = getattr(media, "file_size", 0)
mime_type = getattr(media, "mime_type", "image/jpeg")
date = getattr(media, "date", None)
self.directory, self.file_name = ospath.split(file_name)
self.file_name = self.file_name or media_file_name or ""
if not ospath.isabs(self.file_name):
self.directory = Path(argv[0]).parent / (
self.directory or self.download_dir
)
if not self.file_name:
extension = await self.get_extension(file_type, mime_type)
self.file_name = f"{FileType(file_id_obj.file_type).name.lower()}_{(date or datetime.now()).strftime('%Y-%m-%d_%H-%M-%S')}_{MsgId()}{extension}"
return await self.handle_download(progress, progress_args)
except Exception as e:
LOGGER.error(f"Download media error: {e}")
raise
|