]> git.immae.eu Git - github/Chocobozzz/PeerTube.git/blame - server/helpers/youtube-dl/youtube-dl-cli.ts
Fix channel sync right check
[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
5e2afe42 60 static getYoutubeDLVideoFormat (enabledResolutions: VideoResolution[], useBestFormat: boolean) {
62549e6c
C
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 **/
5e2afe42
C
72
73 let result: string[] = []
74
75 if (!useBestFormat) {
76 const resolution = enabledResolutions.length === 0
77 ? VideoResolution.H_720P
78 : Math.max(...enabledResolutions)
79
80 result = [
81 `bestvideo[vcodec^=avc1][height=${resolution}]+bestaudio[ext=m4a]`, // case #1
82 `bestvideo[vcodec!*=av01][vcodec!*=vp9.2][height=${resolution}]+bestaudio`, // case #2
83 `bestvideo[vcodec^=avc1][height<=${resolution}]+bestaudio[ext=m4a]` // case #
84 ]
85 }
86
87 return result.concat([
88 'bestvideo[vcodec!*=av01][vcodec!*=vp9.2]+bestaudio',
62549e6c 89 'best[vcodec!*=av01][vcodec!*=vp9.2]', // case fallback for known formats
2a491182 90 'bestvideo[ext=mp4]+bestaudio[ext=m4a]',
62549e6c 91 'best' // Ultimate fallback
5e2afe42 92 ]).join('/')
62549e6c
C
93 }
94
95 private constructor () {
96
97 }
98
99 download (options: {
100 url: string
101 format: string
102 output: string
103 processOptions: execa.NodeOptions
350b866f 104 timeout?: number
62549e6c
C
105 additionalYoutubeDLArgs?: string[]
106 }) {
2a491182
F
107 let args = options.additionalYoutubeDLArgs || []
108 args = args.concat([ '--merge-output-format', 'mp4', '-f', options.format, '-o', options.output ])
109
62549e6c
C
110 return this.run({
111 url: options.url,
112 processOptions: options.processOptions,
7630e1c8 113 timeout: options.timeout,
2a491182 114 args
62549e6c
C
115 })
116 }
117
118 async getInfo (options: {
119 url: string
120 format: string
121 processOptions: execa.NodeOptions
122 additionalYoutubeDLArgs?: string[]
123 }) {
124 const { url, format, additionalYoutubeDLArgs = [], processOptions } = options
125
126 const completeArgs = additionalYoutubeDLArgs.concat([ '--dump-json', '-f', format ])
127
128 const data = await this.run({ url, args: completeArgs, processOptions })
ea139ca8
C
129 if (!data) return undefined
130
62549e6c
C
131 const info = data.map(this.parseInfo)
132
133 return info.length === 1
134 ? info[0]
135 : info
136 }
137
2a491182
F
138 getListInfo (options: {
139 url: string
140 latestVideosCount?: number
141 processOptions: execa.NodeOptions
142 }): Promise<{ upload_date: string, webpage_url: string }[]> {
143 const additionalYoutubeDLArgs = [ '--skip-download', '--playlist-reverse' ]
144
145 if (options.latestVideosCount !== undefined) {
146 additionalYoutubeDLArgs.push('--playlist-end', options.latestVideosCount.toString())
147 }
148
149 return this.getInfo({
150 url: options.url,
151 format: YoutubeDLCLI.getYoutubeDLVideoFormat([], false),
152 processOptions: options.processOptions,
153 additionalYoutubeDLArgs
154 })
155 }
156
62549e6c
C
157 async getSubs (options: {
158 url: string
159 format: 'vtt'
160 processOptions: execa.NodeOptions
161 }) {
162 const { url, format, processOptions } = options
163
164 const args = [ '--skip-download', '--all-subs', `--sub-format=${format}` ]
165
166 const data = await this.run({ url, args, processOptions })
167 const files: string[] = []
168
169 const skipString = '[info] Writing video subtitles to: '
170
171 for (let i = 0, len = data.length; i < len; i++) {
172 const line = data[i]
173
174 if (line.indexOf(skipString) === 0) {
175 files.push(line.slice(skipString.length))
176 }
177 }
178
179 return files
180 }
181
182 private async run (options: {
183 url: string
184 args: string[]
7630e1c8 185 timeout?: number
62549e6c
C
186 processOptions: execa.NodeOptions
187 }) {
7630e1c8 188 const { url, args, timeout, processOptions } = options
62549e6c
C
189
190 let completeArgs = this.wrapWithProxyOptions(args)
191 completeArgs = this.wrapWithIPOptions(completeArgs)
192 completeArgs = this.wrapWithFFmpegOptions(completeArgs)
193
22c77786 194 const { PYTHON_PATH } = CONFIG.IMPORT.VIDEOS.HTTP.YOUTUBE_DL_RELEASE
7630e1c8
C
195 const subProcess = execa(PYTHON_PATH, [ youtubeDLBinaryPath, ...completeArgs, url ], processOptions)
196
197 if (timeout) {
198 setTimeout(() => subProcess.cancel(), timeout)
199 }
200
201 const output = await subProcess
62549e6c 202
2a491182 203 logger.debug('Run youtube-dl command.', { command: output.command, ...lTags() })
62549e6c
C
204
205 return output.stdout
206 ? output.stdout.trim().split(/\r?\n/)
207 : undefined
208 }
209
210 private wrapWithProxyOptions (args: string[]) {
211 if (isProxyEnabled()) {
212 logger.debug('Using proxy %s for YoutubeDL', getProxy(), lTags())
213
214 return [ '--proxy', getProxy() ].concat(args)
215 }
216
217 return args
218 }
219
220 private wrapWithIPOptions (args: string[]) {
221 if (CONFIG.IMPORT.VIDEOS.HTTP.FORCE_IPV4) {
222 logger.debug('Force ipv4 for YoutubeDL')
223
224 return [ '--force-ipv4' ].concat(args)
225 }
226
227 return args
228 }
229
230 private wrapWithFFmpegOptions (args: string[]) {
231 if (process.env.FFMPEG_PATH) {
232 logger.debug('Using ffmpeg location %s for YoutubeDL', process.env.FFMPEG_PATH, lTags())
233
234 return [ '--ffmpeg-location', process.env.FFMPEG_PATH ].concat(args)
235 }
236
237 return args
238 }
239
240 private parseInfo (data: string) {
241 return JSON.parse(data)
242 }
243}