]> git.immae.eu Git - github/Chocobozzz/PeerTube.git/blob - server/lib/live/shared/muxing-session.ts
Merge branch 'release/4.2.0' into develop
[github/Chocobozzz/PeerTube.git] / server / lib / live / shared / muxing-session.ts
1
2 import { mapSeries } from 'bluebird'
3 import { FSWatcher, watch } from 'chokidar'
4 import { FfmpegCommand } from 'fluent-ffmpeg'
5 import { appendFile, ensureDir, readFile, stat } from 'fs-extra'
6 import { basename, join } from 'path'
7 import { EventEmitter } from 'stream'
8 import { getLiveMuxingCommand, getLiveTranscodingCommand } from '@server/helpers/ffmpeg'
9 import { logger, loggerTagsFactory, LoggerTagsFn } from '@server/helpers/logger'
10 import { CONFIG } from '@server/initializers/config'
11 import { MEMOIZE_TTL, VIDEO_LIVE } from '@server/initializers/constants'
12 import { VideoFileModel } from '@server/models/video/video-file'
13 import { MStreamingPlaylistVideo, MUserId, MVideoLiveVideo } from '@server/types/models'
14 import { getLiveDirectory, getLiveReplayBaseDirectory } from '../../paths'
15 import { VideoTranscodingProfilesManager } from '../../transcoding/default-transcoding-profiles'
16 import { isAbleToUploadVideo } from '../../user'
17 import { LiveQuotaStore } from '../live-quota-store'
18 import { LiveSegmentShaStore } from '../live-segment-sha-store'
19 import { buildConcatenatedName } from '../live-utils'
20
21 import memoizee = require('memoizee')
22
23 interface MuxingSessionEvents {
24 'master-playlist-created': ({ videoId: number }) => void
25
26 'bad-socket-health': ({ videoId: number }) => void
27 'duration-exceeded': ({ videoId: number }) => void
28 'quota-exceeded': ({ videoId: number }) => void
29
30 'ffmpeg-end': ({ videoId: number }) => void
31 'ffmpeg-error': ({ videoId: string }) => void
32
33 'after-cleanup': ({ videoId: number }) => void
34 }
35
36 declare interface MuxingSession {
37 on<U extends keyof MuxingSessionEvents>(
38 event: U, listener: MuxingSessionEvents[U]
39 ): this
40
41 emit<U extends keyof MuxingSessionEvents>(
42 event: U, ...args: Parameters<MuxingSessionEvents[U]>
43 ): boolean
44 }
45
46 class MuxingSession extends EventEmitter {
47
48 private ffmpegCommand: FfmpegCommand
49
50 private readonly context: any
51 private readonly user: MUserId
52 private readonly sessionId: string
53 private readonly videoLive: MVideoLiveVideo
54 private readonly streamingPlaylist: MStreamingPlaylistVideo
55 private readonly inputUrl: string
56 private readonly fps: number
57 private readonly allResolutions: number[]
58
59 private readonly bitrate: number
60 private readonly ratio: number
61
62 private readonly videoId: number
63 private readonly videoUUID: string
64 private readonly saveReplay: boolean
65
66 private readonly outDirectory: string
67 private readonly replayDirectory: string
68
69 private readonly lTags: LoggerTagsFn
70
71 private segmentsToProcessPerPlaylist: { [playlistId: string]: string[] } = {}
72
73 private tsWatcher: FSWatcher
74 private masterWatcher: FSWatcher
75
76 private readonly isAbleToUploadVideoWithCache = memoizee((userId: number) => {
77 return isAbleToUploadVideo(userId, 1000)
78 }, { maxAge: MEMOIZE_TTL.LIVE_ABLE_TO_UPLOAD })
79
80 private readonly hasClientSocketInBadHealthWithCache = memoizee((sessionId: string) => {
81 return this.hasClientSocketInBadHealth(sessionId)
82 }, { maxAge: MEMOIZE_TTL.LIVE_CHECK_SOCKET_HEALTH })
83
84 constructor (options: {
85 context: any
86 user: MUserId
87 sessionId: string
88 videoLive: MVideoLiveVideo
89 streamingPlaylist: MStreamingPlaylistVideo
90 inputUrl: string
91 fps: number
92 bitrate: number
93 ratio: number
94 allResolutions: number[]
95 }) {
96 super()
97
98 this.context = options.context
99 this.user = options.user
100 this.sessionId = options.sessionId
101 this.videoLive = options.videoLive
102 this.streamingPlaylist = options.streamingPlaylist
103 this.inputUrl = options.inputUrl
104 this.fps = options.fps
105
106 this.bitrate = options.bitrate
107 this.ratio = options.ratio
108
109 this.allResolutions = options.allResolutions
110
111 this.videoId = this.videoLive.Video.id
112 this.videoUUID = this.videoLive.Video.uuid
113
114 this.saveReplay = this.videoLive.saveReplay
115
116 this.outDirectory = getLiveDirectory(this.videoLive.Video)
117 this.replayDirectory = join(getLiveReplayBaseDirectory(this.videoLive.Video), new Date().toISOString())
118
119 this.lTags = loggerTagsFactory('live', this.sessionId, this.videoUUID)
120 }
121
122 async runMuxing () {
123 this.createFiles()
124
125 await this.prepareDirectories()
126
127 this.ffmpegCommand = CONFIG.LIVE.TRANSCODING.ENABLED
128 ? await getLiveTranscodingCommand({
129 inputUrl: this.inputUrl,
130
131 outPath: this.outDirectory,
132 masterPlaylistName: this.streamingPlaylist.playlistFilename,
133
134 latencyMode: this.videoLive.latencyMode,
135
136 resolutions: this.allResolutions,
137 fps: this.fps,
138 bitrate: this.bitrate,
139 ratio: this.ratio,
140
141 availableEncoders: VideoTranscodingProfilesManager.Instance.getAvailableEncoders(),
142 profile: CONFIG.LIVE.TRANSCODING.PROFILE
143 })
144 : getLiveMuxingCommand({
145 inputUrl: this.inputUrl,
146 outPath: this.outDirectory,
147 masterPlaylistName: this.streamingPlaylist.playlistFilename,
148 latencyMode: this.videoLive.latencyMode
149 })
150
151 logger.info('Running live muxing/transcoding for %s.', this.videoUUID, this.lTags())
152
153 this.watchTSFiles()
154 this.watchMasterFile()
155
156 let ffmpegShellCommand: string
157 this.ffmpegCommand.on('start', cmdline => {
158 ffmpegShellCommand = cmdline
159
160 logger.debug('Running ffmpeg command for live', { ffmpegShellCommand, ...this.lTags() })
161 })
162
163 this.ffmpegCommand.on('error', (err, stdout, stderr) => {
164 this.onFFmpegError({ err, stdout, stderr, ffmpegShellCommand })
165 })
166
167 this.ffmpegCommand.on('end', () => {
168 this.emit('ffmpeg-end', ({ videoId: this.videoId }))
169
170 this.onFFmpegEnded()
171 })
172
173 this.ffmpegCommand.run()
174 }
175
176 abort () {
177 if (!this.ffmpegCommand) return
178
179 this.ffmpegCommand.kill('SIGINT')
180 }
181
182 destroy () {
183 this.removeAllListeners()
184 this.isAbleToUploadVideoWithCache.clear()
185 this.hasClientSocketInBadHealthWithCache.clear()
186 }
187
188 private onFFmpegError (options: {
189 err: any
190 stdout: string
191 stderr: string
192 ffmpegShellCommand: string
193 }) {
194 const { err, stdout, stderr, ffmpegShellCommand } = options
195
196 this.onFFmpegEnded()
197
198 // Don't care that we killed the ffmpeg process
199 if (err?.message?.includes('Exiting normally')) return
200
201 logger.error('Live transcoding error.', { err, stdout, stderr, ffmpegShellCommand, ...this.lTags() })
202
203 this.emit('ffmpeg-error', ({ videoId: this.videoId }))
204 }
205
206 private onFFmpegEnded () {
207 logger.info('RTMP transmuxing for video %s ended. Scheduling cleanup', this.inputUrl, this.lTags())
208
209 setTimeout(() => {
210 // Wait latest segments generation, and close watchers
211
212 Promise.all([ this.tsWatcher.close(), this.masterWatcher.close() ])
213 .then(() => {
214 // Process remaining segments hash
215 for (const key of Object.keys(this.segmentsToProcessPerPlaylist)) {
216 this.processSegments(this.segmentsToProcessPerPlaylist[key])
217 }
218 })
219 .catch(err => {
220 logger.error(
221 'Cannot close watchers of %s or process remaining hash segments.', this.outDirectory,
222 { err, ...this.lTags() }
223 )
224 })
225
226 this.emit('after-cleanup', { videoId: this.videoId })
227 }, 1000)
228 }
229
230 private watchMasterFile () {
231 this.masterWatcher = watch(this.outDirectory + '/' + this.streamingPlaylist.playlistFilename)
232
233 this.masterWatcher.on('add', () => {
234 this.emit('master-playlist-created', { videoId: this.videoId })
235
236 this.masterWatcher.close()
237 .catch(err => logger.error('Cannot close master watcher of %s.', this.outDirectory, { err, ...this.lTags() }))
238 })
239 }
240
241 private watchTSFiles () {
242 const startStreamDateTime = new Date().getTime()
243
244 this.tsWatcher = watch(this.outDirectory + '/*.ts')
245
246 const playlistIdMatcher = /^([\d+])-/
247
248 const addHandler = async (segmentPath: string) => {
249 logger.debug('Live add handler of %s.', segmentPath, this.lTags())
250
251 const playlistId = basename(segmentPath).match(playlistIdMatcher)[0]
252
253 const segmentsToProcess = this.segmentsToProcessPerPlaylist[playlistId] || []
254 this.processSegments(segmentsToProcess)
255
256 this.segmentsToProcessPerPlaylist[playlistId] = [ segmentPath ]
257
258 if (this.hasClientSocketInBadHealthWithCache(this.sessionId)) {
259 this.emit('bad-socket-health', { videoId: this.videoId })
260 return
261 }
262
263 // Duration constraint check
264 if (this.isDurationConstraintValid(startStreamDateTime) !== true) {
265 this.emit('duration-exceeded', { videoId: this.videoId })
266 return
267 }
268
269 // Check user quota if the user enabled replay saving
270 if (await this.isQuotaExceeded(segmentPath) === true) {
271 this.emit('quota-exceeded', { videoId: this.videoId })
272 }
273 }
274
275 const deleteHandler = (segmentPath: string) => LiveSegmentShaStore.Instance.removeSegmentSha(this.videoUUID, segmentPath)
276
277 this.tsWatcher.on('add', p => addHandler(p))
278 this.tsWatcher.on('unlink', p => deleteHandler(p))
279 }
280
281 private async isQuotaExceeded (segmentPath: string) {
282 if (this.saveReplay !== true) return false
283
284 try {
285 const segmentStat = await stat(segmentPath)
286
287 LiveQuotaStore.Instance.addQuotaTo(this.user.id, this.videoLive.id, segmentStat.size)
288
289 const canUpload = await this.isAbleToUploadVideoWithCache(this.user.id)
290
291 return canUpload !== true
292 } catch (err) {
293 logger.error('Cannot stat %s or check quota of %d.', segmentPath, this.user.id, { err, ...this.lTags() })
294 }
295 }
296
297 private createFiles () {
298 for (let i = 0; i < this.allResolutions.length; i++) {
299 const resolution = this.allResolutions[i]
300
301 const file = new VideoFileModel({
302 resolution,
303 size: -1,
304 extname: '.ts',
305 infoHash: null,
306 fps: this.fps,
307 videoStreamingPlaylistId: this.streamingPlaylist.id
308 })
309
310 VideoFileModel.customUpsert(file, 'streaming-playlist', null)
311 .catch(err => logger.error('Cannot create file for live streaming.', { err, ...this.lTags() }))
312 }
313 }
314
315 private async prepareDirectories () {
316 await ensureDir(this.outDirectory)
317
318 if (this.videoLive.saveReplay === true) {
319 await ensureDir(this.replayDirectory)
320 }
321 }
322
323 private isDurationConstraintValid (streamingStartTime: number) {
324 const maxDuration = CONFIG.LIVE.MAX_DURATION
325 // No limit
326 if (maxDuration < 0) return true
327
328 const now = new Date().getTime()
329 const max = streamingStartTime + maxDuration
330
331 return now <= max
332 }
333
334 private processSegments (segmentPaths: string[]) {
335 mapSeries(segmentPaths, async previousSegment => {
336 // Add sha hash of previous segments, because ffmpeg should have finished generating them
337 await LiveSegmentShaStore.Instance.addSegmentSha(this.videoUUID, previousSegment)
338
339 if (this.saveReplay) {
340 await this.addSegmentToReplay(previousSegment)
341 }
342 }).catch(err => logger.error('Cannot process segments', { err, ...this.lTags() }))
343 }
344
345 private hasClientSocketInBadHealth (sessionId: string) {
346 const rtmpSession = this.context.sessions.get(sessionId)
347
348 if (!rtmpSession) {
349 logger.warn('Cannot get session %s to check players socket health.', sessionId, this.lTags())
350 return
351 }
352
353 for (const playerSessionId of rtmpSession.players) {
354 const playerSession = this.context.sessions.get(playerSessionId)
355
356 if (!playerSession) {
357 logger.error('Cannot get player session %s to check socket health.', playerSession, this.lTags())
358 continue
359 }
360
361 if (playerSession.socket.writableLength > VIDEO_LIVE.MAX_SOCKET_WAITING_DATA) {
362 return true
363 }
364 }
365
366 return false
367 }
368
369 private async addSegmentToReplay (segmentPath: string) {
370 const segmentName = basename(segmentPath)
371 const dest = join(this.replayDirectory, buildConcatenatedName(segmentName))
372
373 try {
374 const data = await readFile(segmentPath)
375
376 await appendFile(dest, data)
377 } catch (err) {
378 logger.error('Cannot copy segment %s to replay directory.', segmentPath, { err, ...this.lTags() })
379 }
380 }
381 }
382
383 // ---------------------------------------------------------------------------
384
385 export {
386 MuxingSession
387 }