-
Notifications
You must be signed in to change notification settings - Fork 4
/
gcpd.py
209 lines (178 loc) · 10.4 KB
/
gcpd.py
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
import os
import re
import sys
import tempfile
import aiohttp
import asyncio
from tqdm import tqdm
import subprocess
import argparse
import time
MAX_PARALLEL_DOWNLOADS = 4 # Максимальное кол-во параллельных загрузок сегментов
async def download_file(session, url, destination, progress_bar):
async with session.get(url) as response:
response.raise_for_status()
total_size = int(response.headers.get('content-length', 0))
with open(destination, 'wb') as file:
downloaded = 0
async for chunk in response.content.iter_chunked(64*1024):
file.write(chunk)
downloaded += len(chunk)
progress_bar.update(len(chunk))
async def download_segment(session, ts_url, tmpdir, idx, overall_progress, semaphore, count_segments=False):
async with semaphore:
ts_file = os.path.join(tmpdir, f'{idx:05}.ts')
retry_count = 3
for _ in range(retry_count):
try:
async with session.get(ts_url) as response:
response.raise_for_status()
total_size = int(response.headers.get('content-length', 0))
with tqdm(total=total_size, desc=f"Сегмент {idx+1}", unit="B", unit_scale=True, leave=False) as pbar:
with open(ts_file, 'wb') as file:
async for chunk in response.content.iter_chunked(64*1024):
file.write(chunk)
pbar.update(len(chunk))
if not count_segments:
overall_progress.update(len(chunk))
if count_segments:
overall_progress.update(1)
return ts_file
except aiohttp.ClientError:
if _ == retry_count - 1:
raise
await asyncio.sleep(1)
async def get_total_size(session, urls):
total_size = 0
async with session.head(urls[0]) as response:
size = int(response.headers.get('content-length', 0))
if size == 0:
return None
for url in tqdm(urls, desc="Получение размеров файлов", unit="file"):
async with session.head(url) as response:
total_size += int(response.headers.get('content-length', 0))
return total_size
def convert_to_mp4(result_file, max_retries=3):
mp4_file = result_file + '.mp4'
retry_count = 0
while retry_count < max_retries:
print(f"Попытка конвертации в MP4 ({retry_count + 1}/{max_retries})...")
try:
process = subprocess.Popen(
['ffmpeg', '-i', result_file, '-c', 'copy', mp4_file],
stdout=subprocess.PIPE,
stderr=subprocess.PIPE,
universal_newlines=False
)
while True:
output = process.stderr.readline()
if output == b'' and process.poll() is not None:
break
if output:
try:
line = output.decode('utf-8').strip()
except UnicodeDecodeError:
line = output.decode('utf-8', errors='replace').strip()
if "Duration" in line or "time=" in line:
print(line)
if process.returncode == 0:
print(f"Конвертация завершена. Результат здесь:\n{mp4_file}")
os.remove(result_file)
print(f"Файл {result_file} удалён.")
return True
else:
error_output = process.stderr.read()
try:
error_output = error_output.decode('utf-8')
except UnicodeDecodeError:
error_output = error_output.decode('utf-8', errors='replace')
print(f"Ошибка при конвертации файла: {error_output}")
if os.path.exists(mp4_file):
os.remove(mp4_file)
print(f"Неполный файл {mp4_file} удалён.")
retry_count += 1
if retry_count < max_retries:
print(f"Повторная попытка через 5 секунд...")
time.sleep(5)
else:
print("Достигнуто максимальное количество попыток. Конвертация не удалась.")
return False
except Exception as e:
print(f"Произошла ошибка: {str(e)}")
if os.path.exists(mp4_file):
os.remove(mp4_file)
print(f"Неполный файл {mp4_file} удалён.")
retry_count += 1
if retry_count < max_retries:
print(f"Повторная попытка через 5 секунд...")
time.sleep(5)
else:
print("Достигнуто максимальное количество попыток. Конвертация не удалась.")
return False
return False
async def main(url, result_file, no_pre_download):
async with aiohttp.ClientSession() as session:
with tempfile.TemporaryDirectory() as tmpdir:
main_playlist = os.path.join(tmpdir, 'main_playlist.m3u8')
print("Загрузка основного плейлиста...")
with tqdm(total=None, desc="Основной плейлист", unit="B", unit_scale=True) as pbar:
await download_file(session, url, main_playlist, pbar)
with open(main_playlist, 'r', encoding='utf-8') as f:
main_playlist_content = f.read()
ts_or_bin_pattern = re.compile(r'^https?://.*\.(ts|bin)', re.MULTILINE)
second_playlist = os.path.join(tmpdir, 'second_playlist.m3u8')
if ts_or_bin_pattern.search(main_playlist_content):
with open(second_playlist, 'w', encoding='utf-8') as f:
f.write(main_playlist_content)
else:
tail = main_playlist_content.strip().split('\n')[-1]
if not re.match(r'^https?://', tail):
print("В содержимом заданной ссылки нет прямых ссылок на файлы *.bin (*.ts) (первый вариант),")
print("также последняя строка в ней не содержит ссылки на другой плей-лист (второй вариант).")
print("Либо указана неправильная ссылка, либо GetCourse изменил алгоритмы.")
print("Если уверены, что дело в изменившихся алгоритмах GetCourse, опишите проблему здесь:")
print("https://github.com/mikhailnov/getcourse-video-downloader/issues (на русском).")
print("Если уверены, что это ошибка скрипта, то опишите проблему здесь:")
print("https://github.com/snhplayer/GetCoursePythonDownloader/issues")
return
print("Загрузка вторичного плейлиста...")
with tqdm(total=None, desc="Вторичный плейлист", unit="B", unit_scale=True) as pbar:
await download_file(session, tail, second_playlist, pbar)
with open(second_playlist, 'r', encoding='utf-8') as f:
lines = f.readlines()
ts_urls = [line.strip() for line in lines if re.match(r'^https?://', line.strip())]
print(f"Число сегментов для загрузки: {len(ts_urls)}")
total_size = None
if not no_pre_download:
total_size = await get_total_size(session, ts_urls)
semaphore = asyncio.Semaphore(MAX_PARALLEL_DOWNLOADS)
if no_pre_download:
overall_pbar = tqdm(total=len(ts_urls), desc="Общий прогресс", unit="сегмент")
else:
overall_pbar = tqdm(total=total_size, desc="Общий прогресс", unit="B", unit_scale=True)
tasks = [download_segment(session, ts_url, tmpdir, idx, overall_pbar, semaphore, count_segments=no_pre_download)
for idx, ts_url in enumerate(ts_urls)]
ts_files = []
for task in asyncio.as_completed(tasks):
ts_file = await task
ts_files.append(ts_file)
overall_pbar.close()
print("Объединение сегментов...")
with open(result_file, 'wb') as result:
for ts_file in tqdm(sorted(ts_files), desc="Объединение", unit="file"):
with open(ts_file, 'rb') as ts:
result.write(ts.read())
print(f"Скачивание завершено. Результат здесь:\n{result_file}")
if convert_to_mp4(result_file):
print("Конвертация успешно завершена.")
else:
print("Не удалось выполнить конвертацию после нескольких попыток.")
if __name__ == '__main__':
parser = argparse.ArgumentParser(description='Download and process video segments.')
parser.add_argument('--pd', action='store_false', dest='no_pre_download',
help='Включить предварительную загрузку размеров (по умолчанию отключено)')
args = parser.parse_args()
while True:
url = input("Введите ссылку на плей-лист: ")
result_file = input("Введите имя выходного файла: ")
asyncio.run(main(url, result_file, args.no_pre_download))