]> git.immae.eu Git - github/Chocobozzz/PeerTube.git/blame - server/helpers/youtube-dl/youtube-dl-cli.ts
Fix resolution to transcode hook name
[github/Chocobozzz/PeerTube.git] / server / helpers / youtube-dl / youtube-dl-cli.ts
CommitLineData
62549e6c 1import execa from 'execa'
88f16927
C
2import { ensureDir, pathExists, writeFile } from 'fs-extra'
3import { dirname, join } from 'path'
62549e6c
C
4import { CONFIG } from '@server/initializers/config'
5import { VideoResolution } from '@shared/models'
6import { logger, loggerTagsFactory } from '../logger'
7import { getProxy, isProxyEnabled } from '../proxy'
8import { isBinaryResponse, peertubeGot } from '../requests'
9
10const lTags = loggerTagsFactory('youtube-dl')
11
12const youtubeDLBinaryPath = join(CONFIG.STORAGE.BIN_DIR, CONFIG.IMPORT.VIDEOS.HTTP.YOUTUBE_DL_RELEASE.NAME)
13
14export class YoutubeDLCLI {
15
16 static async safeGet () {
17 if (!await pathExists(youtubeDLBinaryPath)) {
88f16927
C
18 await ensureDir(dirname(youtubeDLBinaryPath))
19
62549e6c
C
20 await this.updateYoutubeDLBinary()
21 }
22
23 return new YoutubeDLCLI()
24 }
25
26 static async updateYoutubeDLBinary () {
27 const url = CONFIG.IMPORT.VIDEOS.HTTP.YOUTUBE_DL_RELEASE.URL
28
29 logger.info('Updating youtubeDL binary from %s.', url, lTags())
30
31 const gotOptions = { context: { bodyKBLimit: 20_000 }, responseType: 'buffer' as 'buffer' }
32
33 try {
34 let gotResult = await peertubeGot(url, gotOptions)
35
36 if (!isBinaryResponse(gotResult)) {
37 const json = JSON.parse(gotResult.body.toString())
38 const latest = json.filter(release => release.prerelease === false)[0]
39 if (!latest) throw new Error('Cannot find latest release')
40
41 const releaseName = CONFIG.IMPORT.VIDEOS.HTTP.YOUTUBE_DL_RELEASE.NAME
42 const releaseAsset = latest.assets.find(a => a.name === releaseName)
43 if (!releaseAsset) throw new Error(`Cannot find appropriate release with name ${releaseName} in release assets`)
44
45 gotResult = await peertubeGot(releaseAsset.browser_download_url, gotOptions)
46 }
47
48 if (!isBinaryResponse(gotResult)) {
49 throw new Error('Not a binary response')
50 }
51
52 await writeFile(youtubeDLBinaryPath, gotResult.body)
53
54 logger.info('youtube-dl updated %s.', youtubeDLBinaryPath, lTags())
55 } catch (err) {
56 logger.error('Cannot update youtube-dl from %s.', url, { err, ...lTags() })
57 }
58 }
59
60 static getYoutubeDLVideoFormat (enabledResolutions: VideoResolution[]) {
61 /**
62 * list of format selectors in order or preference
63 * see https://github.com/ytdl-org/youtube-dl#format-selection
64 *
65 * case #1 asks for a mp4 using h264 (avc1) and the exact resolution in the hope
66 * of being able to do a "quick-transcode"
67 * case #2 is the first fallback. No "quick-transcode" means we can get anything else (like vp9)
68 * case #3 is the resolution-degraded equivalent of #1, and already a pretty safe fallback
69 *
70 * in any case we avoid AV1, see https://github.com/Chocobozzz/PeerTube/issues/3499
71 **/
72 const resolution = enabledResolutions.length === 0
73 ? VideoResolution.H_720P
74 : Math.max(...enabledResolutions)
75
76 return [
77 `bestvideo[vcodec^=avc1][height=${resolution}]+bestaudio[ext=m4a]`, // case #1
78 `bestvideo[vcodec!*=av01][vcodec!*=vp9.2][height=${resolution}]+bestaudio`, // case #2
79 `bestvideo[vcodec^=avc1][height<=${resolution}]+bestaudio[ext=m4a]`, // case #3
80 `bestvideo[vcodec!*=av01][vcodec!*=vp9.2]+bestaudio`,
81 'best[vcodec!*=av01][vcodec!*=vp9.2]', // case fallback for known formats
82 'best' // Ultimate fallback
83 ].join('/')
84 }
85
86 private constructor () {
87
88 }
89
90 download (options: {
91 url: string
92 format: string
93 output: string
94 processOptions: execa.NodeOptions
350b866f 95 timeout?: number
62549e6c
C
96 additionalYoutubeDLArgs?: string[]
97 }) {
98 return this.run({
99 url: options.url,
100 processOptions: options.processOptions,
7630e1c8 101 timeout: options.timeout,
62549e6c
C
102 args: (options.additionalYoutubeDLArgs || []).concat([ '-f', options.format, '-o', options.output ])
103 })
104 }
105
106 async getInfo (options: {
107 url: string
108 format: string
109 processOptions: execa.NodeOptions
110 additionalYoutubeDLArgs?: string[]
111 }) {
112 const { url, format, additionalYoutubeDLArgs = [], processOptions } = options
113
114 const completeArgs = additionalYoutubeDLArgs.concat([ '--dump-json', '-f', format ])
115
116 const data = await this.run({ url, args: completeArgs, processOptions })
117 const info = data.map(this.parseInfo)
118
119 return info.length === 1
120 ? info[0]
121 : info
122 }
123
124 async getSubs (options: {
125 url: string
126 format: 'vtt'
127 processOptions: execa.NodeOptions
128 }) {
129 const { url, format, processOptions } = options
130
131 const args = [ '--skip-download', '--all-subs', `--sub-format=${format}` ]
132
133 const data = await this.run({ url, args, processOptions })
134 const files: string[] = []
135
136 const skipString = '[info] Writing video subtitles to: '
137
138 for (let i = 0, len = data.length; i < len; i++) {
139 const line = data[i]
140
141 if (line.indexOf(skipString) === 0) {
142 files.push(line.slice(skipString.length))
143 }
144 }
145
146 return files
147 }
148
149 private async run (options: {
150 url: string
151 args: string[]
7630e1c8 152 timeout?: number
62549e6c
C
153 processOptions: execa.NodeOptions
154 }) {
7630e1c8 155 const { url, args, timeout, processOptions } = options
62549e6c
C
156
157 let completeArgs = this.wrapWithProxyOptions(args)
158 completeArgs = this.wrapWithIPOptions(completeArgs)
159 completeArgs = this.wrapWithFFmpegOptions(completeArgs)
160
22c77786 161 const { PYTHON_PATH } = CONFIG.IMPORT.VIDEOS.HTTP.YOUTUBE_DL_RELEASE
7630e1c8
C
162 const subProcess = execa(PYTHON_PATH, [ youtubeDLBinaryPath, ...completeArgs, url ], processOptions)
163
164 if (timeout) {
165 setTimeout(() => subProcess.cancel(), timeout)
166 }
167
168 const output = await subProcess
62549e6c 169
b2ad0090 170 logger.debug('Runned youtube-dl command.', { command: output.command, ...lTags() })
62549e6c
C
171
172 return output.stdout
173 ? output.stdout.trim().split(/\r?\n/)
174 : undefined
175 }
176
177 private wrapWithProxyOptions (args: string[]) {
178 if (isProxyEnabled()) {
179 logger.debug('Using proxy %s for YoutubeDL', getProxy(), lTags())
180
181 return [ '--proxy', getProxy() ].concat(args)
182 }
183
184 return args
185 }
186
187 private wrapWithIPOptions (args: string[]) {
188 if (CONFIG.IMPORT.VIDEOS.HTTP.FORCE_IPV4) {
189 logger.debug('Force ipv4 for YoutubeDL')
190
191 return [ '--force-ipv4' ].concat(args)
192 }
193
194 return args
195 }
196
197 private wrapWithFFmpegOptions (args: string[]) {
198 if (process.env.FFMPEG_PATH) {
199 logger.debug('Using ffmpeg location %s for YoutubeDL', process.env.FFMPEG_PATH, lTags())
200
201 return [ '--ffmpeg-location', process.env.FFMPEG_PATH ].concat(args)
202 }
203
204 return args
205 }
206
207 private parseInfo (data: string) {
208 return JSON.parse(data)
209 }
210}