]> git.immae.eu Git - github/Chocobozzz/PeerTube.git/blame_incremental - server/controllers/api/videos/index.ts
Add dirty migration :/
[github/Chocobozzz/PeerTube.git] / server / controllers / api / videos / index.ts
... / ...
CommitLineData
1import * as express from 'express'
2import * as multer from 'multer'
3import { extname, join } from 'path'
4import { VideoCreate, VideoPrivacy, VideoUpdate } from '../../../../shared'
5import {
6 generateRandomString,
7 getFormattedObjects,
8 getVideoFileHeight,
9 logger,
10 renamePromise,
11 resetSequelizeInstance,
12 retryTransactionWrapper
13} from '../../../helpers'
14import { getServerActor } from '../../../helpers/utils'
15import {
16 CONFIG,
17 sequelizeTypescript,
18 VIDEO_CATEGORIES,
19 VIDEO_LANGUAGES,
20 VIDEO_LICENCES,
21 VIDEO_MIMETYPE_EXT,
22 VIDEO_PRIVACIES
23} from '../../../initializers'
24import {
25 fetchRemoteVideoDescription,
26 getVideoActivityPubUrl,
27 shareVideoByServerAndChannel
28} from '../../../lib/activitypub'
29import { sendCreateVideo, sendCreateViewToOrigin, sendCreateViewToVideoFollowers, sendUpdateVideo } from '../../../lib/activitypub/send'
30import { transcodingJobScheduler } from '../../../lib/jobs/transcoding-job-scheduler'
31import {
32 asyncMiddleware,
33 authenticate,
34 paginationValidator,
35 setPagination,
36 setVideosSort,
37 videosAddValidator,
38 videosGetValidator,
39 videosRemoveValidator,
40 videosSearchValidator,
41 videosSortValidator,
42 videosUpdateValidator
43} from '../../../middlewares'
44import { TagModel } from '../../../models/video/tag'
45import { VideoModel } from '../../../models/video/video'
46import { VideoFileModel } from '../../../models/video/video-file'
47import { abuseVideoRouter } from './abuse'
48import { blacklistRouter } from './blacklist'
49import { videoChannelRouter } from './channel'
50import { rateVideoRouter } from './rate'
51
52const videosRouter = express.Router()
53
54// multer configuration
55const storage = multer.diskStorage({
56 destination: (req, file, cb) => {
57 cb(null, CONFIG.STORAGE.VIDEOS_DIR)
58 },
59
60 filename: async (req, file, cb) => {
61 const extension = VIDEO_MIMETYPE_EXT[file.mimetype]
62 let randomString = ''
63
64 try {
65 randomString = await generateRandomString(16)
66 } catch (err) {
67 logger.error('Cannot generate random string for file name.', err)
68 randomString = 'fake-random-string'
69 }
70
71 cb(null, randomString + extension)
72 }
73})
74
75const reqFiles = multer({ storage: storage }).fields([{ name: 'videofile', maxCount: 1 }])
76
77videosRouter.use('/', abuseVideoRouter)
78videosRouter.use('/', blacklistRouter)
79videosRouter.use('/', rateVideoRouter)
80videosRouter.use('/', videoChannelRouter)
81
82videosRouter.get('/categories', listVideoCategories)
83videosRouter.get('/licences', listVideoLicences)
84videosRouter.get('/languages', listVideoLanguages)
85videosRouter.get('/privacies', listVideoPrivacies)
86
87videosRouter.get('/',
88 paginationValidator,
89 videosSortValidator,
90 setVideosSort,
91 setPagination,
92 asyncMiddleware(listVideos)
93)
94videosRouter.get('/search',
95 videosSearchValidator,
96 paginationValidator,
97 videosSortValidator,
98 setVideosSort,
99 setPagination,
100 asyncMiddleware(searchVideos)
101)
102videosRouter.put('/:id',
103 authenticate,
104 asyncMiddleware(videosUpdateValidator),
105 asyncMiddleware(updateVideoRetryWrapper)
106)
107videosRouter.post('/upload',
108 authenticate,
109 reqFiles,
110 asyncMiddleware(videosAddValidator),
111 asyncMiddleware(addVideoRetryWrapper)
112)
113
114videosRouter.get('/:id/description',
115 asyncMiddleware(videosGetValidator),
116 asyncMiddleware(getVideoDescription)
117)
118videosRouter.get('/:id',
119 asyncMiddleware(videosGetValidator),
120 getVideo
121)
122videosRouter.post('/:id/views',
123 asyncMiddleware(videosGetValidator),
124 asyncMiddleware(viewVideo)
125)
126
127videosRouter.delete('/:id',
128 authenticate,
129 asyncMiddleware(videosRemoveValidator),
130 asyncMiddleware(removeVideoRetryWrapper)
131)
132
133// ---------------------------------------------------------------------------
134
135export {
136 videosRouter
137}
138
139// ---------------------------------------------------------------------------
140
141function listVideoCategories (req: express.Request, res: express.Response) {
142 res.json(VIDEO_CATEGORIES)
143}
144
145function listVideoLicences (req: express.Request, res: express.Response) {
146 res.json(VIDEO_LICENCES)
147}
148
149function listVideoLanguages (req: express.Request, res: express.Response) {
150 res.json(VIDEO_LANGUAGES)
151}
152
153function listVideoPrivacies (req: express.Request, res: express.Response) {
154 res.json(VIDEO_PRIVACIES)
155}
156
157// Wrapper to video add that retry the function if there is a database error
158// We need this because we run the transaction in SERIALIZABLE isolation that can fail
159async function addVideoRetryWrapper (req: express.Request, res: express.Response, next: express.NextFunction) {
160 const options = {
161 arguments: [ req, res, req.files['videofile'][0] ],
162 errorMessage: 'Cannot insert the video with many retries.'
163 }
164
165 const video = await retryTransactionWrapper(addVideo, options)
166
167 res.json({
168 video: {
169 id: video.id,
170 uuid: video.uuid
171 }
172 }).end()
173}
174
175async function addVideo (req: express.Request, res: express.Response, videoPhysicalFile: Express.Multer.File) {
176 const videoInfo: VideoCreate = req.body
177
178 // Prepare data so we don't block the transaction
179 const videoData = {
180 name: videoInfo.name,
181 remote: false,
182 extname: extname(videoPhysicalFile.filename),
183 category: videoInfo.category,
184 licence: videoInfo.licence,
185 language: videoInfo.language,
186 nsfw: videoInfo.nsfw,
187 description: videoInfo.description,
188 privacy: videoInfo.privacy,
189 duration: videoPhysicalFile['duration'], // duration was added by a previous middleware
190 channelId: res.locals.videoChannel.id
191 }
192 const video = new VideoModel(videoData)
193 video.url = getVideoActivityPubUrl(video)
194
195 const videoFilePath = join(CONFIG.STORAGE.VIDEOS_DIR, videoPhysicalFile.filename)
196 const videoFileHeight = await getVideoFileHeight(videoFilePath)
197
198 const videoFileData = {
199 extname: extname(videoPhysicalFile.filename),
200 resolution: videoFileHeight,
201 size: videoPhysicalFile.size
202 }
203 const videoFile = new VideoFileModel(videoFileData)
204 const videoDir = CONFIG.STORAGE.VIDEOS_DIR
205 const source = join(videoDir, videoPhysicalFile.filename)
206 const destination = join(videoDir, video.getVideoFilename(videoFile))
207
208 await renamePromise(source, destination)
209 // This is important in case if there is another attempt in the retry process
210 videoPhysicalFile.filename = video.getVideoFilename(videoFile)
211
212 const tasks = []
213
214 tasks.push(
215 video.createTorrentAndSetInfoHash(videoFile),
216 video.createThumbnail(videoFile),
217 video.createPreview(videoFile)
218 )
219 await Promise.all(tasks)
220
221 return sequelizeTypescript.transaction(async t => {
222 const sequelizeOptions = { transaction: t }
223
224 if (CONFIG.TRANSCODING.ENABLED === true) {
225 // Put uuid because we don't have id auto incremented for now
226 const dataInput = {
227 videoUUID: video.uuid
228 }
229
230 await transcodingJobScheduler.createJob(t, 'videoFileOptimizer', dataInput)
231 }
232
233 const videoCreated = await video.save(sequelizeOptions)
234 // Do not forget to add video channel information to the created video
235 videoCreated.VideoChannel = res.locals.videoChannel
236
237 videoFile.videoId = video.id
238 await videoFile.save(sequelizeOptions)
239
240 video.VideoFiles = [ videoFile ]
241
242 if (videoInfo.tags) {
243 const tagInstances = await TagModel.findOrCreateTags(videoInfo.tags, t)
244
245 await video.$set('Tags', tagInstances, sequelizeOptions)
246 video.Tags = tagInstances
247 }
248
249 // Let transcoding job send the video to friends because the video file extension might change
250 if (CONFIG.TRANSCODING.ENABLED === true) return videoCreated
251 // Don't send video to remote servers, it is private
252 if (video.privacy === VideoPrivacy.PRIVATE) return videoCreated
253
254 await sendCreateVideo(video, t)
255 // TODO: share by video channel
256 await shareVideoByServerAndChannel(video, t)
257
258 logger.info('Video with name %s and uuid %s created.', videoInfo.name, videoCreated.uuid)
259
260 return videoCreated
261 })
262}
263
264async function updateVideoRetryWrapper (req: express.Request, res: express.Response, next: express.NextFunction) {
265 const options = {
266 arguments: [ req, res ],
267 errorMessage: 'Cannot update the video with many retries.'
268 }
269
270 await retryTransactionWrapper(updateVideo, options)
271
272 return res.type('json').status(204).end()
273}
274
275async function updateVideo (req: express.Request, res: express.Response) {
276 const videoInstance: VideoModel = res.locals.video
277 const videoFieldsSave = videoInstance.toJSON()
278 const videoInfoToUpdate: VideoUpdate = req.body
279 const wasPrivateVideo = videoInstance.privacy === VideoPrivacy.PRIVATE
280
281 try {
282 await sequelizeTypescript.transaction(async t => {
283 const sequelizeOptions = {
284 transaction: t
285 }
286
287 if (videoInfoToUpdate.name !== undefined) videoInstance.set('name', videoInfoToUpdate.name)
288 if (videoInfoToUpdate.category !== undefined) videoInstance.set('category', videoInfoToUpdate.category)
289 if (videoInfoToUpdate.licence !== undefined) videoInstance.set('licence', videoInfoToUpdate.licence)
290 if (videoInfoToUpdate.language !== undefined) videoInstance.set('language', videoInfoToUpdate.language)
291 if (videoInfoToUpdate.nsfw !== undefined) videoInstance.set('nsfw', videoInfoToUpdate.nsfw)
292 if (videoInfoToUpdate.privacy !== undefined) videoInstance.set('privacy', parseInt(videoInfoToUpdate.privacy.toString(), 10))
293 if (videoInfoToUpdate.description !== undefined) videoInstance.set('description', videoInfoToUpdate.description)
294
295 const videoInstanceUpdated = await videoInstance.save(sequelizeOptions)
296
297 if (videoInfoToUpdate.tags) {
298 const tagInstances = await TagModel.findOrCreateTags(videoInfoToUpdate.tags, t)
299
300 await videoInstance.$set('Tags', tagInstances, sequelizeOptions)
301 videoInstance.Tags = tagInstances
302 }
303
304 // Now we'll update the video's meta data to our friends
305 if (wasPrivateVideo === false) {
306 await sendUpdateVideo(videoInstanceUpdated, t)
307 }
308
309 // Video is not private anymore, send a create action to remote servers
310 if (wasPrivateVideo === true && videoInstanceUpdated.privacy !== VideoPrivacy.PRIVATE) {
311 await sendCreateVideo(videoInstanceUpdated, t)
312 // TODO: Send by video channel
313 await shareVideoByServerAndChannel(videoInstanceUpdated, t)
314 }
315 })
316
317 logger.info('Video with name %s and uuid %s updated.', videoInstance.name, videoInstance.uuid)
318 } catch (err) {
319 // Force fields we want to update
320 // If the transaction is retried, sequelize will think the object has not changed
321 // So it will skip the SQL request, even if the last one was ROLLBACKed!
322 resetSequelizeInstance(videoInstance, videoFieldsSave)
323
324 throw err
325 }
326}
327
328function getVideo (req: express.Request, res: express.Response) {
329 const videoInstance = res.locals.video
330
331 return res.json(videoInstance.toFormattedDetailsJSON())
332}
333
334async function viewVideo (req: express.Request, res: express.Response) {
335 const videoInstance = res.locals.video
336
337 await videoInstance.increment('views')
338 const serverAccount = await getServerActor()
339
340 if (videoInstance.isOwned()) {
341 await sendCreateViewToVideoFollowers(serverAccount, videoInstance, undefined)
342 } else {
343 await sendCreateViewToOrigin(serverAccount, videoInstance, undefined)
344 }
345
346 return res.status(204).end()
347}
348
349async function getVideoDescription (req: express.Request, res: express.Response) {
350 const videoInstance = res.locals.video
351 let description = ''
352
353 if (videoInstance.isOwned()) {
354 description = videoInstance.description
355 } else {
356 description = await fetchRemoteVideoDescription(videoInstance)
357 }
358
359 return res.json({ description })
360}
361
362async function listVideos (req: express.Request, res: express.Response, next: express.NextFunction) {
363 const resultList = await VideoModel.listForApi(req.query.start, req.query.count, req.query.sort)
364
365 return res.json(getFormattedObjects(resultList.data, resultList.total))
366}
367
368async function removeVideoRetryWrapper (req: express.Request, res: express.Response, next: express.NextFunction) {
369 const options = {
370 arguments: [ req, res ],
371 errorMessage: 'Cannot remove the video with many retries.'
372 }
373
374 await retryTransactionWrapper(removeVideo, options)
375
376 return res.type('json').status(204).end()
377}
378
379async function removeVideo (req: express.Request, res: express.Response) {
380 const videoInstance: VideoModel = res.locals.video
381
382 await sequelizeTypescript.transaction(async t => {
383 await videoInstance.destroy({ transaction: t })
384 })
385
386 logger.info('Video with name %s and uuid %s deleted.', videoInstance.name, videoInstance.uuid)
387}
388
389async function searchVideos (req: express.Request, res: express.Response, next: express.NextFunction) {
390 const resultList = await VideoModel.searchAndPopulateAccountAndServerAndTags(
391 req.query.search,
392 req.query.start,
393 req.query.count,
394 req.query.sort
395 )
396
397 return res.json(getFormattedObjects(resultList.data, resultList.total))
398}