]> git.immae.eu Git - github/Chocobozzz/PeerTube.git/blob - server/controllers/api/videos/import.ts
Remove previous thumbnail if needed
[github/Chocobozzz/PeerTube.git] / server / controllers / api / videos / import.ts
1 import * as express from 'express'
2 import { move, readFile } from 'fs-extra'
3 import * as magnetUtil from 'magnet-uri'
4 import * as parseTorrent from 'parse-torrent'
5 import { join } from 'path'
6 import { setVideoTags } from '@server/lib/video'
7 import {
8 MChannelAccountDefault,
9 MThumbnail,
10 MUser,
11 MVideoAccountDefault,
12 MVideoCaption,
13 MVideoTag,
14 MVideoThumbnail,
15 MVideoWithBlacklistLight
16 } from '@server/types/models'
17 import { MVideoImport, MVideoImportFormattable } from '@server/types/models/video/video-import'
18 import { VideoImportCreate, VideoImportState, VideoPrivacy, VideoState } from '../../../../shared'
19 import { HttpStatusCode } from '../../../../shared/core-utils/miscs/http-error-codes'
20 import { ThumbnailType } from '../../../../shared/models/videos/thumbnail.type'
21 import { auditLoggerFactory, getAuditIdFromRes, VideoImportAuditView } from '../../../helpers/audit-logger'
22 import { moveAndProcessCaptionFile } from '../../../helpers/captions-utils'
23 import { isArray } from '../../../helpers/custom-validators/misc'
24 import { createReqFiles } from '../../../helpers/express-utils'
25 import { logger } from '../../../helpers/logger'
26 import { getSecureTorrentName } from '../../../helpers/utils'
27 import { getYoutubeDLInfo, getYoutubeDLSubs, YoutubeDLInfo } from '../../../helpers/youtube-dl'
28 import { CONFIG } from '../../../initializers/config'
29 import { MIMETYPES } from '../../../initializers/constants'
30 import { sequelizeTypescript } from '../../../initializers/database'
31 import { getLocalVideoActivityPubUrl } from '../../../lib/activitypub/url'
32 import { JobQueue } from '../../../lib/job-queue/job-queue'
33 import { createVideoMiniatureFromExisting, createVideoMiniatureFromUrl } from '../../../lib/thumbnail'
34 import { autoBlacklistVideoIfNeeded } from '../../../lib/video-blacklist'
35 import { asyncMiddleware, asyncRetryTransactionMiddleware, authenticate, videoImportAddValidator } from '../../../middlewares'
36 import { VideoModel } from '../../../models/video/video'
37 import { VideoCaptionModel } from '../../../models/video/video-caption'
38 import { VideoImportModel } from '../../../models/video/video-import'
39
40 const auditLogger = auditLoggerFactory('video-imports')
41 const videoImportsRouter = express.Router()
42
43 const reqVideoFileImport = createReqFiles(
44 [ 'thumbnailfile', 'previewfile', 'torrentfile' ],
45 Object.assign({}, MIMETYPES.TORRENT.MIMETYPE_EXT, MIMETYPES.IMAGE.MIMETYPE_EXT),
46 {
47 thumbnailfile: CONFIG.STORAGE.TMP_DIR,
48 previewfile: CONFIG.STORAGE.TMP_DIR,
49 torrentfile: CONFIG.STORAGE.TMP_DIR
50 }
51 )
52
53 videoImportsRouter.post('/imports',
54 authenticate,
55 reqVideoFileImport,
56 asyncMiddleware(videoImportAddValidator),
57 asyncRetryTransactionMiddleware(addVideoImport)
58 )
59
60 // ---------------------------------------------------------------------------
61
62 export {
63 videoImportsRouter
64 }
65
66 // ---------------------------------------------------------------------------
67
68 function addVideoImport (req: express.Request, res: express.Response) {
69 if (req.body.targetUrl) return addYoutubeDLImport(req, res)
70
71 const file = req.files?.['torrentfile']?.[0]
72 if (req.body.magnetUri || file) return addTorrentImport(req, res, file)
73 }
74
75 async function addTorrentImport (req: express.Request, res: express.Response, torrentfile: Express.Multer.File) {
76 const body: VideoImportCreate = req.body
77 const user = res.locals.oauth.token.User
78
79 let videoName: string
80 let torrentName: string
81 let magnetUri: string
82
83 if (torrentfile) {
84 torrentName = torrentfile.originalname
85
86 // Rename the torrent to a secured name
87 const newTorrentPath = join(CONFIG.STORAGE.TORRENTS_DIR, getSecureTorrentName(torrentName))
88 await move(torrentfile.path, newTorrentPath)
89 torrentfile.path = newTorrentPath
90
91 const buf = await readFile(torrentfile.path)
92 const parsedTorrent = parseTorrent(buf)
93
94 videoName = isArray(parsedTorrent.name) ? parsedTorrent.name[0] : parsedTorrent.name as string
95 } else {
96 magnetUri = body.magnetUri
97
98 const parsed = magnetUtil.decode(magnetUri)
99 videoName = isArray(parsed.name) ? parsed.name[0] : parsed.name as string
100 }
101
102 const video = buildVideo(res.locals.videoChannel.id, body, { name: videoName })
103
104 const thumbnailModel = await processThumbnail(req, video)
105 const previewModel = await processPreview(req, video)
106
107 const tags = body.tags || undefined
108 const videoImportAttributes = {
109 magnetUri,
110 torrentName,
111 state: VideoImportState.PENDING,
112 userId: user.id
113 }
114 const videoImport = await insertIntoDB({
115 video,
116 thumbnailModel,
117 previewModel,
118 videoChannel: res.locals.videoChannel,
119 tags,
120 videoImportAttributes,
121 user
122 })
123
124 // Create job to import the video
125 const payload = {
126 type: torrentfile ? 'torrent-file' as 'torrent-file' : 'magnet-uri' as 'magnet-uri',
127 videoImportId: videoImport.id,
128 magnetUri
129 }
130 await JobQueue.Instance.createJobWithPromise({ type: 'video-import', payload })
131
132 auditLogger.create(getAuditIdFromRes(res), new VideoImportAuditView(videoImport.toFormattedJSON()))
133
134 return res.json(videoImport.toFormattedJSON()).end()
135 }
136
137 async function addYoutubeDLImport (req: express.Request, res: express.Response) {
138 const body: VideoImportCreate = req.body
139 const targetUrl = body.targetUrl
140 const user = res.locals.oauth.token.User
141
142 // Get video infos
143 let youtubeDLInfo: YoutubeDLInfo
144 try {
145 youtubeDLInfo = await getYoutubeDLInfo(targetUrl)
146 } catch (err) {
147 logger.info('Cannot fetch information from import for URL %s.', targetUrl, { err })
148
149 return res.status(HttpStatusCode.BAD_REQUEST_400)
150 .json({
151 error: 'Cannot fetch remote information of this URL.'
152 })
153 }
154
155 const video = buildVideo(res.locals.videoChannel.id, body, youtubeDLInfo)
156
157 // Process video thumbnail from request.files
158 let thumbnailModel = await processThumbnail(req, video)
159
160 // Process video thumbnail from url if processing from request.files failed
161 if (!thumbnailModel && youtubeDLInfo.thumbnailUrl) {
162 thumbnailModel = await processThumbnailFromUrl(youtubeDLInfo.thumbnailUrl, video)
163 }
164
165 // Process video preview from request.files
166 let previewModel = await processPreview(req, video)
167
168 // Process video preview from url if processing from request.files failed
169 if (!previewModel && youtubeDLInfo.thumbnailUrl) {
170 previewModel = await processPreviewFromUrl(youtubeDLInfo.thumbnailUrl, video)
171 }
172
173 const tags = body.tags || youtubeDLInfo.tags
174 const videoImportAttributes = {
175 targetUrl,
176 state: VideoImportState.PENDING,
177 userId: user.id
178 }
179 const videoImport = await insertIntoDB({
180 video,
181 thumbnailModel,
182 previewModel,
183 videoChannel: res.locals.videoChannel,
184 tags,
185 videoImportAttributes,
186 user
187 })
188
189 // Get video subtitles
190 try {
191 const subtitles = await getYoutubeDLSubs(targetUrl)
192
193 logger.info('Will create %s subtitles from youtube import %s.', subtitles.length, targetUrl)
194
195 for (const subtitle of subtitles) {
196 const videoCaption = new VideoCaptionModel({
197 videoId: video.id,
198 language: subtitle.language,
199 filename: VideoCaptionModel.generateCaptionName(subtitle.language)
200 }) as MVideoCaption
201
202 // Move physical file
203 await moveAndProcessCaptionFile(subtitle, videoCaption)
204
205 await sequelizeTypescript.transaction(async t => {
206 await VideoCaptionModel.insertOrReplaceLanguage(videoCaption, t)
207 })
208 }
209 } catch (err) {
210 logger.warn('Cannot get video subtitles.', { err })
211 }
212
213 // Create job to import the video
214 const payload = {
215 type: 'youtube-dl' as 'youtube-dl',
216 videoImportId: videoImport.id,
217 fileExt: `.${youtubeDLInfo.ext || 'mp4'}`
218 }
219 await JobQueue.Instance.createJobWithPromise({ type: 'video-import', payload })
220
221 auditLogger.create(getAuditIdFromRes(res), new VideoImportAuditView(videoImport.toFormattedJSON()))
222
223 return res.json(videoImport.toFormattedJSON()).end()
224 }
225
226 function buildVideo (channelId: number, body: VideoImportCreate, importData: YoutubeDLInfo): MVideoThumbnail {
227 const videoData = {
228 name: body.name || importData.name || 'Unknown name',
229 remote: false,
230 category: body.category || importData.category,
231 licence: body.licence || importData.licence,
232 language: body.language || importData.language,
233 commentsEnabled: body.commentsEnabled !== false, // If the value is not "false", the default is "true"
234 downloadEnabled: body.downloadEnabled !== false,
235 waitTranscoding: body.waitTranscoding || false,
236 state: VideoState.TO_IMPORT,
237 nsfw: body.nsfw || importData.nsfw || false,
238 description: body.description || importData.description,
239 support: body.support || null,
240 privacy: body.privacy || VideoPrivacy.PRIVATE,
241 duration: 0, // duration will be set by the import job
242 channelId: channelId,
243 originallyPublishedAt: body.originallyPublishedAt || importData.originallyPublishedAt
244 }
245 const video = new VideoModel(videoData)
246 video.url = getLocalVideoActivityPubUrl(video)
247
248 return video
249 }
250
251 async function processThumbnail (req: express.Request, video: MVideoThumbnail) {
252 const thumbnailField = req.files ? req.files['thumbnailfile'] : undefined
253 if (thumbnailField) {
254 const thumbnailPhysicalFile = thumbnailField[0]
255
256 return createVideoMiniatureFromExisting({
257 inputPath: thumbnailPhysicalFile.path,
258 video,
259 type: ThumbnailType.MINIATURE,
260 automaticallyGenerated: false
261 })
262 }
263
264 return undefined
265 }
266
267 async function processPreview (req: express.Request, video: MVideoThumbnail): Promise<MThumbnail> {
268 const previewField = req.files ? req.files['previewfile'] : undefined
269 if (previewField) {
270 const previewPhysicalFile = previewField[0]
271
272 return createVideoMiniatureFromExisting({
273 inputPath: previewPhysicalFile.path,
274 video,
275 type: ThumbnailType.PREVIEW,
276 automaticallyGenerated: false
277 })
278 }
279
280 return undefined
281 }
282
283 async function processThumbnailFromUrl (url: string, video: MVideoThumbnail) {
284 try {
285 return createVideoMiniatureFromUrl({ downloadUrl: url, video, type: ThumbnailType.MINIATURE })
286 } catch (err) {
287 logger.warn('Cannot generate video thumbnail %s for %s.', url, video.url, { err })
288 return undefined
289 }
290 }
291
292 async function processPreviewFromUrl (url: string, video: MVideoThumbnail) {
293 try {
294 return createVideoMiniatureFromUrl({ downloadUrl: url, video, type: ThumbnailType.PREVIEW })
295 } catch (err) {
296 logger.warn('Cannot generate video preview %s for %s.', url, video.url, { err })
297 return undefined
298 }
299 }
300
301 async function insertIntoDB (parameters: {
302 video: MVideoThumbnail
303 thumbnailModel: MThumbnail
304 previewModel: MThumbnail
305 videoChannel: MChannelAccountDefault
306 tags: string[]
307 videoImportAttributes: Partial<MVideoImport>
308 user: MUser
309 }): Promise<MVideoImportFormattable> {
310 const { video, thumbnailModel, previewModel, videoChannel, tags, videoImportAttributes, user } = parameters
311
312 const videoImport = await sequelizeTypescript.transaction(async t => {
313 const sequelizeOptions = { transaction: t }
314
315 // Save video object in database
316 const videoCreated = await video.save(sequelizeOptions) as (MVideoAccountDefault & MVideoWithBlacklistLight & MVideoTag)
317 videoCreated.VideoChannel = videoChannel
318
319 if (thumbnailModel) await videoCreated.addAndSaveThumbnail(thumbnailModel, t)
320 if (previewModel) await videoCreated.addAndSaveThumbnail(previewModel, t)
321
322 await autoBlacklistVideoIfNeeded({
323 video: videoCreated,
324 user,
325 notify: false,
326 isRemote: false,
327 isNew: true,
328 transaction: t
329 })
330
331 await setVideoTags({ video: videoCreated, tags, transaction: t })
332
333 // Create video import object in database
334 const videoImport = await VideoImportModel.create(
335 Object.assign({ videoId: videoCreated.id }, videoImportAttributes),
336 sequelizeOptions
337 ) as MVideoImportFormattable
338 videoImport.Video = videoCreated
339
340 return videoImport
341 })
342
343 return videoImport
344 }