You can not select more than 25 topics Topics must start with a letter or number, can include dashes ('-') and can be up to 35 characters long.

515 lines
20 KiB

10 years ago
10 years ago
10 years ago
  1. from __future__ import unicode_literals
  2. import io
  3. import os
  4. import subprocess
  5. import time
  6. from .common import AudioConversionError, PostProcessor
  7. from ..compat import (
  8. compat_subprocess_get_DEVNULL,
  9. )
  10. from ..utils import (
  11. encodeArgument,
  12. encodeFilename,
  13. get_exe_version,
  14. is_outdated_version,
  15. PostProcessingError,
  16. prepend_extension,
  17. shell_quote,
  18. subtitles_filename,
  19. dfxp2srt,
  20. ISO639Utils,
  21. )
  22. class FFmpegPostProcessorError(PostProcessingError):
  23. pass
  24. class FFmpegPostProcessor(PostProcessor):
  25. def __init__(self, downloader=None):
  26. PostProcessor.__init__(self, downloader)
  27. self._determine_executables()
  28. def check_version(self):
  29. if not self.available:
  30. raise FFmpegPostProcessorError('ffmpeg or avconv not found. Please install one.')
  31. required_version = '10-0' if self.basename == 'avconv' else '1.0'
  32. if is_outdated_version(
  33. self._versions[self.basename], required_version):
  34. warning = 'Your copy of %s is outdated, update %s to version %s or newer if you encounter any errors.' % (
  35. self.basename, self.basename, required_version)
  36. if self._downloader:
  37. self._downloader.report_warning(warning)
  38. @staticmethod
  39. def get_versions(downloader=None):
  40. return FFmpegPostProcessor(downloader)._versions
  41. def _determine_executables(self):
  42. programs = ['avprobe', 'avconv', 'ffmpeg', 'ffprobe']
  43. prefer_ffmpeg = self._downloader.params.get('prefer_ffmpeg', False)
  44. self.basename = None
  45. self.probe_basename = None
  46. self._paths = None
  47. self._versions = None
  48. if self._downloader:
  49. location = self._downloader.params.get('ffmpeg_location')
  50. if location is not None:
  51. if not os.path.exists(location):
  52. self._downloader.report_warning(
  53. 'ffmpeg-location %s does not exist! '
  54. 'Continuing without avconv/ffmpeg.' % (location))
  55. self._versions = {}
  56. return
  57. elif not os.path.isdir(location):
  58. basename = os.path.splitext(os.path.basename(location))[0]
  59. if basename not in programs:
  60. self._downloader.report_warning(
  61. 'Cannot identify executable %s, its basename should be one of %s. '
  62. 'Continuing without avconv/ffmpeg.' %
  63. (location, ', '.join(programs)))
  64. self._versions = {}
  65. return None
  66. location = os.path.dirname(os.path.abspath(location))
  67. if basename in ('ffmpeg', 'ffprobe'):
  68. prefer_ffmpeg = True
  69. self._paths = dict(
  70. (p, os.path.join(location, p)) for p in programs)
  71. self._versions = dict(
  72. (p, get_exe_version(self._paths[p], args=['-version']))
  73. for p in programs)
  74. if self._versions is None:
  75. self._versions = dict(
  76. (p, get_exe_version(p, args=['-version'])) for p in programs)
  77. self._paths = dict((p, p) for p in programs)
  78. if prefer_ffmpeg:
  79. prefs = ('ffmpeg', 'avconv')
  80. else:
  81. prefs = ('avconv', 'ffmpeg')
  82. for p in prefs:
  83. if self._versions[p]:
  84. self.basename = p
  85. break
  86. if prefer_ffmpeg:
  87. prefs = ('ffprobe', 'avprobe')
  88. else:
  89. prefs = ('avprobe', 'ffprobe')
  90. for p in prefs:
  91. if self._versions[p]:
  92. self.probe_basename = p
  93. break
  94. @property
  95. def available(self):
  96. return self.basename is not None
  97. @property
  98. def executable(self):
  99. return self._paths[self.basename]
  100. @property
  101. def probe_available(self):
  102. return self.probe_basename is not None
  103. @property
  104. def probe_executable(self):
  105. return self._paths[self.probe_basename]
  106. def run_ffmpeg_multiple_files(self, input_paths, out_path, opts):
  107. self.check_version()
  108. oldest_mtime = min(
  109. os.stat(encodeFilename(path)).st_mtime for path in input_paths)
  110. files_cmd = []
  111. for path in input_paths:
  112. files_cmd.extend([encodeArgument('-i'), encodeFilename(path, True)])
  113. cmd = ([encodeFilename(self.executable, True), encodeArgument('-y')] +
  114. files_cmd +
  115. [encodeArgument(o) for o in opts] +
  116. [encodeFilename(self._ffmpeg_filename_argument(out_path), True)])
  117. if self._downloader.params.get('verbose', False):
  118. self._downloader.to_screen('[debug] ffmpeg command line: %s' % shell_quote(cmd))
  119. p = subprocess.Popen(cmd, stdout=subprocess.PIPE, stderr=subprocess.PIPE, stdin=subprocess.PIPE)
  120. stdout, stderr = p.communicate()
  121. if p.returncode != 0:
  122. stderr = stderr.decode('utf-8', 'replace')
  123. msg = stderr.strip().split('\n')[-1]
  124. raise FFmpegPostProcessorError(msg)
  125. self.try_utime(out_path, oldest_mtime, oldest_mtime)
  126. def run_ffmpeg(self, path, out_path, opts):
  127. self.run_ffmpeg_multiple_files([path], out_path, opts)
  128. def _ffmpeg_filename_argument(self, fn):
  129. # ffmpeg broke --, see https://ffmpeg.org/trac/ffmpeg/ticket/2127 for details
  130. if fn.startswith('-'):
  131. return './' + fn
  132. return fn
  133. class FFmpegExtractAudioPP(FFmpegPostProcessor):
  134. def __init__(self, downloader=None, preferredcodec=None, preferredquality=None, nopostoverwrites=False):
  135. FFmpegPostProcessor.__init__(self, downloader)
  136. if preferredcodec is None:
  137. preferredcodec = 'best'
  138. self._preferredcodec = preferredcodec
  139. self._preferredquality = preferredquality
  140. self._nopostoverwrites = nopostoverwrites
  141. def get_audio_codec(self, path):
  142. if not self.probe_available:
  143. raise PostProcessingError('ffprobe or avprobe not found. Please install one.')
  144. try:
  145. cmd = [
  146. encodeFilename(self.probe_executable, True),
  147. encodeArgument('-show_streams'),
  148. encodeFilename(self._ffmpeg_filename_argument(path), True)]
  149. if self._downloader.params.get('verbose', False):
  150. self._downloader.to_screen('[debug] %s command line: %s' % (self.basename, shell_quote(cmd)))
  151. handle = subprocess.Popen(cmd, stderr=compat_subprocess_get_DEVNULL(), stdout=subprocess.PIPE, stdin=subprocess.PIPE)
  152. output = handle.communicate()[0]
  153. if handle.wait() != 0:
  154. return None
  155. except (IOError, OSError):
  156. return None
  157. audio_codec = None
  158. for line in output.decode('ascii', 'ignore').split('\n'):
  159. if line.startswith('codec_name='):
  160. audio_codec = line.split('=')[1].strip()
  161. elif line.strip() == 'codec_type=audio' and audio_codec is not None:
  162. return audio_codec
  163. return None
  164. def run_ffmpeg(self, path, out_path, codec, more_opts):
  165. if codec is None:
  166. acodec_opts = []
  167. else:
  168. acodec_opts = ['-acodec', codec]
  169. opts = ['-vn'] + acodec_opts + more_opts
  170. try:
  171. FFmpegPostProcessor.run_ffmpeg(self, path, out_path, opts)
  172. except FFmpegPostProcessorError as err:
  173. raise AudioConversionError(err.msg)
  174. def run(self, information):
  175. path = information['filepath']
  176. filecodec = self.get_audio_codec(path)
  177. if filecodec is None:
  178. raise PostProcessingError('WARNING: unable to obtain file audio codec with ffprobe')
  179. more_opts = []
  180. if self._preferredcodec == 'best' or self._preferredcodec == filecodec or (self._preferredcodec == 'm4a' and filecodec == 'aac'):
  181. if filecodec == 'aac' and self._preferredcodec in ['m4a', 'best']:
  182. # Lossless, but in another container
  183. acodec = 'copy'
  184. extension = 'm4a'
  185. more_opts = ['-bsf:a', 'aac_adtstoasc']
  186. elif filecodec in ['aac', 'mp3', 'vorbis', 'opus']:
  187. # Lossless if possible
  188. acodec = 'copy'
  189. extension = filecodec
  190. if filecodec == 'aac':
  191. more_opts = ['-f', 'adts']
  192. if filecodec == 'vorbis':
  193. extension = 'ogg'
  194. else:
  195. # MP3 otherwise.
  196. acodec = 'libmp3lame'
  197. extension = 'mp3'
  198. more_opts = []
  199. if self._preferredquality is not None:
  200. if int(self._preferredquality) < 10:
  201. more_opts += ['-q:a', self._preferredquality]
  202. else:
  203. more_opts += ['-b:a', self._preferredquality + 'k']
  204. else:
  205. # We convert the audio (lossy)
  206. acodec = {'mp3': 'libmp3lame', 'aac': 'aac', 'm4a': 'aac', 'opus': 'opus', 'vorbis': 'libvorbis', 'wav': None}[self._preferredcodec]
  207. extension = self._preferredcodec
  208. more_opts = []
  209. if self._preferredquality is not None:
  210. # The opus codec doesn't support the -aq option
  211. if int(self._preferredquality) < 10 and extension != 'opus':
  212. more_opts += ['-q:a', self._preferredquality]
  213. else:
  214. more_opts += ['-b:a', self._preferredquality + 'k']
  215. if self._preferredcodec == 'aac':
  216. more_opts += ['-f', 'adts']
  217. if self._preferredcodec == 'm4a':
  218. more_opts += ['-bsf:a', 'aac_adtstoasc']
  219. if self._preferredcodec == 'vorbis':
  220. extension = 'ogg'
  221. if self._preferredcodec == 'wav':
  222. extension = 'wav'
  223. more_opts += ['-f', 'wav']
  224. prefix, sep, ext = path.rpartition('.') # not os.path.splitext, since the latter does not work on unicode in all setups
  225. new_path = prefix + sep + extension
  226. # If we download foo.mp3 and convert it to... foo.mp3, then don't delete foo.mp3, silly.
  227. if (new_path == path or
  228. (self._nopostoverwrites and os.path.exists(encodeFilename(new_path)))):
  229. self._downloader.to_screen('[youtube] Post-process file %s exists, skipping' % new_path)
  230. return [], information
  231. try:
  232. self._downloader.to_screen('[' + self.basename + '] Destination: ' + new_path)
  233. self.run_ffmpeg(path, new_path, acodec, more_opts)
  234. except AudioConversionError as e:
  235. raise PostProcessingError(
  236. 'audio conversion failed: ' + e.msg)
  237. except Exception:
  238. raise PostProcessingError('error running ' + self.basename)
  239. # Try to update the date time for extracted audio file.
  240. if information.get('filetime') is not None:
  241. self.try_utime(
  242. new_path, time.time(), information['filetime'],
  243. errnote='Cannot update utime of audio file')
  244. information['filepath'] = new_path
  245. information['ext'] = extension
  246. return [path], information
  247. class FFmpegVideoConvertorPP(FFmpegPostProcessor):
  248. def __init__(self, downloader=None, preferedformat=None):
  249. super(FFmpegVideoConvertorPP, self).__init__(downloader)
  250. self._preferedformat = preferedformat
  251. def run(self, information):
  252. path = information['filepath']
  253. prefix, sep, ext = path.rpartition('.')
  254. outpath = prefix + sep + self._preferedformat
  255. if information['ext'] == self._preferedformat:
  256. self._downloader.to_screen('[ffmpeg] Not converting video file %s - already is in target format %s' % (path, self._preferedformat))
  257. return [], information
  258. self._downloader.to_screen('[' + 'ffmpeg' + '] Converting video from %s to %s, Destination: ' % (information['ext'], self._preferedformat) + outpath)
  259. self.run_ffmpeg(path, outpath, [])
  260. information['filepath'] = outpath
  261. information['format'] = self._preferedformat
  262. information['ext'] = self._preferedformat
  263. return [path], information
  264. class FFmpegEmbedSubtitlePP(FFmpegPostProcessor):
  265. def run(self, information):
  266. if information['ext'] not in ['mp4', 'mkv']:
  267. self._downloader.to_screen('[ffmpeg] Subtitles can only be embedded in mp4 or mkv files')
  268. return [], information
  269. subtitles = information.get('requested_subtitles')
  270. if not subtitles:
  271. self._downloader.to_screen('[ffmpeg] There aren\'t any subtitles to embed')
  272. return [], information
  273. sub_langs = list(subtitles.keys())
  274. filename = information['filepath']
  275. sub_filenames = [subtitles_filename(filename, lang, sub_info['ext']) for lang, sub_info in subtitles.items()]
  276. input_files = [filename] + sub_filenames
  277. opts = [
  278. '-map', '0',
  279. '-c', 'copy',
  280. # Don't copy the existing subtitles, we may be running the
  281. # postprocessor a second time
  282. '-map', '-0:s',
  283. ]
  284. if information['ext'] == 'mp4':
  285. opts += ['-c:s', 'mov_text']
  286. for (i, lang) in enumerate(sub_langs):
  287. opts.extend(['-map', '%d:0' % (i + 1)])
  288. lang_code = ISO639Utils.short2long(lang)
  289. if lang_code is not None:
  290. opts.extend(['-metadata:s:s:%d' % i, 'language=%s' % lang_code])
  291. temp_filename = prepend_extension(filename, 'temp')
  292. self._downloader.to_screen('[ffmpeg] Embedding subtitles in \'%s\'' % filename)
  293. self.run_ffmpeg_multiple_files(input_files, temp_filename, opts)
  294. os.remove(encodeFilename(filename))
  295. os.rename(encodeFilename(temp_filename), encodeFilename(filename))
  296. return sub_filenames, information
  297. class FFmpegMetadataPP(FFmpegPostProcessor):
  298. def run(self, info):
  299. metadata = {}
  300. if info.get('title') is not None:
  301. metadata['title'] = info['title']
  302. if info.get('upload_date') is not None:
  303. metadata['date'] = info['upload_date']
  304. if info.get('artist') is not None:
  305. metadata['artist'] = info['artist']
  306. elif info.get('uploader') is not None:
  307. metadata['artist'] = info['uploader']
  308. elif info.get('uploader_id') is not None:
  309. metadata['artist'] = info['uploader_id']
  310. if info.get('description') is not None:
  311. metadata['description'] = info['description']
  312. metadata['comment'] = info['description']
  313. if info.get('webpage_url') is not None:
  314. metadata['purl'] = info['webpage_url']
  315. if info.get('album') is not None:
  316. metadata['album'] = info['album']
  317. if not metadata:
  318. self._downloader.to_screen('[ffmpeg] There isn\'t any metadata to add')
  319. return [], info
  320. filename = info['filepath']
  321. temp_filename = prepend_extension(filename, 'temp')
  322. if info['ext'] == 'm4a':
  323. options = ['-vn', '-acodec', 'copy']
  324. else:
  325. options = ['-c', 'copy']
  326. for (name, value) in metadata.items():
  327. options.extend(['-metadata', '%s=%s' % (name, value)])
  328. self._downloader.to_screen('[ffmpeg] Adding metadata to \'%s\'' % filename)
  329. self.run_ffmpeg(filename, temp_filename, options)
  330. os.remove(encodeFilename(filename))
  331. os.rename(encodeFilename(temp_filename), encodeFilename(filename))
  332. return [], info
  333. class FFmpegMergerPP(FFmpegPostProcessor):
  334. def run(self, info):
  335. filename = info['filepath']
  336. temp_filename = prepend_extension(filename, 'temp')
  337. args = ['-c', 'copy', '-map', '0:v:0', '-map', '1:a:0']
  338. self._downloader.to_screen('[ffmpeg] Merging formats into "%s"' % filename)
  339. self.run_ffmpeg_multiple_files(info['__files_to_merge'], temp_filename, args)
  340. os.rename(encodeFilename(temp_filename), encodeFilename(filename))
  341. return info['__files_to_merge'], info
  342. def can_merge(self):
  343. # TODO: figure out merge-capable ffmpeg version
  344. if self.basename != 'avconv':
  345. return True
  346. required_version = '10-0'
  347. if is_outdated_version(
  348. self._versions[self.basename], required_version):
  349. warning = ('Your copy of %s is outdated and unable to properly mux separate video and audio files, '
  350. 'youtube-dl will download single file media. '
  351. 'Update %s to version %s or newer to fix this.') % (
  352. self.basename, self.basename, required_version)
  353. if self._downloader:
  354. self._downloader.report_warning(warning)
  355. return False
  356. return True
  357. class FFmpegFixupStretchedPP(FFmpegPostProcessor):
  358. def run(self, info):
  359. stretched_ratio = info.get('stretched_ratio')
  360. if stretched_ratio is None or stretched_ratio == 1:
  361. return [], info
  362. filename = info['filepath']
  363. temp_filename = prepend_extension(filename, 'temp')
  364. options = ['-c', 'copy', '-aspect', '%f' % stretched_ratio]
  365. self._downloader.to_screen('[ffmpeg] Fixing aspect ratio in "%s"' % filename)
  366. self.run_ffmpeg(filename, temp_filename, options)
  367. os.remove(encodeFilename(filename))
  368. os.rename(encodeFilename(temp_filename), encodeFilename(filename))
  369. return [], info
  370. class FFmpegFixupM4aPP(FFmpegPostProcessor):
  371. def run(self, info):
  372. if info.get('container') != 'm4a_dash':
  373. return [], info
  374. filename = info['filepath']
  375. temp_filename = prepend_extension(filename, 'temp')
  376. options = ['-c', 'copy', '-f', 'mp4']
  377. self._downloader.to_screen('[ffmpeg] Correcting container in "%s"' % filename)
  378. self.run_ffmpeg(filename, temp_filename, options)
  379. os.remove(encodeFilename(filename))
  380. os.rename(encodeFilename(temp_filename), encodeFilename(filename))
  381. return [], info
  382. class FFmpegSubtitlesConvertorPP(FFmpegPostProcessor):
  383. def __init__(self, downloader=None, format=None):
  384. super(FFmpegSubtitlesConvertorPP, self).__init__(downloader)
  385. self.format = format
  386. def run(self, info):
  387. subs = info.get('requested_subtitles')
  388. filename = info['filepath']
  389. new_ext = self.format
  390. new_format = new_ext
  391. if new_format == 'vtt':
  392. new_format = 'webvtt'
  393. if subs is None:
  394. self._downloader.to_screen('[ffmpeg] There aren\'t any subtitles to convert')
  395. return [], info
  396. self._downloader.to_screen('[ffmpeg] Converting subtitles')
  397. for lang, sub in subs.items():
  398. ext = sub['ext']
  399. if ext == new_ext:
  400. self._downloader.to_screen(
  401. '[ffmpeg] Subtitle file for %s is already in the requested'
  402. 'format' % new_ext)
  403. continue
  404. new_file = subtitles_filename(filename, lang, new_ext)
  405. if ext == 'dfxp' or ext == 'ttml':
  406. self._downloader.report_warning(
  407. 'You have requested to convert dfxp (TTML) subtitles into another format, '
  408. 'which results in style information loss')
  409. dfxp_file = subtitles_filename(filename, lang, ext)
  410. srt_file = subtitles_filename(filename, lang, 'srt')
  411. with io.open(dfxp_file, 'rt', encoding='utf-8') as f:
  412. srt_data = dfxp2srt(f.read())
  413. with io.open(srt_file, 'wt', encoding='utf-8') as f:
  414. f.write(srt_data)
  415. ext = 'srt'
  416. subs[lang] = {
  417. 'ext': 'srt',
  418. 'data': srt_data
  419. }
  420. if new_ext == 'srt':
  421. continue
  422. self.run_ffmpeg(
  423. subtitles_filename(filename, lang, ext),
  424. new_file, ['-f', new_format])
  425. with io.open(new_file, 'rt', encoding='utf-8') as f:
  426. subs[lang] = {
  427. 'ext': ext,
  428. 'data': f.read(),
  429. }
  430. return [], info