]> git.immae.eu Git - github/Chocobozzz/PeerTube.git/blame - server/tools/peertube-import-videos.ts
Merge remote-tracking branch 'weblate/develop' into develop
[github/Chocobozzz/PeerTube.git] / server / tools / peertube-import-videos.ts
CommitLineData
2aaa1a3f
C
1import { registerTSPaths } from '../helpers/register-ts-paths'
2registerTSPaths()
3
82f5527f 4import * as program from 'commander'
d7764e2e 5import { accessSync, constants } from 'fs'
82f5527f
F
6import { remove } from 'fs-extra'
7import { truncate } from 'lodash'
d7764e2e 8import { join } from 'path'
82f5527f 9import * as prompt from 'prompt'
d7764e2e
C
10import { promisify } from 'util'
11import { advancedVideosSearch, getClient, getVideoCategories, login, uploadVideo } from '../../shared/extra-utils/index'
fa27f076 12import { sha256 } from '../helpers/core-utils'
d7764e2e 13import { doRequestAndSaveToFile } from '../helpers/requests'
454c20fa 14import { buildOriginallyPublishedAt, getYoutubeDLVideoFormat, safeGetYoutubeDL } from '../helpers/youtube-dl'
d7764e2e 15import { CONSTRAINTS_FIELDS } from '../initializers/constants'
a1587156 16import { buildCommonVideoOptions, buildVideoAttributesFromCommander, getLogger, getServerCredentials } from './cli'
8704acf4 17
1a12f66d
C
18type UserInfo = {
19 username: string
20 password: string
21}
8704acf4
RK
22
23const processOptions = {
8704acf4
RK
24 maxBuffer: Infinity
25}
a7fea183 26
1205823f 27let command = program
8704acf4 28 .name('import-videos')
1205823f
C
29
30command = buildCommonVideoOptions(command)
31
32command
a7fea183
C
33 .option('-u, --url <url>', 'Server url')
34 .option('-U, --username <username>', 'Username')
35 .option('-p, --password <token>', 'Password')
d0198ff9
F
36 .option('--target-url <targetUrl>', 'Video target URL')
37 .option('--since <since>', 'Publication date (inclusive) since which the videos can be imported (YYYY-MM-DD)', parseDate)
38 .option('--until <until>', 'Publication date (inclusive) until which the videos can be imported (YYYY-MM-DD)', parseDate)
bda3b705
FL
39 .option('--first <first>', 'Process first n elements of returned playlist')
40 .option('--last <last>', 'Process last n elements of returned playlist')
82f5527f 41 .option('--wait-interval <waitInterval>', 'Duration between two video imports (in seconds)', convertIntoMs)
bda3b705 42 .option('-T, --tmpdir <tmpdir>', 'Working directory', __dirname)
79ee77ea 43 .usage("[global options] [ -- youtube-dl options]")
a7fea183
C
44 .parse(process.argv)
45
ba5a8d89
C
46const options = command.opts()
47
48const log = getLogger(options.verbose)
bda3b705 49
8d2be0ed
C
50getServerCredentials(command)
51 .then(({ url, username, password }) => {
ba5a8d89 52 if (!options.targetUrl) {
bda3b705
FL
53 exitError('--target-url field is required.')
54 }
e8a739e8 55
bda3b705 56 try {
ba5a8d89 57 accessSync(options.tmpdir, constants.R_OK | constants.W_OK)
bda3b705 58 } catch (e) {
ba5a8d89 59 exitError('--tmpdir %s: directory does not exist or is not accessible', options.tmpdir)
8d2be0ed 60 }
066fc8ba 61
da69b886 62 url = normalizeTargetUrl(url)
ba5a8d89 63 options.targetUrl = normalizeTargetUrl(options.targetUrl)
ab4dbe36 64
8d2be0ed 65 const user = { username, password }
8a2db2e8 66
8d2be0ed 67 run(url, user)
a1587156 68 .catch(err => exitError(err))
8d2be0ed 69 })
a1587156 70 .catch(err => console.error(err))
a7fea183 71
1a12f66d 72async function run (url: string, user: UserInfo) {
e2b9d0ca
JL
73 if (!user.password) {
74 user.password = await promptPassword()
066fc8ba 75 }
8a2db2e8 76
8704acf4
RK
77 const youtubeDL = await safeGetYoutubeDL()
78
ba5a8d89 79 let info = await getYoutubeDLInfo(youtubeDL, options.targetUrl, command.args)
79ee77ea 80
5721fd83 81 if (!Array.isArray(info)) info = [ info ]
a7fea183 82
5721fd83
C
83 // Try to fix youtube channels upload
84 const uploadsObject = info.find(i => !i.ie_key && !i.duration && i.title === 'Uploads')
85
86 if (uploadsObject) {
87 console.log('Fixing URL to %s.', uploadsObject.url)
88
89 info = await getYoutubeDLInfo(youtubeDL, uploadsObject.url, command.args)
de29e90c 90 }
a7fea183 91
de29e90c 92 let infoArray: any[]
bda3b705 93
de29e90c 94 infoArray = [].concat(info)
ba5a8d89
C
95 if (options.first) {
96 infoArray = infoArray.slice(0, options.first)
97 } else if (options.last) {
98 infoArray = infoArray.slice(-options.last)
de29e90c 99 }
82f5527f 100 // Normalize utf8 fields
de29e90c 101 infoArray = infoArray.map(i => normalizeObject(i))
a7fea183 102
de29e90c
C
103 log.info('Will download and upload %d videos.\n', infoArray.length)
104
82f5527f 105 for (const [ index, info ] of infoArray.entries()) {
de29e90c 106 try {
ba5a8d89
C
107 if (index > 0 && options.waitInterval) {
108 log.info("Wait for %d seconds before continuing.", options.waitInterval / 1000)
109 await new Promise(res => setTimeout(res, options.waitInterval))
82f5527f 110 }
de29e90c 111 await processVideo({
ba5a8d89 112 cwd: options.tmpdir,
de29e90c
C
113 url,
114 user,
115 youtubeInfo: info
116 })
117 } catch (err) {
82f5527f 118 console.error('Cannot process video.', { info, url, err })
a7fea183 119 }
de29e90c 120 }
a7fea183 121
ba5a8d89 122 log.info('Video/s for user %s imported: %s', user.username, options.targetUrl)
de29e90c 123 process.exit(0)
a7fea183
C
124}
125
82f5527f 126async function processVideo (parameters: {
a1587156
C
127 cwd: string
128 url: string
129 user: { username: string, password: string }
1a12f66d
C
130 youtubeInfo: any
131}) {
132 const { youtubeInfo, cwd, url, user } = parameters
133
82f5527f 134 log.debug('Fetching object.', youtubeInfo)
61b3e146 135
82f5527f
F
136 const videoInfo = await fetchObject(youtubeInfo)
137 log.debug('Fetched object.', videoInfo)
d0198ff9 138
82f5527f 139 const originallyPublishedAt = buildOriginallyPublishedAt(videoInfo)
ba5a8d89 140 if (options.since && originallyPublishedAt && originallyPublishedAt.getTime() < options.since.getTime()) {
82f5527f 141 log.info('Video "%s" has been published before "%s", don\'t upload it.\n',
ba5a8d89 142 videoInfo.title, formatDate(options.since))
82f5527f
F
143 return
144 }
ba5a8d89 145 if (options.until && originallyPublishedAt && originallyPublishedAt.getTime() > options.until.getTime()) {
82f5527f 146 log.info('Video "%s" has been published after "%s", don\'t upload it.\n',
ba5a8d89 147 videoInfo.title, formatDate(options.until))
82f5527f
F
148 return
149 }
e7872038 150
d7764e2e 151 const result = await advancedVideosSearch(url, { search: videoInfo.title, sort: '-match', searchTarget: 'local' })
e7872038 152
82f5527f 153 log.info('############################################################\n')
a7fea183 154
82f5527f
F
155 if (result.body.data.find(v => v.name === videoInfo.title)) {
156 log.info('Video "%s" already exists, don\'t reupload it.\n', videoInfo.title)
157 return
158 }
a7fea183 159
82f5527f 160 const path = join(cwd, sha256(videoInfo.url) + '.mp4')
a7fea183 161
82f5527f 162 log.info('Downloading video "%s"...', videoInfo.title)
f97d2992 163
ba5a8d89 164 const youtubeDLOptions = [ '-f', getYoutubeDLVideoFormat(), ...command.args, '-o', path ]
82f5527f
F
165 try {
166 const youtubeDL = await safeGetYoutubeDL()
167 const youtubeDLExec = promisify(youtubeDL.exec).bind(youtubeDL)
ba5a8d89 168 const output = await youtubeDLExec(videoInfo.url, youtubeDLOptions, processOptions)
82f5527f
F
169 log.info(output.join('\n'))
170 await uploadVideoOnPeerTube({
171 cwd,
172 url,
173 user,
174 videoInfo: normalizeObject(videoInfo),
175 videoPath: path
176 })
177 } catch (err) {
178 log.error(err.message)
179 }
a7fea183
C
180}
181
1a12f66d 182async function uploadVideoOnPeerTube (parameters: {
a1587156
C
183 videoInfo: any
184 videoPath: string
185 cwd: string
186 url: string
187 user: { username: string, password: string }
1a12f66d
C
188}) {
189 const { videoInfo, videoPath, cwd, url, user } = parameters
190
8704acf4 191 const category = await getCategory(videoInfo.categories, url)
a7fea183 192 const licence = getLicence(videoInfo.license)
34cbef8c
C
193 let tags = []
194 if (Array.isArray(videoInfo.tags)) {
02988fdc 195 tags = videoInfo.tags
2b4dd7e2
C
196 .filter(t => t.length < CONSTRAINTS_FIELDS.VIDEOS.TAG.max && t.length > CONSTRAINTS_FIELDS.VIDEOS.TAG.min)
197 .map(t => t.normalize())
198 .slice(0, 5)
34cbef8c 199 }
a7fea183 200
1d791a26
C
201 let thumbnailfile
202 if (videoInfo.thumbnail) {
fa27f076 203 thumbnailfile = join(cwd, sha256(videoInfo.thumbnail) + '.jpg')
1d791a26 204
b5c36108 205 await doRequestAndSaveToFile(videoInfo.thumbnail, thumbnailfile)
1d791a26
C
206 }
207
c74c9be9 208 const originallyPublishedAt = buildOriginallyPublishedAt(videoInfo)
84929846 209
1205823f 210 const defaultAttributes = {
45b8a42c 211 name: truncate(videoInfo.title, {
a1587156
C
212 length: CONSTRAINTS_FIELDS.VIDEOS.NAME.max,
213 separator: /,? +/,
214 omission: ' […]'
45b8a42c 215 }),
a7fea183
C
216 category,
217 licence,
a41e183c 218 nsfw: isNSFW(videoInfo),
1205823f
C
219 description: videoInfo.description,
220 tags
a7fea183
C
221 }
222
1205823f
C
223 const videoAttributes = await buildVideoAttributesFromCommander(url, program, defaultAttributes)
224
225 Object.assign(videoAttributes, {
226 originallyPublishedAt: originallyPublishedAt ? originallyPublishedAt.toISOString() : null,
227 thumbnailfile,
228 previewfile: thumbnailfile,
229 fixture: videoPath
230 })
1a12f66d 231
bda3b705 232 log.info('\nUploading on PeerTube video "%s".', videoAttributes.name)
1a12f66d
C
233
234 let accessToken = await getAccessTokenOrDie(url, user)
235
71578f31 236 try {
8704acf4 237 await uploadVideo(url, accessToken, videoAttributes)
61b3e146 238 } catch (err) {
b6fe1f98 239 if (err.message.indexOf('401') !== -1) {
bda3b705 240 log.info('Got 401 Unauthorized, token may have expired, renewing token and retry.')
61b3e146 241
1a12f66d 242 accessToken = await getAccessTokenOrDie(url, user)
61b3e146 243
8704acf4 244 await uploadVideo(url, accessToken, videoAttributes)
61b3e146 245 } else {
bda3b705 246 exitError(err.message)
71578f31
L
247 }
248 }
1d791a26 249
62689b94
C
250 await remove(videoPath)
251 if (thumbnailfile) await remove(thumbnailfile)
1d791a26 252
bda3b705 253 log.warn('Uploaded video "%s"!\n', videoAttributes.name)
a7fea183
C
254}
255
1a12f66d
C
256/* ---------------------------------------------------------- */
257
8704acf4 258async function getCategory (categories: string[], url: string) {
61b3e146
C
259 if (!categories) return undefined
260
a1587156 261 const categoryString = categories[0]
a7fea183
C
262
263 if (categoryString === 'News & Politics') return 11
264
8704acf4 265 const res = await getVideoCategories(url)
a7fea183
C
266 const categoriesServer = res.body
267
268 for (const key of Object.keys(categoriesServer)) {
a1587156 269 const categoryServer = categoriesServer[key]
a7fea183
C
270 if (categoryString.toLowerCase() === categoryServer.toLowerCase()) return parseInt(key, 10)
271 }
272
273 return undefined
274}
275
276function getLicence (licence: string) {
61b3e146
C
277 if (!licence) return undefined
278
bdd428a6 279 if (licence.includes('Creative Commons Attribution licence')) return 1
a7fea183
C
280
281 return undefined
282}
e7872038
C
283
284function normalizeObject (obj: any) {
285 const newObj: any = {}
286
287 for (const key of Object.keys(obj)) {
288 // Deprecated key
289 if (key === 'resolution') continue
290
a1587156 291 const value = obj[key]
e7872038
C
292
293 if (typeof value === 'string') {
a1587156 294 newObj[key] = value.normalize()
e7872038 295 } else {
a1587156 296 newObj[key] = value
e7872038
C
297 }
298 }
299
300 return newObj
301}
61b3e146
C
302
303function fetchObject (info: any) {
304 const url = buildUrl(info)
305
306 return new Promise<any>(async (res, rej) => {
8704acf4 307 const youtubeDL = await safeGetYoutubeDL()
a1587156 308 youtubeDL.getInfo(url, undefined, processOptions, (err, videoInfo) => {
61b3e146
C
309 if (err) return rej(err)
310
311 const videoInfoWithUrl = Object.assign(videoInfo, { url })
312 return res(normalizeObject(videoInfoWithUrl))
313 })
314 })
315}
316
317function buildUrl (info: any) {
a41e183c 318 const webpageUrl = info.webpage_url as string
a1587156 319 if (webpageUrl?.match(/^https?:\/\//)) return webpageUrl
a41e183c 320
61b3e146 321 const url = info.url as string
a1587156 322 if (url?.match(/^https?:\/\//)) return url
61b3e146
C
323
324 // It seems youtube-dl does not return the video url
325 return 'https://www.youtube.com/watch?v=' + info.id
326}
a41e183c
C
327
328function isNSFW (info: any) {
1a12f66d 329 return info.age_limit && info.age_limit >= 16
a41e183c 330}
ab4dbe36 331
da69b886
C
332function normalizeTargetUrl (url: string) {
333 let normalizedUrl = url.replace(/\/+$/, '')
334
4449d269 335 if (!normalizedUrl.startsWith('http://') && !normalizedUrl.startsWith('https://')) {
da69b886
C
336 normalizedUrl = 'https://' + normalizedUrl
337 }
338
339 return normalizedUrl
ab4dbe36 340}
1a12f66d
C
341
342async function promptPassword () {
343 return new Promise<string>((res, rej) => {
344 prompt.start()
345 const schema = {
346 properties: {
347 password: {
348 hidden: true,
349 required: true
350 }
351 }
352 }
353 prompt.get(schema, function (err, result) {
354 if (err) {
355 return rej(err)
356 }
357 return res(result.password)
358 })
359 })
360}
361
362async function getAccessTokenOrDie (url: string, user: UserInfo) {
363 const resClient = await getClient(url)
364 const client = {
365 id: resClient.body.client_id,
366 secret: resClient.body.client_secret
367 }
368
369 try {
370 const res = await login(url, client, user)
371 return res.body.access_token
372 } catch (err) {
bda3b705 373 exitError('Cannot authenticate. Please check your username/password.')
1a12f66d
C
374 }
375}
d0198ff9
F
376
377function parseDate (dateAsStr: string): Date {
378 if (!/\d{4}-\d{2}-\d{2}/.test(dateAsStr)) {
da69b886 379 exitError(`Invalid date passed: ${dateAsStr}. Expected format: YYYY-MM-DD. See help for usage.`)
d0198ff9 380 }
da69b886
C
381 const date = new Date(dateAsStr)
382 date.setHours(0, 0, 0)
d0198ff9 383 if (isNaN(date.getTime())) {
da69b886 384 exitError(`Invalid date passed: ${dateAsStr}. See help for usage.`)
d0198ff9 385 }
da69b886 386 return date
d0198ff9
F
387}
388
389function formatDate (date: Date): string {
a1587156 390 return date.toISOString().split('T')[0]
d0198ff9 391}
bda3b705 392
82f5527f
F
393function convertIntoMs (secondsAsStr: string): number {
394 const seconds = parseInt(secondsAsStr, 10)
395 if (seconds <= 0) {
396 exitError(`Invalid duration passed: ${seconds}. Expected duration to be strictly positive and in seconds`)
397 }
398 return Math.round(seconds * 1000)
399}
400
da69b886 401function exitError (message: string, ...meta: any[]) {
bda3b705
FL
402 // use console.error instead of log.error here
403 console.error(message, ...meta)
404 process.exit(-1)
405}
de29e90c
C
406
407function getYoutubeDLInfo (youtubeDL: any, url: string, args: string[]) {
408 return new Promise<any>((res, rej) => {
409 const options = [ '-j', '--flat-playlist', '--playlist-reverse', ...args ]
410
411 youtubeDL.getInfo(url, options, processOptions, async (err, info) => {
412 if (err) return rej(err)
413
414 return res(info)
415 })
416 })
417}