-
Notifications
You must be signed in to change notification settings - Fork 1
/
utils.py
360 lines (287 loc) · 11 KB
/
utils.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
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
import json
import os
import subprocess
from urllib.parse import urlparse
import pathvalidate
import requests
from pytube import YouTube
import platform
def is_windows():
return platform.system() == 'Windows'
def clean_filename(name):
return pathvalidate.sanitize_filename(name)
def download_youtube_video(url):
yt = YouTube(url)
stream = yt.streams.filter(res="720p", file_extension="mp4").first()
if stream:
filename = clean_filename(yt.title) + ".mp4"
stream.download(filename=filename)
return True
else:
print(f"720p video not available for {url}", flush=True)
return False
def wrap_file_name(filename):
return '"' + filename + '"'
def make_black_video_file(input_file, output_file, media_length):
if is_windows():
ff_path = os.path.join(".", "bin", "ffmpeg")
else:
ff_path = "ffmpeg"
command = [
ff_path,
"-v",
"quiet", # No details shown
"-y", # Overwrite output files without asking
"-f",
"lavfi", # Use lavfi to generate a video stream
"-i",
# Create a black video of 10 seconds, change the duration as needed
f"color=c=black:s=640x360:d={media_length}",
"-i",
input_file, # Input MP3 file
"-crf",
# Lower quality for smaller file size (range 0-51, where 0 is lossless)
"28",
"-c:v",
"libx264", # Use the H.264 codec for video
"-c:a",
"copy", # Use the AAC codec for audio
"-shortest", # Ensure the video is the same length as the audio
output_file,
]
try:
# Run the command using subprocess
subprocess.run(command, check=True)
return True
except subprocess.CalledProcessError as e:
return False
def create_videos_for_all_mp3s(folder_path):
"""
Create black video files for all MP3 files in a folder.
Parameters:
folder_path (str): Path to the folder containing MP3 files.
"""
# Ensure the folder path is valid
if not os.path.exists(folder_path) or not os.path.isdir(folder_path):
print("The specified folder path does not exist or is not a directory.")
return
# Iterate over all files in the folder
for filename in os.listdir(folder_path):
if filename.lower().endswith(".mp3"):
mp3_file_path = os.path.join(folder_path, filename)
output_video_path = os.path.join(
folder_path, f"{os.path.splitext(filename)[0]}.mp4"
)
json_meta = get_media_metadata(mp3_file_path)
media_length = determine_media_length(json_meta)
print(f"Processing {mp3_file_path}...")
make_black_video_file(
mp3_file_path, output_video_path, media_length)
print(f"Created video: {output_video_path}")
def convert_media(input_file, output_file):
# Get the path to the ffmpeg executable in the ./bin folder
if is_windows():
ff_path = os.path.join(".", "bin", "ffmpeg")
else:
ff_path = "ffmpeg"
# Construct the command to convert the media file
command = [
ff_path,
"-v",
"quiet",
"-y",
"-i",
input_file,
output_file,
]
try:
# Run the command using subprocess
subprocess.run(command, check=True)
return True
except subprocess.CalledProcessError as e:
return False
def get_video_dimensions(json_meta):
"""
Get the width and height of a video file from its metadata.
Args:
json_meta (dict): JSON metadata of the media file.
Returns:
tuple: A tuple containing:
- width (int): Width of the video.
- height (int): Height of the video.
Returns (None, None) if no video stream is found.
"""
streams = json_meta.get("streams", [])
for stream in streams:
if stream["codec_type"] == "video":
width = stream.get("width")
height = stream.get("height")
return width, height
return None, None # No video stream found
def get_media_metadata(input_file):
if is_windows():
ff_path = os.path.join(".", "bin", "ffprobe")
else:
ff_path = "ffprobe"
command = [
ff_path,
"-i",
input_file,
"-v",
"quiet",
"-print_format",
"json",
"-show_format",
"-show_streams",
"-hide_banner",
]
# command.extend(
# "-v quiet -print_format json -show_format -show_streams -hide_banner".split(" ")
# )
metadata = subprocess.check_output(command)
json_meta = json.loads(metadata)
return json_meta
AUDIO_EXTENSIONS = {".mp3", ".wav", ".aac", ".flac", ".ogg", ".m4a", ".wma"}
VIDEO_EXTENSIONS = {".mp4", ".avi", ".mov",
".mkv", ".flv", ".wmv", ".webm", ".m4v"}
MEDIA_EXTENSIONS = AUDIO_EXTENSIONS | VIDEO_EXTENSIONS
def get_media_type(file_path):
"""
Determine the media type of a file based on its extension.
This function checks the file extension of the given file path and
categorizes it as an audio file, a video file, or neither. It returns
an integer code corresponding to the type of the file:
- 0: The file is neither an audio nor a video file.
- 1: The file is an audio file.
- 2: The file is a video file.
Parameters:
file_path (str): The file path or name for which the media type is to be determined.
Returns:
int: An integer code indicating the media type of the file.
0 if the file is neither an audio nor a video file.
1 if the file is an audio file.
2 if the file is a video file.
Example:
>>> get_media_type("example.mp3")
1
>>> get_media_type("example.mp4")
2
>>> get_media_type("example.txt")
0
"""
# Define audio and video file extensions
# Extract the file extension
file_extension = os.path.splitext(file_path)[1].lower()
# Determine the media type
if file_extension in AUDIO_EXTENSIONS:
return 1 # Audio file
elif file_extension in VIDEO_EXTENSIONS:
return 2 # Video file
else:
return 0 # Not a media file
def determine_media_length(json_meta):
return float(json_meta["format"]["duration"])
def determine_media_type(json_meta):
"""
Determine if the media file is audio-only, video-only, or contains both.
Args:
json_meta (dict): JSON metadata of the media file.
Returns:
int:
- 4 if the file contains both video and audio.
- 2 if the file is video-only.
- 1 if the file is audio-only.
- 0 if the file has neither video nor audio streams.
"""
streams = json_meta.get("streams", [])
has_video = any(stream["codec_type"] == "video" for stream in streams)
has_audio = any(stream["codec_type"] == "audio" for stream in streams)
if has_video and has_audio:
return 4 # File contains both video and audio
elif has_video:
return 2 # File is video-only
elif has_audio:
return 1 # File is audio-only
else:
return 0 # File has neither video nor audio streams
def download_file(url, filename, folder):
response = requests.get(url, stream=True)
parsed_url = urlparse(url)
original_filename = os.path.basename(parsed_url.path)
extension = os.path.splitext(original_filename)[1]
sanitized_filename = pathvalidate.sanitize_filename(filename)
new_filename = sanitized_filename + extension
filepath = os.path.join(folder, new_filename)
if os.path.exists(filepath):
print(
f"File {new_filename} already exists, skipping download.", flush=True)
return False
with open(filepath, "wb") as file:
for chunk in response.iter_content(chunk_size=8192):
file.write(chunk)
return True
def format_duration(seconds):
hours = int(seconds // 3600)
minutes = int((seconds % 3600) // 60)
remaining_seconds = seconds % 60
milliseconds = int((remaining_seconds % 1) * 1000)
formatted_time = (
f"{hours:02}:{minutes:02}:{int(remaining_seconds):02}.{milliseconds:03}"
if hours
else f"{minutes:02}:{int(remaining_seconds):02}.{milliseconds:03}"
)
return formatted_time
availableTranslationLanguages = [
{"code": "ar", "name": "Arabic", "nativeName": "العربية"},
{"code": "bg", "name": "Bulgarian", "nativeName": "български език"},
{"code": "nl", "name": "Dutch", "nativeName": "Nederlands"},
{"code": "fr", "name": "French", "nativeName": "français"},
{"code": "de", "name": "German", "nativeName": "Deutsch"},
{"code": "el", "name": "Greek", "nativeName": "Ελληνικά"},
{"code": "id", "name": "Indonesian", "nativeName": "Bahasa Indonesia"},
{"code": "it", "name": "Italian", "nativeName": "Italiano"},
{"code": "ja", "name": "Japanese", "nativeName": "日本語"},
{"code": "pl", "name": "Polish", "nativeName": "polski"},
{"code": "pt", "name": "Portuguese", "nativeName": "Português"},
{
"code": "pt-br",
"name": "Portuguese (Brazil)",
"nativeName": "Português do Brasil",
},
{"code": "ro", "name": "Romanian", "nativeName": "română"},
{"code": "ru", "name": "Russian", "nativeName": "русский язык"},
{"code": "es", "name": "Spanish (Spain)",
"nativeName": "español (España)"},
{
"code": "es-la",
"name": "Spanish (Latin America)",
"nativeName": "español (Latinoamérica)",
},
{"code": "zh", "name": "Chinese", "nativeName": "中文"},
{"code": "cs", "name": "Czech", "nativeName": "česky"},
{"code": "da", "name": "Danish", "nativeName": "dansk"},
{"code": "en", "name": "English", "nativeName": "English (UK)"},
{"code": "fi", "name": "Finnish", "nativeName": "suomi"},
{"code": "fr-ca", "name": "French (Canada)",
"nativeName": "français canadien"},
{"code": "iw", "name": "Hebrew", "nativeName": "עברית"},
{"code": "hu", "name": "Hungarian", "nativeName": "magyar"},
{"code": "ko", "name": "Korean", "nativeName": "한국어"},
{"code": "ms", "name": "Malay", "nativeName": "Bahasa Melayu"},
{"code": "no", "name": "Norwegian", "nativeName": "norsk"},
{"code": "sr", "name": "Serbian", "nativeName": "српски језик"},
{"code": "sk", "name": "Slovak", "nativeName": "slovenčina"},
{"code": "sv", "name": "Swedish", "nativeName": "svenska"},
{"code": "tl", "name": "Tagalog", "nativeName": "Wikang Tagalog"},
{"code": "th", "name": "Thai", "nativeName": "ไทย"},
{"code": "uk", "name": "Ukrainian", "nativeName": "українська"},
{"code": "vi", "name": "Vietnamese", "nativeName": "Tiếng Việt"},
{"code": "fa", "name": "Persian", "nativeName": "فارسی"},
{"code": "tr", "name": "Turkish", "nativeName": "Türkçe"},
]
languageEnglish2Code = {
item["name"].lower(): item["code"] for item in availableTranslationLanguages
}
languageCode2English = {
item["code"]: item["name"].lower() for item in availableTranslationLanguages
}