aboutsummaryrefslogtreecommitdiffstats
path: root/youtube/ytdlp_service.py
blob: 25201934b52783d9c3fc8d5d5a242ad2ceb7d933 (plain)
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
#!/usr/bin/env python3
"""
Centralized yt-dlp integration with caching, logging, and error handling.

This module provides a clean interface for yt-dlp functionality:
- Multi-language audio track extraction
- Subtitle extraction
- Age-restricted video support

All yt-dlp usage should go through this module for consistency.
"""
import logging
from functools import lru_cache
from typing import Dict, List, Optional, Any
import yt_dlp
import settings

logger = logging.getLogger(__name__)

# Language name mapping
LANGUAGE_NAMES = {
    'en': 'English',
    'es': 'Español',
    'fr': 'Français',
    'de': 'Deutsch',
    'it': 'Italiano',
    'pt': 'Português',
    'ru': 'Русский',
    'ja': '日本語',
    'ko': '한국어',
    'zh': '中文',
    'ar': 'العربية',
    'hi': 'हिन्दी',
    'und': 'Unknown',
    'zxx': 'No linguistic content',
}


def get_language_name(lang_code: str) -> str:
    """Convert ISO 639-1/2 language code to readable name."""
    if not lang_code:
        return 'Unknown'
    return LANGUAGE_NAMES.get(lang_code.lower(), lang_code.upper())


def _get_ytdlp_config() -> Dict[str, Any]:
    """Get yt-dlp configuration from settings."""
    config = {
        'quiet': True,
        'no_warnings': True,
        'extract_flat': False,
        'format': 'best',
        'skip_download': True,
        'socket_timeout': 30,
        'extractor_retries': 3,
        'http_chunk_size': 10485760,  # 10MB
    }
    
    # Configure Tor proxy if enabled
    if settings.route_tor:
        config['proxy'] = 'socks5://127.0.0.1:9150'
        logger.debug('Tor proxy enabled for yt-dlp')
    
    # Use cookies if available
    import os
    cookies_file = 'youtube_cookies.txt'
    if os.path.exists(cookies_file):
        config['cookiefile'] = cookies_file
        logger.debug('Using cookies file for yt-dlp')
    
    return config


@lru_cache(maxsize=128)
def extract_video_info(video_id: str) -> Dict[str, Any]:
    """
    Extract video information using yt-dlp with caching.
    
    Args:
        video_id: YouTube video ID
        
    Returns:
        Dictionary with video information including audio tracks
        
    Caching:
        Results are cached to avoid repeated requests to YouTube.
        Cache size is limited to prevent memory issues.
    """
    # Check if yt-dlp is enabled
    if not getattr(settings, 'ytdlp_enabled', True):
        logger.debug('yt-dlp integration is disabled')
        return {'error': 'yt-dlp disabled', 'audio_tracks': []}
    
    url = f'https://www.youtube.com/watch?v={video_id}'
    ydl_opts = _get_ytdlp_config()
    
    try:
        logger.debug(f'Extracting video info: {video_id}')
        
        with yt_dlp.YoutubeDL(ydl_opts) as ydl:
            info = ydl.extract_info(url, download=False)
            
            if not info:
                logger.warning(f'No info returned for video: {video_id}')
                return {'error': 'No info returned', 'audio_tracks': []}
            
            logger.debug(f'Extracted {len(info.get("formats", []))} formats')
            
            # Extract audio tracks grouped by language
            audio_tracks = _extract_audio_tracks(info)
            
            return {
                'video_id': video_id,
                'title': info.get('title', ''),
                'duration': info.get('duration', 0),
                'audio_tracks': audio_tracks,
                'formats': info.get('formats', []),
                'subtitles': info.get('subtitles', {}),
                'automatic_captions': info.get('automatic_captions', {}),
            }
            
    except yt_dlp.utils.DownloadError as e:
        logger.error(f'yt-dlp download error for {video_id}: {e}')
        return {'error': str(e), 'audio_tracks': []}
    except Exception as e:
        logger.error(f'yt-dlp extraction error for {video_id}: {e}', exc_info=True)
        return {'error': str(e), 'audio_tracks': []}


def _extract_audio_tracks(info: Dict[str, Any]) -> List[Dict[str, Any]]:
    """
    Extract audio tracks from video info, grouped by language.
    
    Returns a list of unique audio tracks (one per language),
    keeping the highest quality for each language.
    """
    audio_by_language = {}
    all_formats = info.get('formats', [])
    
    for fmt in all_formats:
        # Only audio-only formats
        has_audio = fmt.get('acodec') and fmt.get('acodec') != 'none'
        has_video = fmt.get('vcodec') and fmt.get('vcodec') != 'none'
        
        if not has_audio or has_video:
            continue
        
        # Extract language information
        lang = (
            fmt.get('language') or
            fmt.get('audio_language') or
            fmt.get('lang') or
            'und'
        )
        
        # Get language name
        lang_name = (
            fmt.get('language_name') or
            fmt.get('lang_name') or
            get_language_name(lang)
        )
        
        # Get bitrate
        bitrate = fmt.get('abr') or fmt.get('tbr') or 0
        
        # Create track info
        track_info = {
            'language': lang,
            'language_name': lang_name,
            'format_id': str(fmt.get('format_id', '')),
            'itag': str(fmt.get('format_id', '')),
            'ext': fmt.get('ext'),
            'acodec': fmt.get('acodec'),
            'audio_bitrate': int(bitrate) if bitrate else 0,
            'audio_sample_rate': fmt.get('asr'),
            'url': fmt.get('url'),
            'filesize': fmt.get('filesize'),
        }
        
        # Keep best quality per language
        lang_key = lang.lower()
        if lang_key not in audio_by_language:
            audio_by_language[lang_key] = track_info
        else:
            current_bitrate = audio_by_language[lang_key].get('audio_bitrate', 0)
            if bitrate > current_bitrate:
                audio_by_language[lang_key] = track_info
                logger.debug(f'Updated {lang} to higher bitrate: {bitrate}')
    
    # Convert to list and sort
    audio_tracks = list(audio_by_language.values())
    
    # Sort: English first, then by bitrate (descending)
    audio_tracks.sort(
        key=lambda x: (
            0 if x['language'] == 'en' else 1,
            -x.get('audio_bitrate', 0)
        )
    )
    
    logger.debug(f'Found {len(audio_tracks)} unique audio tracks')
    for track in audio_tracks[:3]:  # Log first 3
        logger.debug(f'  - {track["language_name"]}: {track["audio_bitrate"]}k')
    
    return audio_tracks


def get_subtitle_url(video_id: str, lang: str = 'en') -> Optional[str]:
    """
    Get subtitle URL for a specific language.
    
    Args:
        video_id: YouTube video ID
        lang: Language code (default: 'en')
        
    Returns:
        URL to subtitle file, or None if not available
    """
    info = extract_video_info(video_id)
    
    if 'error' in info:
        logger.warning(f'Cannot get subtitles: {info["error"]}')
        return None
    
    # Try manual subtitles first
    subtitles = info.get('subtitles', {})
    if lang in subtitles:
        for sub in subtitles[lang]:
            if sub.get('ext') == 'vtt':
                logger.debug(f'Found manual {lang} subtitle')
                return sub.get('url')
    
    # Try automatic captions
    auto_captions = info.get('automatic_captions', {})
    if lang in auto_captions:
        for sub in auto_captions[lang]:
            if sub.get('ext') == 'vtt':
                logger.debug(f'Found automatic {lang} subtitle')
                return sub.get('url')
    
    logger.debug(f'No {lang} subtitle found')
    return None


def find_best_unified_format(
    video_id: str,
    audio_language: str = 'en',
    max_quality: int = 720
) -> Optional[Dict[str, Any]]:
    """
    Find best unified (video+audio) format for specific language and quality.
    
    Args:
        video_id: YouTube video ID
        audio_language: Preferred audio language
        max_quality: Maximum video height (e.g., 720, 1080)
        
    Returns:
        Format dict if found, None otherwise
    """
    info = extract_video_info(video_id)
    
    if 'error' in info or not info.get('formats'):
        return None
    
    # Quality thresholds (minimum acceptable height as % of requested)
    thresholds = {
        2160: 0.85,
        1440: 0.80,
        1080: 0.70,
        720: 0.70,
        480: 0.60,
        360: 0.50,
    }
    
    # Get threshold for requested quality
    threshold = 0.70
    for q, t in thresholds.items():
        if max_quality >= q:
            threshold = t
            break
    
    min_height = int(max_quality * threshold)
    logger.debug(f'Quality threshold: {threshold:.0%} = min {min_height}p for {max_quality}p')
    
    candidates = []
    audio_lang_lower = audio_language.lower()
    
    for fmt in info['formats']:
        # Must have both video and audio
        has_video = fmt.get('vcodec') and fmt.get('vcodec') != 'none'
        has_audio = fmt.get('acodec') and fmt.get('acodec') != 'none'
        
        if not (has_video and has_audio):
            continue
        
        # Skip HLS/DASH formats
        protocol = fmt.get('protocol', '')
        format_id = str(fmt.get('format_id', ''))
        
        if any(x in protocol.lower() for x in ['m3u8', 'hls', 'dash']):
            continue
        if format_id.startswith('9'):  # HLS formats
            continue
        
        height = fmt.get('height', 0)
        if height < min_height:
            continue
        
        # Language matching
        lang = (
            fmt.get('language') or
            fmt.get('audio_language') or
            'en'
        ).lower()
        
        lang_match = (
            lang == audio_lang_lower or
            lang.startswith(audio_lang_lower[:2]) or
            audio_lang_lower.startswith(lang[:2])
        )
        
        if not lang_match:
            continue
        
        # Calculate score
        score = 0
        
        # Language match bonus
        if lang == audio_lang_lower:
            score += 10000
        elif lang.startswith(audio_lang_lower[:2]):
            score += 8000
        else:
            score += 5000
        
        # Quality score
        quality_diff = abs(height - max_quality)
        if height >= max_quality:
            score += 3000 - quality_diff
        else:
            score += 2000 - quality_diff
        
        # Protocol preference
        if protocol in ('https', 'http'):
            score += 500
        
        # Format preference
        if fmt.get('ext') == 'mp4':
            score += 100
        
        candidates.append({
            'format': fmt,
            'score': score,
            'height': height,
            'lang': lang,
        })
    
    if not candidates:
        logger.debug(f'No unified format found for {max_quality}p + {audio_language}')
        return None
    
    # Sort by score and return best
    candidates.sort(key=lambda x: x['score'], reverse=True)
    best = candidates[0]
    
    logger.info(
        f'Selected unified format: {best["format"].get("format_id")} | '
        f'{best["lang"]} | {best["height"]}p | score={best["score"]}'
    )
    
    return best['format']


def clear_cache():
    """Clear the video info cache."""
    extract_video_info.cache_clear()
    logger.info('yt-dlp cache cleared')


def get_cache_info() -> Dict[str, Any]:
    """Get cache statistics."""
    cache_info = extract_video_info.cache_info()
    return {
        'hits': cache_info.hits,
        'misses': cache_info.misses,
        'size': cache_info.currsize,
        'maxsize': cache_info.maxsize,
        'hit_rate': cache_info.hits / (cache_info.hits + cache_info.misses) if (cache_info.hits + cache_info.misses) > 0 else 0,
    }