]> git.immae.eu Git - github/Chocobozzz/PeerTube.git/blame - server/controllers/api/videos/upload.ts
Bumped to version v5.2.1
[github/Chocobozzz/PeerTube.git] / server / controllers / api / videos / upload.ts
CommitLineData
41fb13c3 1import express from 'express'
c158a5fa 2import { move } from 'fs-extra'
0305db28 3import { basename } from 'path'
790c2837 4import { getResumableUploadPath } from '@server/helpers/upload'
c158a5fa 5import { getLocalVideoActivityPubUrl } from '@server/lib/activitypub/url'
0c9668f7 6import { CreateJobArgument, CreateJobOptions, JobQueue } from '@server/lib/job-queue'
276250f0 7import { Redis } from '@server/lib/redis'
6d472b40 8import { uploadx } from '@server/lib/uploadx'
0c9668f7
C
9import { buildLocalVideoFromReq, buildMoveToObjectStorageJob, buildVideoThumbnailsFromReq, setVideoTags } from '@server/lib/video'
10import { buildNewFile } from '@server/lib/video-file'
0305db28
JB
11import { VideoPathManager } from '@server/lib/video-path-manager'
12import { buildNextVideoState } from '@server/lib/video-state'
1c627fd8 13import { openapiOperationDoc } from '@server/middlewares/doc'
5a921e7b 14import { VideoSourceModel } from '@server/models/video/video-source'
bd911b54 15import { MUserId, MVideoFile, MVideoFullLight } from '@server/types/models'
0c9668f7
C
16import { uuidToShort } from '@shared/extra-utils'
17import { HttpStatusCode, VideoCreate, VideoState } from '@shared/models'
c158a5fa 18import { auditLoggerFactory, getAuditIdFromRes, VideoAuditView } from '../../../helpers/audit-logger'
c158a5fa 19import { createReqFiles } from '../../../helpers/express-utils'
c158a5fa 20import { logger, loggerTagsFactory } from '../../../helpers/logger'
482b2623 21import { MIMETYPES } from '../../../initializers/constants'
c158a5fa 22import { sequelizeTypescript } from '../../../initializers/database'
c158a5fa
C
23import { Hooks } from '../../../lib/plugins/hooks'
24import { generateVideoMiniature } from '../../../lib/thumbnail'
25import { autoBlacklistVideoIfNeeded } from '../../../lib/video-blacklist'
26import {
27 asyncMiddleware,
28 asyncRetryTransactionMiddleware,
29 authenticate,
30 videosAddLegacyValidator,
31 videosAddResumableInitValidator,
2f0a0ae2 32 videosAddResumableValidator
c158a5fa
C
33} from '../../../middlewares'
34import { ScheduleVideoUpdateModel } from '../../../models/video/schedule-video-update'
35import { VideoModel } from '../../../models/video/video'
c158a5fa
C
36
37const lTags = loggerTagsFactory('api', 'video')
38const auditLogger = auditLoggerFactory('videos')
39const uploadRouter = express.Router()
020d3d3d 40
c158a5fa
C
41const reqVideoFileAdd = createReqFiles(
42 [ 'videofile', 'thumbnailfile', 'previewfile' ],
d3d3deaa 43 { ...MIMETYPES.VIDEO.MIMETYPE_EXT, ...MIMETYPES.IMAGE.MIMETYPE_EXT }
c158a5fa
C
44)
45
46const reqVideoFileAddResumable = createReqFiles(
47 [ 'thumbnailfile', 'previewfile' ],
48 MIMETYPES.IMAGE.MIMETYPE_EXT,
d3d3deaa 49 getResumableUploadPath()
c158a5fa
C
50)
51
52uploadRouter.post('/upload',
1c627fd8 53 openapiOperationDoc({ operationId: 'uploadLegacy' }),
c158a5fa
C
54 authenticate,
55 reqVideoFileAdd,
56 asyncMiddleware(videosAddLegacyValidator),
57 asyncRetryTransactionMiddleware(addVideoLegacy)
58)
59
60uploadRouter.post('/upload-resumable',
1c627fd8 61 openapiOperationDoc({ operationId: 'uploadResumableInit' }),
c158a5fa
C
62 authenticate,
63 reqVideoFileAddResumable,
64 asyncMiddleware(videosAddResumableInitValidator),
020d3d3d 65 uploadx.upload
c158a5fa
C
66)
67
68uploadRouter.delete('/upload-resumable',
69 authenticate,
020d3d3d
C
70 asyncMiddleware(deleteUploadResumableCache),
71 uploadx.upload
c158a5fa
C
72)
73
74uploadRouter.put('/upload-resumable',
1c627fd8 75 openapiOperationDoc({ operationId: 'uploadResumable' }),
c158a5fa 76 authenticate,
020d3d3d 77 uploadx.upload, // uploadx doesn't next() before the file upload completes
c158a5fa
C
78 asyncMiddleware(videosAddResumableValidator),
79 asyncMiddleware(addVideoResumable)
80)
81
82// ---------------------------------------------------------------------------
83
84export {
85 uploadRouter
86}
87
88// ---------------------------------------------------------------------------
89
020d3d3d 90async function addVideoLegacy (req: express.Request, res: express.Response) {
c158a5fa
C
91 // Uploading the video could be long
92 // Set timeout to 10 minutes, as Express's default is 2 minutes
93 req.setTimeout(1000 * 60 * 10, () => {
76148b27
RK
94 logger.error('Video upload has timed out.')
95 return res.fail({
96 status: HttpStatusCode.REQUEST_TIMEOUT_408,
97 message: 'Video upload has timed out.'
98 })
c158a5fa
C
99 })
100
101 const videoPhysicalFile = req.files['videofile'][0]
102 const videoInfo: VideoCreate = req.body
103 const files = req.files
104
7226e90f 105 const response = await addVideo({ req, res, videoPhysicalFile, videoInfo, files })
276250f0
RK
106
107 return res.json(response)
c158a5fa
C
108}
109
020d3d3d 110async function addVideoResumable (req: express.Request, res: express.Response) {
c158a5fa
C
111 const videoPhysicalFile = res.locals.videoFileResumable
112 const videoInfo = videoPhysicalFile.metadata
113 const files = { previewfile: videoInfo.previewfile }
114
7226e90f 115 const response = await addVideo({ req, res, videoPhysicalFile, videoInfo, files })
276250f0
RK
116 await Redis.Instance.setUploadSession(req.query.upload_id, response)
117
118 return res.json(response)
c158a5fa
C
119}
120
121async function addVideo (options: {
7226e90f 122 req: express.Request
c158a5fa
C
123 res: express.Response
124 videoPhysicalFile: express.VideoUploadFile
125 videoInfo: VideoCreate
126 files: express.UploadFiles
127}) {
7226e90f 128 const { req, res, videoPhysicalFile, videoInfo, files } = options
c158a5fa
C
129 const videoChannel = res.locals.videoChannel
130 const user = res.locals.oauth.token.User
131
d17d7430
C
132 let videoData = buildLocalVideoFromReq(videoInfo, videoChannel.id)
133 videoData = await Hooks.wrapObject(videoData, 'filter:api.video.upload.video-attribute.result')
c158a5fa 134
0305db28 135 videoData.state = buildNextVideoState()
c158a5fa
C
136 videoData.duration = videoPhysicalFile.duration // duration was added by a previous middleware
137
138 const video = new VideoModel(videoData) as MVideoFullLight
139 video.VideoChannel = videoChannel
140 video.url = getLocalVideoActivityPubUrl(video) // We use the UUID, so set the URL after building the object
141
0c9668f7 142 const videoFile = await buildNewFile({ path: videoPhysicalFile.path, mode: 'web-video' })
2e401e85 143 const originalFilename = videoPhysicalFile.originalname
c158a5fa
C
144
145 // Move physical file
0305db28 146 const destination = VideoPathManager.Instance.getFSVideoFileOutputPath(video, videoFile)
c158a5fa
C
147 await move(videoPhysicalFile.path, destination)
148 // This is important in case if there is another attempt in the retry process
0305db28 149 videoPhysicalFile.filename = basename(destination)
c158a5fa
C
150 videoPhysicalFile.path = destination
151
152 const [ thumbnailModel, previewModel ] = await buildVideoThumbnailsFromReq({
153 video,
154 files,
155 fallback: type => generateVideoMiniature({ video, videoFile, type })
156 })
157
158 const { videoCreated } = await sequelizeTypescript.transaction(async t => {
159 const sequelizeOptions = { transaction: t }
160
161 const videoCreated = await video.save(sequelizeOptions) as MVideoFullLight
162
163 await videoCreated.addAndSaveThumbnail(thumbnailModel, t)
164 await videoCreated.addAndSaveThumbnail(previewModel, t)
165
166 // Do not forget to add video channel information to the created video
167 videoCreated.VideoChannel = res.locals.videoChannel
168
169 videoFile.videoId = video.id
170 await videoFile.save(sequelizeOptions)
171
172 video.VideoFiles = [ videoFile ]
173
2e401e85 174 await VideoSourceModel.create({
175 filename: originalFilename,
176 videoId: video.id
177 }, { transaction: t })
178
c158a5fa
C
179 await setVideoTags({ video, tags: videoInfo.tags, transaction: t })
180
181 // Schedule an update in the future?
182 if (videoInfo.scheduleUpdate) {
183 await ScheduleVideoUpdateModel.create({
184 videoId: video.id,
185 updateAt: new Date(videoInfo.scheduleUpdate.updateAt),
186 privacy: videoInfo.scheduleUpdate.privacy || null
187 }, sequelizeOptions)
188 }
189
c158a5fa
C
190 await autoBlacklistVideoIfNeeded({
191 video,
192 user,
193 isRemote: false,
194 isNew: true,
195 transaction: t
196 })
197
198 auditLogger.create(getAuditIdFromRes(res), new VideoAuditView(videoCreated.toFormattedDetailsJSON()))
199 logger.info('Video with name %s and uuid %s created.', videoInfo.name, videoCreated.uuid, lTags(videoCreated.uuid))
200
201 return { videoCreated }
202 })
203
3419e0e1
C
204 // Channel has a new content, set as updated
205 await videoCreated.VideoChannel.setAsUpdated()
206
bd911b54
C
207 addVideoJobsAfterUpload(videoCreated, videoFile, user)
208 .catch(err => logger.error('Cannot build new video jobs of %s.', videoCreated.uuid, { err, ...lTags(videoCreated.uuid) }))
c158a5fa 209
7226e90f 210 Hooks.runAction('action:api.video.uploaded', { video: videoCreated, req, res })
c158a5fa 211
276250f0 212 return {
c158a5fa
C
213 video: {
214 id: videoCreated.id,
d4a8e7a6 215 shortUUID: uuidToShort(videoCreated.uuid),
c158a5fa
C
216 uuid: videoCreated.uuid
217 }
276250f0 218 }
c158a5fa
C
219}
220
bd911b54 221async function addVideoJobsAfterUpload (video: MVideoFullLight, videoFile: MVideoFile, user: MUserId) {
0c9668f7 222 const jobs: (CreateJobArgument & CreateJobOptions)[] = [
bd911b54
C
223 {
224 type: 'manage-video-torrent' as 'manage-video-torrent',
225 payload: {
226 videoId: video.id,
227 videoFileId: videoFile.id,
228 action: 'create'
229 }
230 },
e13db048
C
231
232 {
233 type: 'notify',
234 payload: {
235 action: 'new-video',
236 videoUUID: video.uuid
237 }
238 },
239
bd911b54
C
240 {
241 type: 'federate-video' as 'federate-video',
242 payload: {
243 videoUUID: video.uuid,
244 isNewVideo: true
245 }
0c9668f7
C
246 }
247 ]
c158a5fa 248
0c9668f7
C
249 if (video.state === VideoState.TO_MOVE_TO_EXTERNAL_STORAGE) {
250 jobs.push(await buildMoveToObjectStorageJob({ video, previousVideoState: undefined }))
251 }
252
253 if (video.state === VideoState.TO_TRANSCODE) {
254 jobs.push({
255 type: 'transcoding-job-builder' as 'transcoding-job-builder',
256 payload: {
257 videoUUID: video.uuid,
258 optimizeJob: {
259 isNewVideo: true
260 }
261 }
262 })
263 }
c158a5fa 264
0c9668f7 265 return JobQueue.Instance.createSequentialJobFlow(...jobs)
c158a5fa 266}
020d3d3d
C
267
268async function deleteUploadResumableCache (req: express.Request, res: express.Response, next: express.NextFunction) {
269 await Redis.Instance.deleteUploadSession(req.query.upload_id)
270
271 return next()
272}