]> git.immae.eu Git - github/Chocobozzz/PeerTube.git/blob - server/lib/job-queue/handlers/video-studio-edition.ts
Use worker thread to send HTTP requests
[github/Chocobozzz/PeerTube.git] / server / lib / job-queue / handlers / video-studio-edition.ts
1 import { Job } from 'bullmq'
2 import { move, remove } from 'fs-extra'
3 import { join } from 'path'
4 import { addIntroOutro, addWatermark, cutVideo } from '@server/helpers/ffmpeg'
5 import { createTorrentAndSetInfoHashFromPath } from '@server/helpers/webtorrent'
6 import { CONFIG } from '@server/initializers/config'
7 import { federateVideoIfNeeded } from '@server/lib/activitypub/videos'
8 import { generateWebTorrentVideoFilename } from '@server/lib/paths'
9 import { VideoTranscodingProfilesManager } from '@server/lib/transcoding/default-transcoding-profiles'
10 import { isAbleToUploadVideo } from '@server/lib/user'
11 import { buildOptimizeOrMergeAudioJob } from '@server/lib/video'
12 import { removeHLSPlaylist, removeWebTorrentFile } from '@server/lib/video-file'
13 import { VideoPathManager } from '@server/lib/video-path-manager'
14 import { approximateIntroOutroAdditionalSize } from '@server/lib/video-studio'
15 import { UserModel } from '@server/models/user/user'
16 import { VideoModel } from '@server/models/video/video'
17 import { VideoFileModel } from '@server/models/video/video-file'
18 import { MVideo, MVideoFile, MVideoFullLight, MVideoId, MVideoWithAllFiles } from '@server/types/models'
19 import { getLowercaseExtension, pick } from '@shared/core-utils'
20 import {
21 buildFileMetadata,
22 buildUUID,
23 ffprobePromise,
24 getFileSize,
25 getVideoStreamDimensionsInfo,
26 getVideoStreamDuration,
27 getVideoStreamFPS
28 } from '@shared/extra-utils'
29 import {
30 VideoStudioEditionPayload,
31 VideoStudioTask,
32 VideoStudioTaskCutPayload,
33 VideoStudioTaskIntroPayload,
34 VideoStudioTaskOutroPayload,
35 VideoStudioTaskPayload,
36 VideoStudioTaskWatermarkPayload
37 } from '@shared/models'
38 import { logger, loggerTagsFactory } from '../../../helpers/logger'
39 import { JobQueue } from '../job-queue'
40
41 const lTagsBase = loggerTagsFactory('video-edition')
42
43 async function processVideoStudioEdition (job: Job) {
44 const payload = job.data as VideoStudioEditionPayload
45 const lTags = lTagsBase(payload.videoUUID)
46
47 logger.info('Process video studio edition of %s in job %s.', payload.videoUUID, job.id, lTags)
48
49 const video = await VideoModel.loadFull(payload.videoUUID)
50
51 // No video, maybe deleted?
52 if (!video) {
53 logger.info('Can\'t process job %d, video does not exist.', job.id, lTags)
54 return undefined
55 }
56
57 await checkUserQuotaOrThrow(video, payload)
58
59 const inputFile = video.getMaxQualityFile()
60
61 const editionResultPath = await VideoPathManager.Instance.makeAvailableVideoFile(inputFile, async originalFilePath => {
62 let tmpInputFilePath: string
63 let outputPath: string
64
65 for (const task of payload.tasks) {
66 const outputFilename = buildUUID() + inputFile.extname
67 outputPath = join(CONFIG.STORAGE.TMP_DIR, outputFilename)
68
69 await processTask({
70 inputPath: tmpInputFilePath ?? originalFilePath,
71 video,
72 outputPath,
73 task,
74 lTags
75 })
76
77 if (tmpInputFilePath) await remove(tmpInputFilePath)
78
79 // For the next iteration
80 tmpInputFilePath = outputPath
81 }
82
83 return outputPath
84 })
85
86 logger.info('Video edition ended for video %s.', video.uuid, lTags)
87
88 const newFile = await buildNewFile(video, editionResultPath)
89
90 const outputPath = VideoPathManager.Instance.getFSVideoFileOutputPath(video, newFile)
91 await move(editionResultPath, outputPath)
92
93 await createTorrentAndSetInfoHashFromPath(video, newFile, outputPath)
94 await removeAllFiles(video, newFile)
95
96 await newFile.save()
97
98 video.duration = await getVideoStreamDuration(outputPath)
99 await video.save()
100
101 await federateVideoIfNeeded(video, false, undefined)
102
103 const user = await UserModel.loadByVideoId(video.id)
104
105 await JobQueue.Instance.createJob(
106 await buildOptimizeOrMergeAudioJob({ video, videoFile: newFile, user, isNewVideo: false })
107 )
108 }
109
110 // ---------------------------------------------------------------------------
111
112 export {
113 processVideoStudioEdition
114 }
115
116 // ---------------------------------------------------------------------------
117
118 type TaskProcessorOptions <T extends VideoStudioTaskPayload = VideoStudioTaskPayload> = {
119 inputPath: string
120 outputPath: string
121 video: MVideo
122 task: T
123 lTags: { tags: string[] }
124 }
125
126 const taskProcessors: { [id in VideoStudioTask['name']]: (options: TaskProcessorOptions) => Promise<any> } = {
127 'add-intro': processAddIntroOutro,
128 'add-outro': processAddIntroOutro,
129 'cut': processCut,
130 'add-watermark': processAddWatermark
131 }
132
133 async function processTask (options: TaskProcessorOptions) {
134 const { video, task } = options
135
136 logger.info('Processing %s task for video %s.', task.name, video.uuid, { task, ...options.lTags })
137
138 const processor = taskProcessors[options.task.name]
139 if (!process) throw new Error('Unknown task ' + task.name)
140
141 return processor(options)
142 }
143
144 function processAddIntroOutro (options: TaskProcessorOptions<VideoStudioTaskIntroPayload | VideoStudioTaskOutroPayload>) {
145 const { task } = options
146
147 return addIntroOutro({
148 ...pick(options, [ 'inputPath', 'outputPath' ]),
149
150 introOutroPath: task.options.file,
151 type: task.name === 'add-intro'
152 ? 'intro'
153 : 'outro',
154
155 availableEncoders: VideoTranscodingProfilesManager.Instance.getAvailableEncoders(),
156 profile: CONFIG.TRANSCODING.PROFILE
157 })
158 }
159
160 function processCut (options: TaskProcessorOptions<VideoStudioTaskCutPayload>) {
161 const { task } = options
162
163 return cutVideo({
164 ...pick(options, [ 'inputPath', 'outputPath' ]),
165
166 start: task.options.start,
167 end: task.options.end
168 })
169 }
170
171 function processAddWatermark (options: TaskProcessorOptions<VideoStudioTaskWatermarkPayload>) {
172 const { task } = options
173
174 return addWatermark({
175 ...pick(options, [ 'inputPath', 'outputPath' ]),
176
177 watermarkPath: task.options.file,
178
179 availableEncoders: VideoTranscodingProfilesManager.Instance.getAvailableEncoders(),
180 profile: CONFIG.TRANSCODING.PROFILE
181 })
182 }
183
184 async function buildNewFile (video: MVideoId, path: string) {
185 const videoFile = new VideoFileModel({
186 extname: getLowercaseExtension(path),
187 size: await getFileSize(path),
188 metadata: await buildFileMetadata(path),
189 videoStreamingPlaylistId: null,
190 videoId: video.id
191 })
192
193 const probe = await ffprobePromise(path)
194
195 videoFile.fps = await getVideoStreamFPS(path, probe)
196 videoFile.resolution = (await getVideoStreamDimensionsInfo(path, probe)).resolution
197
198 videoFile.filename = generateWebTorrentVideoFilename(videoFile.resolution, videoFile.extname)
199
200 return videoFile
201 }
202
203 async function removeAllFiles (video: MVideoWithAllFiles, webTorrentFileException: MVideoFile) {
204 await removeHLSPlaylist(video)
205
206 for (const file of video.VideoFiles) {
207 if (file.id === webTorrentFileException.id) continue
208
209 await removeWebTorrentFile(video, file.id)
210 }
211 }
212
213 async function checkUserQuotaOrThrow (video: MVideoFullLight, payload: VideoStudioEditionPayload) {
214 const user = await UserModel.loadByVideoId(video.id)
215
216 const filePathFinder = (i: number) => (payload.tasks[i] as VideoStudioTaskIntroPayload | VideoStudioTaskOutroPayload).options.file
217
218 const additionalBytes = await approximateIntroOutroAdditionalSize(video, payload.tasks, filePathFinder)
219 if (await isAbleToUploadVideo(user.id, additionalBytes) === false) {
220 throw new Error('Quota exceeded for this user to edit the video')
221 }
222 }