]> git.immae.eu Git - github/Chocobozzz/PeerTube.git/blame - server/lib/hls.ts
Add ability to remove hls/webtorrent files
[github/Chocobozzz/PeerTube.git] / server / lib / hls.ts
CommitLineData
0305db28 1import { close, ensureDir, move, open, outputJSON, read, readFile, remove, stat, writeFile } from 'fs-extra'
daf6e480
C
2import { flatten, uniq } from 'lodash'
3import { basename, dirname, join } from 'path'
e1ab52d7 4import { MStreamingPlaylistFilesVideo, MVideo, MVideoUUID } from '@server/types/models'
09209296 5import { sha256 } from '../helpers/core-utils'
daf6e480 6import { getAudioStreamCodec, getVideoStreamCodec, getVideoStreamSize } from '../helpers/ffprobe-utils'
09209296 7import { logger } from '../helpers/logger'
4c280004
C
8import { doRequest, doRequestAndSaveToFile } from '../helpers/requests'
9import { generateRandomString } from '../helpers/utils'
6dd9de95 10import { CONFIG } from '../initializers/config'
0305db28 11import { P2P_MEDIA_LOADER_PEER_VERSION } from '../initializers/constants'
74dc3bca 12import { sequelizeTypescript } from '../initializers/database'
daf6e480
C
13import { VideoFileModel } from '../models/video/video-file'
14import { VideoStreamingPlaylistModel } from '../models/video/video-streaming-playlist'
0305db28
JB
15import { getHlsResolutionPlaylistFilename } from './paths'
16import { VideoPathManager } from './video-path-manager'
ae9bbed4
C
17
18async function updateStreamingPlaylistsInfohashesIfNeeded () {
19 const playlistsToUpdate = await VideoStreamingPlaylistModel.listByIncorrectPeerVersion()
20
21 // Use separate SQL queries, because we could have many videos to update
22 for (const playlist of playlistsToUpdate) {
23 await sequelizeTypescript.transaction(async t => {
24 const videoFiles = await VideoFileModel.listByStreamingPlaylist(playlist.id, t)
25
764b1a14 26 playlist.assignP2PMediaLoaderInfoHashes(playlist.Video, videoFiles)
0e9c48c2 27 playlist.p2pMediaLoaderPeerVersion = P2P_MEDIA_LOADER_PEER_VERSION
764b1a14 28
ae9bbed4
C
29 await playlist.save({ transaction: t })
30 })
31 }
32}
09209296 33
e1ab52d7 34async function updateMasterHLSPlaylist (video: MVideo, playlist: MStreamingPlaylistFilesVideo) {
09209296 35 const masterPlaylists: string[] = [ '#EXTM3U', '#EXT-X-VERSION:3' ]
09209296 36
764b1a14
C
37 for (const file of playlist.VideoFiles) {
38 const playlistFilename = getHlsResolutionPlaylistFilename(file.filename)
83903cb6 39
0305db28
JB
40 await VideoPathManager.Instance.makeAvailableVideoFile(playlist, file, async videoFilePath => {
41 const size = await getVideoStreamSize(videoFilePath)
09209296 42
0305db28
JB
43 const bandwidth = 'BANDWIDTH=' + video.getBandwidthBits(file)
44 const resolution = `RESOLUTION=${size.width}x${size.height}`
09209296 45
0305db28
JB
46 let line = `#EXT-X-STREAM-INF:${bandwidth},${resolution}`
47 if (file.fps) line += ',FRAME-RATE=' + file.fps
09209296 48
0305db28
JB
49 const codecs = await Promise.all([
50 getVideoStreamCodec(videoFilePath),
51 getAudioStreamCodec(videoFilePath)
52 ])
d7b1c7b4 53
0305db28 54 line += `,CODECS="${codecs.filter(c => !!c).join(',')}"`
52201311 55
0305db28
JB
56 masterPlaylists.push(line)
57 masterPlaylists.push(playlistFilename)
58 })
09209296
C
59 }
60
0305db28
JB
61 await VideoPathManager.Instance.makeAvailablePlaylistFile(playlist, playlist.playlistFilename, masterPlaylistPath => {
62 return writeFile(masterPlaylistPath, masterPlaylists.join('\n') + '\n')
63 })
09209296
C
64}
65
e1ab52d7 66async function updateSha256VODSegments (video: MVideoUUID, playlist: MStreamingPlaylistFilesVideo) {
4c280004
C
67 const json: { [filename: string]: { [range: string]: string } } = {}
68
4c280004 69 // For all the resolutions available for this video
764b1a14 70 for (const file of playlist.VideoFiles) {
4c280004
C
71 const rangeHashes: { [range: string]: string } = {}
72
0305db28 73 await VideoPathManager.Instance.makeAvailableVideoFile(playlist, file, videoPath => {
09209296 74
0305db28
JB
75 return VideoPathManager.Instance.makeAvailableResolutionPlaylistFile(playlist, file, async resolutionPlaylistPath => {
76 const playlistContent = await readFile(resolutionPlaylistPath)
77 const ranges = getRangesFromPlaylist(playlistContent.toString())
09209296 78
0305db28
JB
79 const fd = await open(videoPath, 'r')
80 for (const range of ranges) {
81 const buf = Buffer.alloc(range.length)
82 await read(fd, buf, 0, range.length, range.offset)
09209296 83
0305db28
JB
84 rangeHashes[`${range.offset}-${range.offset + range.length - 1}`] = sha256(buf)
85 }
86 await close(fd)
4c280004 87
0305db28
JB
88 const videoFilename = file.filename
89 json[videoFilename] = rangeHashes
90 })
91 })
09209296
C
92 }
93
0305db28 94 const outputPath = VideoPathManager.Instance.getFSHLSOutputPath(video, playlist.segmentsSha256Filename)
09209296
C
95 await outputJSON(outputPath, json)
96}
97
c6c0fa6c
C
98async function buildSha256Segment (segmentPath: string) {
99 const buf = await readFile(segmentPath)
100 return sha256(buf)
101}
102
18998c45 103function downloadPlaylistSegments (playlistUrl: string, destinationDir: string, timeout: number, bodyKBLimit: number) {
4c280004 104 let timer
18998c45 105 let remainingBodyKBLimit = bodyKBLimit
09209296 106
4c280004 107 logger.info('Importing HLS playlist %s', playlistUrl)
09209296 108
ba5a8d89 109 return new Promise<void>(async (res, rej) => {
4c280004 110 const tmpDirectory = join(CONFIG.STORAGE.TMP_DIR, await generateRandomString(10))
09209296 111
4c280004 112 await ensureDir(tmpDirectory)
09209296
C
113
114 timer = setTimeout(() => {
4c280004 115 deleteTmpDirectory(tmpDirectory)
09209296
C
116
117 return rej(new Error('HLS download timeout.'))
118 }, timeout)
119
4c280004
C
120 try {
121 // Fetch master playlist
122 const subPlaylistUrls = await fetchUniqUrls(playlistUrl)
123
124 const subRequests = subPlaylistUrls.map(u => fetchUniqUrls(u))
125 const fileUrls = uniq(flatten(await Promise.all(subRequests)))
126
127 logger.debug('Will download %d HLS files.', fileUrls.length, { fileUrls })
128
129 for (const fileUrl of fileUrls) {
130 const destPath = join(tmpDirectory, basename(fileUrl))
131
18998c45
C
132 await doRequestAndSaveToFile(fileUrl, destPath, { bodyKBLimit: remainingBodyKBLimit })
133
134 const { size } = await stat(destPath)
135 remainingBodyKBLimit -= (size / 1000)
136
137 logger.debug('Downloaded HLS playlist file %s with %d kB remained limit.', fileUrl, Math.floor(remainingBodyKBLimit))
4c280004
C
138 }
139
140 clearTimeout(timer)
141
142 await move(tmpDirectory, destinationDir, { overwrite: true })
143
144 return res()
145 } catch (err) {
146 deleteTmpDirectory(tmpDirectory)
147
148 return rej(err)
09209296
C
149 }
150 })
4c280004
C
151
152 function deleteTmpDirectory (directory: string) {
153 remove(directory)
154 .catch(err => logger.error('Cannot delete path on HLS download error.', { err }))
155 }
156
157 async function fetchUniqUrls (playlistUrl: string) {
db4b15f2 158 const { body } = await doRequest(playlistUrl)
4c280004
C
159
160 if (!body) return []
161
162 const urls = body.split('\n')
163 .filter(line => line.endsWith('.m3u8') || line.endsWith('.mp4'))
164 .map(url => {
165 if (url.startsWith('http://') || url.startsWith('https://')) return url
166
167 return `${dirname(playlistUrl)}/${url}`
168 })
169
170 return uniq(urls)
171 }
09209296
C
172}
173
174// ---------------------------------------------------------------------------
175
176export {
177 updateMasterHLSPlaylist,
c6c0fa6c
C
178 updateSha256VODSegments,
179 buildSha256Segment,
ae9bbed4
C
180 downloadPlaylistSegments,
181 updateStreamingPlaylistsInfohashesIfNeeded
09209296
C
182}
183
184// ---------------------------------------------------------------------------
b5b68755
C
185
186function getRangesFromPlaylist (playlistContent: string) {
187 const ranges: { offset: number, length: number }[] = []
188 const lines = playlistContent.split('\n')
189 const regex = /^#EXT-X-BYTERANGE:(\d+)@(\d+)$/
190
191 for (const line of lines) {
192 const captured = regex.exec(line)
193
194 if (captured) {
195 ranges.push({ length: parseInt(captured[1], 10), offset: parseInt(captured[2], 10) })
196 }
197 }
198
199 return ranges
200}