Spaces:
Sleeping
Sleeping
File size: 12,456 Bytes
fa9a583 |
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 |
# Video_DL_Ingestion_Lib.py
#########################################
# Video Downloader and Ingestion Library
# This library is used to handle downloading videos from YouTube and other platforms.
# It also handles the ingestion of the videos into the database.
# It uses yt-dlp to extract video information and download the videos.
####
import json
####################
# Function List
#
# 1. get_video_info(url)
# 2. create_download_directory(title)
# 3. sanitize_filename(title)
# 4. normalize_title(title)
# 5. get_youtube(video_url)
# 6. get_playlist_videos(playlist_url)
# 7. download_video(video_url, download_path, info_dict, download_video_flag)
# 8. save_to_file(video_urls, filename)
# 9. save_summary_to_file(summary, file_path)
# 10. process_url(url, num_speakers, whisper_model, custom_prompt, offset, api_name, api_key, vad_filter, download_video, download_audio, rolling_summarization, detail_level, question_box, keywords, chunk_summarization, chunk_duration_input, words_per_second_input)
#
#
####################
# Import necessary libraries to run solo for testing
import logging
import os
import re
import sys
from urllib.parse import urlparse, parse_qs
import unicodedata
# 3rd-Party Imports
import yt_dlp
from App_Function_Libraries.DB_Manager import check_media_and_whisper_model
# Import Local
#
#######################################################################################################################
# Function Definitions
#
def normalize_title(title):
# Normalize the string to 'NFKD' form and encode to 'ascii' ignoring non-ascii characters
title = unicodedata.normalize('NFKD', title).encode('ascii', 'ignore').decode('ascii')
title = title.replace('/', '_').replace('\\', '_').replace(':', '_').replace('"', '').replace('*', '').replace('?',
'').replace(
'<', '').replace('>', '').replace('|', '')
return title
def get_video_info(url: str) -> dict:
ydl_opts = {
'quiet': True,
'no_warnings': True,
'skip_download': True,
}
with yt_dlp.YoutubeDL(ydl_opts) as ydl:
try:
info_dict = ydl.extract_info(url, download=False)
return info_dict
except Exception as e:
logging.error(f"Error extracting video info: {e}")
return None
def get_youtube(video_url):
ydl_opts = {
'format': 'bestaudio[ext=m4a]',
'noplaylist': False,
'quiet': True,
'extract_flat': True
}
with yt_dlp.YoutubeDL(ydl_opts) as ydl:
logging.debug("About to extract youtube info")
info_dict = ydl.extract_info(video_url, download=False)
logging.debug("Youtube info successfully extracted")
return info_dict
def get_playlist_videos(playlist_url):
ydl_opts = {
'extract_flat': True,
'skip_download': True,
'quiet': True
}
with yt_dlp.YoutubeDL(ydl_opts) as ydl:
info = ydl.extract_info(playlist_url, download=False)
if 'entries' in info:
video_urls = [entry['url'] for entry in info['entries']]
playlist_title = info['title']
return video_urls, playlist_title
else:
print("No videos found in the playlist.")
return [], None
def download_video(video_url, download_path, info_dict, download_video_flag, current_whisper_model):
global video_file_path, ffmpeg_path
global audio_file_path
# Normalize Video Title name
logging.debug("About to normalize downloaded video title")
if 'title' not in info_dict or 'ext' not in info_dict:
logging.error("info_dict is missing 'title' or 'ext'")
return None
normalized_video_title = normalize_title(info_dict['title'])
# Check if media already exists in the database and compare whisper models
should_download, reason = check_media_and_whisper_model(
title=normalized_video_title,
url=video_url,
current_whisper_model=current_whisper_model
)
if not should_download:
logging.info(f"Skipping download: {reason}")
return None
logging.info(f"Proceeding with download: {reason}")
video_file_path = os.path.join(download_path, f"{normalized_video_title}.{info_dict['ext']}")
# Check for existence of video file
if os.path.exists(video_file_path):
logging.info(f"Video file already exists: {video_file_path}")
return video_file_path
# Setup path handling for ffmpeg on different OSs
if sys.platform.startswith('win'):
ffmpeg_path = os.path.join(os.getcwd(), 'Bin', 'ffmpeg.exe')
elif sys.platform.startswith('linux'):
ffmpeg_path = 'ffmpeg'
elif sys.platform.startswith('darwin'):
ffmpeg_path = 'ffmpeg'
if download_video_flag:
video_file_path = os.path.join(download_path, f"{normalized_video_title}.mp4")
ydl_opts_video = {
'format': 'bestvideo[ext=mp4]+bestaudio[ext=m4a]',
'outtmpl': video_file_path,
'ffmpeg_location': ffmpeg_path
}
try:
with yt_dlp.YoutubeDL(ydl_opts_video) as ydl:
logging.debug("yt_dlp: About to download video with youtube-dl")
ydl.download([video_url])
logging.debug("yt_dlp: Video successfully downloaded with youtube-dl")
if os.path.exists(video_file_path):
return video_file_path
else:
logging.error("yt_dlp: Video file not found after download")
return None
except Exception as e:
logging.error(f"yt_dlp: Error downloading video: {e}")
return None
elif not download_video_flag:
video_file_path = os.path.join(download_path, f"{normalized_video_title}.mp4")
# Set options for video and audio
ydl_opts = {
'format': 'bestaudio[ext=m4a]',
'quiet': True,
'outtmpl': video_file_path
}
try:
with yt_dlp.YoutubeDL(ydl_opts) as ydl:
logging.debug("yt_dlp: About to download video with youtube-dl")
ydl.download([video_url])
logging.debug("yt_dlp: Video successfully downloaded with youtube-dl")
if os.path.exists(video_file_path):
return video_file_path
else:
logging.error("yt_dlp: Video file not found after download")
return None
except Exception as e:
logging.error(f"yt_dlp: Error downloading video: {e}")
return None
else:
logging.debug("download_video: Download video flag is set to False and video file path is not found")
return None
def extract_video_info(url):
try:
with yt_dlp.YoutubeDL({'quiet': True}) as ydl:
info = ydl.extract_info(url, download=False)
# Log only a subset of the info to avoid overwhelming the logs
log_info = {
'title': info.get('title'),
'duration': info.get('duration'),
'upload_date': info.get('upload_date')
}
logging.debug(f"Extracted info for {url}: {log_info}")
return info
except Exception as e:
logging.error(f"Error extracting video info for {url}: {str(e)}", exc_info=True)
return None
def get_youtube_playlist_urls(playlist_id):
ydl_opts = {
'extract_flat': True,
'quiet': True,
}
with yt_dlp.YoutubeDL(ydl_opts) as ydl:
result = ydl.extract_info(f'https://www.youtube.com/playlist?list={playlist_id}', download=False)
return [entry['url'] for entry in result['entries'] if entry.get('url')]
def parse_and_expand_urls(urls):
logging.info(f"Starting parse_and_expand_urls with input: {urls}")
expanded_urls = []
for url in urls:
try:
logging.info(f"Processing URL: {url}")
parsed_url = urlparse(url)
logging.debug(f"Parsed URL components: {parsed_url}")
# YouTube playlist handling
if 'youtube.com' in parsed_url.netloc and 'list' in parsed_url.query:
playlist_id = parse_qs(parsed_url.query)['list'][0]
logging.info(f"Detected YouTube playlist with ID: {playlist_id}")
playlist_urls = get_youtube_playlist_urls(playlist_id)
logging.info(f"Expanded playlist URLs: {playlist_urls}")
expanded_urls.extend(playlist_urls)
# YouTube short URL handling
elif 'youtu.be' in parsed_url.netloc:
video_id = parsed_url.path.lstrip('/')
full_url = f'https://www.youtube.com/watch?v={video_id}'
logging.info(f"Expanded YouTube short URL to: {full_url}")
expanded_urls.append(full_url)
# Vimeo handling
elif 'vimeo.com' in parsed_url.netloc:
video_id = parsed_url.path.lstrip('/')
full_url = f'https://vimeo.com/{video_id}'
logging.info(f"Processed Vimeo URL: {full_url}")
expanded_urls.append(full_url)
# Add more platform-specific handling here
else:
logging.info(f"URL not recognized as special case, adding as-is: {url}")
expanded_urls.append(url)
except Exception as e:
logging.error(f"Error processing URL {url}: {str(e)}", exc_info=True)
# Optionally, you might want to add the problematic URL to expanded_urls
# expanded_urls.append(url)
logging.info(f"Final expanded URLs: {expanded_urls}")
return expanded_urls
def extract_metadata(url, use_cookies=False, cookies=None):
ydl_opts = {
'quiet': True,
'no_warnings': True,
'extract_flat': True,
'skip_download': True,
}
if use_cookies and cookies:
try:
cookie_dict = json.loads(cookies)
ydl_opts['cookiefile'] = cookie_dict
except json.JSONDecodeError:
logging.warning("Invalid cookie format. Proceeding without cookies.")
with yt_dlp.YoutubeDL(ydl_opts) as ydl:
try:
info = ydl.extract_info(url, download=False)
metadata = {
'title': info.get('title'),
'uploader': info.get('uploader'),
'upload_date': info.get('upload_date'),
'view_count': info.get('view_count'),
'like_count': info.get('like_count'),
'duration': info.get('duration'),
'tags': info.get('tags'),
'description': info.get('description')
}
# Create a safe subset of metadata to log
safe_metadata = {
'title': metadata.get('title', 'No title'),
'duration': metadata.get('duration', 'Unknown duration'),
'upload_date': metadata.get('upload_date', 'Unknown upload date'),
'uploader': metadata.get('uploader', 'Unknown uploader')
}
logging.info(f"Successfully extracted metadata for {url}: {safe_metadata}")
return metadata
except Exception as e:
logging.error(f"Error extracting metadata for {url}: {str(e)}", exc_info=True)
return None
def generate_timestamped_url(url, hours, minutes, seconds):
# Extract video ID from the URL
video_id_match = re.search(r'(?:v=|)([0-9A-Za-z_-]{11}).*', url)
if not video_id_match:
return "Invalid YouTube URL"
video_id = video_id_match.group(1)
# Calculate total seconds
total_seconds = int(hours) * 3600 + int(minutes) * 60 + int(seconds)
# Generate the new URL
new_url = f"https://www.youtube.com/watch?v={video_id}&t={total_seconds}s"
return new_url
#
#
#######################################################################################################################
|