]> git.immae.eu Git - github/Chocobozzz/PeerTube.git/blame_incremental - client/src/assets/player/webtorrent/webtorrent-plugin.ts
Exclude 0p from auto webtorrent quality
[github/Chocobozzz/PeerTube.git] / client / src / assets / player / webtorrent / webtorrent-plugin.ts
... / ...
CommitLineData
1import videojs from 'video.js'
2import * as WebTorrent from 'webtorrent'
3import { renderVideo } from './video-renderer'
4import { LoadedQualityData, PlayerNetworkInfo, WebtorrentPluginOptions } from '../peertube-videojs-typings'
5import { getRtcConfig, timeToInt, videoFileMaxByResolution, videoFileMinByResolution, isIOS, isSafari } from '../utils'
6import { PeertubeChunkStore } from './peertube-chunk-store'
7import {
8 getAverageBandwidthInStore,
9 getStoredMute,
10 getStoredP2PEnabled,
11 getStoredVolume,
12 saveAverageBandwidth
13} from '../peertube-player-local-storage'
14import { VideoFile } from '@shared/models'
15
16const CacheChunkStore = require('cache-chunk-store')
17
18type PlayOptions = {
19 forcePlay?: boolean,
20 seek?: number,
21 delay?: number
22}
23
24const Plugin = videojs.getPlugin('plugin')
25
26class WebTorrentPlugin extends Plugin {
27 readonly videoFiles: VideoFile[]
28
29 private readonly playerElement: HTMLVideoElement
30
31 private readonly autoplay: boolean = false
32 private readonly startTime: number = 0
33 private readonly savePlayerSrcFunction: videojs.Player['src']
34 private readonly videoDuration: number
35 private readonly CONSTANTS = {
36 INFO_SCHEDULER: 1000, // Don't change this
37 AUTO_QUALITY_SCHEDULER: 3000, // Check quality every 3 seconds
38 AUTO_QUALITY_THRESHOLD_PERCENT: 30, // Bandwidth should be 30% more important than a resolution bitrate to change to it
39 AUTO_QUALITY_OBSERVATION_TIME: 10000, // Wait 10 seconds after having change the resolution before another check
40 AUTO_QUALITY_HIGHER_RESOLUTION_DELAY: 5000, // Buffering higher resolution during 5 seconds
41 BANDWIDTH_AVERAGE_NUMBER_OF_VALUES: 5 // Last 5 seconds to build average bandwidth
42 }
43
44 private readonly webtorrent = new WebTorrent({
45 tracker: {
46 rtcConfig: getRtcConfig()
47 },
48 dht: false
49 })
50
51 private currentVideoFile: VideoFile
52 private torrent: WebTorrent.Torrent
53
54 private renderer: any
55 private fakeRenderer: any
56 private destroyingFakeRenderer = false
57
58 private autoResolution = true
59 private autoResolutionPossible = true
60 private isAutoResolutionObservation = false
61 private playerRefusedP2P = false
62
63 private torrentInfoInterval: any
64 private autoQualityInterval: any
65 private addTorrentDelay: any
66 private qualityObservationTimer: any
67 private runAutoQualitySchedulerTimer: any
68
69 private downloadSpeeds: number[] = []
70
71 constructor (player: videojs.Player, options?: WebtorrentPluginOptions) {
72 super(player)
73
74 this.startTime = timeToInt(options.startTime)
75
76 // Disable auto play on iOS
77 this.autoplay = options.autoplay && isIOS() === false
78 this.playerRefusedP2P = !getStoredP2PEnabled()
79
80 this.videoFiles = options.videoFiles
81 this.videoDuration = options.videoDuration
82
83 this.savePlayerSrcFunction = this.player.src
84 this.playerElement = options.playerElement
85
86 this.player.ready(() => {
87 const playerOptions = this.player.options_
88
89 const volume = getStoredVolume()
90 if (volume !== undefined) this.player.volume(volume)
91
92 const muted = playerOptions.muted !== undefined ? playerOptions.muted : getStoredMute()
93 if (muted !== undefined) this.player.muted(muted)
94
95 this.player.duration(options.videoDuration)
96
97 this.initializePlayer()
98 this.runTorrentInfoScheduler()
99
100 this.player.one('play', () => {
101 // Don't run immediately scheduler, wait some seconds the TCP connections are made
102 this.runAutoQualitySchedulerTimer = setTimeout(() => this.runAutoQualityScheduler(), this.CONSTANTS.AUTO_QUALITY_SCHEDULER)
103 })
104 })
105 }
106
107 dispose () {
108 clearTimeout(this.addTorrentDelay)
109 clearTimeout(this.qualityObservationTimer)
110 clearTimeout(this.runAutoQualitySchedulerTimer)
111
112 clearInterval(this.torrentInfoInterval)
113 clearInterval(this.autoQualityInterval)
114
115 // Don't need to destroy renderer, video player will be destroyed
116 this.flushVideoFile(this.currentVideoFile, false)
117
118 this.destroyFakeRenderer()
119 }
120
121 getCurrentResolutionId () {
122 return this.currentVideoFile ? this.currentVideoFile.resolution.id : -1
123 }
124
125 updateVideoFile (
126 videoFile?: VideoFile,
127 options: {
128 forcePlay?: boolean,
129 seek?: number,
130 delay?: number
131 } = {},
132 done: () => void = () => { /* empty */ }
133 ) {
134 // Automatically choose the adapted video file
135 if (videoFile === undefined) {
136 const savedAverageBandwidth = getAverageBandwidthInStore()
137 videoFile = savedAverageBandwidth
138 ? this.getAppropriateFile(savedAverageBandwidth)
139 : this.pickAverageVideoFile()
140 }
141
142 // Don't add the same video file once again
143 if (this.currentVideoFile !== undefined && this.currentVideoFile.magnetUri === videoFile.magnetUri) {
144 return
145 }
146
147 // Do not display error to user because we will have multiple fallback
148 this.disableErrorDisplay();
149
150 // Hack to "simulate" src link in video.js >= 6
151 // Without this, we can't play the video after pausing it
152 // https://github.com/videojs/video.js/blob/master/src/js/player.js#L1633
153 (this.player as any).src = () => true
154 const oldPlaybackRate = this.player.playbackRate()
155
156 const previousVideoFile = this.currentVideoFile
157 this.currentVideoFile = videoFile
158
159 // Don't try on iOS that does not support MediaSource
160 // Or don't use P2P if webtorrent is disabled
161 if (isIOS() || this.playerRefusedP2P) {
162 return this.fallbackToHttp(options, () => {
163 this.player.playbackRate(oldPlaybackRate)
164 return done()
165 })
166 }
167
168 this.addTorrent(this.currentVideoFile.magnetUri, previousVideoFile, options, () => {
169 this.player.playbackRate(oldPlaybackRate)
170 return done()
171 })
172
173 this.changeQuality()
174 this.trigger('resolutionChange', { auto: this.autoResolution, resolutionId: this.currentVideoFile.resolution.id })
175 }
176
177 updateResolution (resolutionId: number, delay = 0) {
178 // Remember player state
179 const currentTime = this.player.currentTime()
180 const isPaused = this.player.paused()
181
182 // Hide bigPlayButton
183 if (!isPaused) {
184 this.player.bigPlayButton.hide()
185 }
186
187 // Audio-only (resolutionId === 0) gets special treatment
188 if (resolutionId === 0) {
189 // Audio-only: show poster, do not auto-hide controls
190 this.player.addClass('vjs-playing-audio-only-content')
191 this.player.posterImage.show()
192 } else {
193 // Hide poster to have black background
194 this.player.removeClass('vjs-playing-audio-only-content')
195 this.player.posterImage.hide()
196 }
197
198 const newVideoFile = this.videoFiles.find(f => f.resolution.id === resolutionId)
199 const options = {
200 forcePlay: false,
201 delay,
202 seek: currentTime + (delay / 1000)
203 }
204
205 this.updateVideoFile(newVideoFile, options)
206 }
207
208 flushVideoFile (videoFile: VideoFile, destroyRenderer = true) {
209 if (videoFile !== undefined && this.webtorrent.get(videoFile.magnetUri)) {
210 if (destroyRenderer === true && this.renderer && this.renderer.destroy) this.renderer.destroy()
211
212 this.webtorrent.remove(videoFile.magnetUri)
213 console.log('Removed ' + videoFile.magnetUri)
214 }
215 }
216
217 enableAutoResolution () {
218 this.autoResolution = true
219 this.trigger('resolutionChange', { auto: this.autoResolution, resolutionId: this.getCurrentResolutionId() })
220 }
221
222 disableAutoResolution (forbid = false) {
223 if (forbid === true) this.autoResolutionPossible = false
224
225 this.autoResolution = false
226 this.trigger('autoResolutionChange', { possible: this.autoResolutionPossible })
227 this.trigger('resolutionChange', { auto: this.autoResolution, resolutionId: this.getCurrentResolutionId() })
228 }
229
230 isAutoResolutionPossible () {
231 return this.autoResolutionPossible
232 }
233
234 getTorrent () {
235 return this.torrent
236 }
237
238 getCurrentVideoFile () {
239 return this.currentVideoFile
240 }
241
242 private addTorrent (
243 magnetOrTorrentUrl: string,
244 previousVideoFile: VideoFile,
245 options: PlayOptions,
246 done: Function
247 ) {
248 console.log('Adding ' + magnetOrTorrentUrl + '.')
249
250 const oldTorrent = this.torrent
251 const torrentOptions = {
252 // Don't use arrow function: it breaks webtorrent (that uses `new` keyword)
253 store: function (chunkLength: number, storeOpts: any) {
254 return new CacheChunkStore(new PeertubeChunkStore(chunkLength, storeOpts), {
255 max: 100
256 })
257 }
258 }
259
260 this.torrent = this.webtorrent.add(magnetOrTorrentUrl, torrentOptions, torrent => {
261 console.log('Added ' + magnetOrTorrentUrl + '.')
262
263 if (oldTorrent) {
264 // Pause the old torrent
265 this.stopTorrent(oldTorrent)
266
267 // We use a fake renderer so we download correct pieces of the next file
268 if (options.delay) this.renderFileInFakeElement(torrent.files[ 0 ], options.delay)
269 }
270
271 // Render the video in a few seconds? (on resolution change for example, we wait some seconds of the new video resolution)
272 this.addTorrentDelay = setTimeout(() => {
273 // We don't need the fake renderer anymore
274 this.destroyFakeRenderer()
275
276 const paused = this.player.paused()
277
278 this.flushVideoFile(previousVideoFile)
279
280 // Update progress bar (just for the UI), do not wait rendering
281 if (options.seek) this.player.currentTime(options.seek)
282
283 const renderVideoOptions = { autoplay: false, controls: true }
284 renderVideo(torrent.files[ 0 ], this.playerElement, renderVideoOptions, (err, renderer) => {
285 this.renderer = renderer
286
287 if (err) return this.fallbackToHttp(options, done)
288
289 return this.tryToPlay(err => {
290 if (err) return done(err)
291
292 if (options.seek) this.seek(options.seek)
293 if (options.forcePlay === false && paused === true) this.player.pause()
294
295 return done()
296 })
297 })
298 }, options.delay || 0)
299 })
300
301 this.torrent.on('error', (err: any) => console.error(err))
302
303 this.torrent.on('warning', (err: any) => {
304 // We don't support HTTP tracker but we don't care -> we use the web socket tracker
305 if (err.message.indexOf('Unsupported tracker protocol') !== -1) return
306
307 // Users don't care about issues with WebRTC, but developers do so log it in the console
308 if (err.message.indexOf('Ice connection failed') !== -1) {
309 console.log(err)
310 return
311 }
312
313 // Magnet hash is not up to date with the torrent file, add directly the torrent file
314 if (err.message.indexOf('incorrect info hash') !== -1) {
315 console.error('Incorrect info hash detected, falling back to torrent file.')
316 const newOptions = { forcePlay: true, seek: options.seek }
317 return this.addTorrent(this.torrent[ 'xs' ], previousVideoFile, newOptions, done)
318 }
319
320 // Remote instance is down
321 if (err.message.indexOf('from xs param') !== -1) {
322 this.handleError(err)
323 }
324
325 console.warn(err)
326 })
327 }
328
329 private tryToPlay (done?: (err?: Error) => void) {
330 if (!done) done = function () { /* empty */ }
331
332 // Try in mute mode because we have issues with Safari
333 if (isSafari() && this.player.muted() === false) {
334 this.player.muted(true)
335 }
336
337 const playPromise = this.player.play()
338 if (playPromise !== undefined) {
339 return playPromise.then(() => done())
340 .catch((err: Error) => {
341 if (err.message.indexOf('The play() request was interrupted by a call to pause()') !== -1) {
342 return
343 }
344
345 console.error(err)
346 this.player.pause()
347 this.player.posterImage.show()
348 this.player.removeClass('vjs-has-autoplay')
349 this.player.removeClass('vjs-has-big-play-button-clicked')
350 this.player.removeClass('vjs-playing-audio-only-content')
351
352 return done()
353 })
354 }
355
356 return done()
357 }
358
359 private seek (time: number) {
360 this.player.currentTime(time)
361 this.player.handleTechSeeked_()
362 }
363
364 private getAppropriateFile (averageDownloadSpeed?: number): VideoFile {
365 if (this.videoFiles === undefined) return undefined
366
367 const files = this.videoFiles.filter(f => f.resolution.id !== 0)
368
369 if (files.length === 0) return undefined
370 if (files.length === 1) return files[0]
371
372 // Don't change the torrent is the play was ended
373 if (this.torrent && this.torrent.progress === 1 && this.player.ended()) return this.currentVideoFile
374
375 if (!averageDownloadSpeed) averageDownloadSpeed = this.getAndSaveActualDownloadSpeed()
376 averageDownloadSpeed = 0
377
378 // Limit resolution according to player height
379 const playerHeight = this.playerElement.offsetHeight
380
381 // We take the first resolution just above the player height
382 // Example: player height is 530px, we want the 720p file instead of 480p
383 let maxResolution = files[0].resolution.id
384 for (let i = files.length - 1; i >= 0; i--) {
385 const resolutionId = files[i].resolution.id
386 if (resolutionId !== 0 && resolutionId >= playerHeight) {
387 maxResolution = resolutionId
388 break
389 }
390 }
391
392 // Filter videos we can play according to our screen resolution and bandwidth
393 const filteredFiles = files.filter(f => f.resolution.id <= maxResolution)
394 .filter(f => {
395 const fileBitrate = (f.size / this.videoDuration)
396 let threshold = fileBitrate
397
398 // If this is for a higher resolution or an initial load: add a margin
399 if (!this.currentVideoFile || f.resolution.id > this.currentVideoFile.resolution.id) {
400 threshold += ((fileBitrate * this.CONSTANTS.AUTO_QUALITY_THRESHOLD_PERCENT) / 100)
401 }
402
403 return averageDownloadSpeed > threshold
404 })
405
406 // If the download speed is too bad, return the lowest resolution we have
407 if (filteredFiles.length === 0) return videoFileMinByResolution(files)
408
409 return videoFileMaxByResolution(filteredFiles)
410 }
411
412 private getAndSaveActualDownloadSpeed () {
413 const start = Math.max(this.downloadSpeeds.length - this.CONSTANTS.BANDWIDTH_AVERAGE_NUMBER_OF_VALUES, 0)
414 const lastDownloadSpeeds = this.downloadSpeeds.slice(start, this.downloadSpeeds.length)
415 if (lastDownloadSpeeds.length === 0) return -1
416
417 const sum = lastDownloadSpeeds.reduce((a, b) => a + b)
418 const averageBandwidth = Math.round(sum / lastDownloadSpeeds.length)
419
420 // Save the average bandwidth for future use
421 saveAverageBandwidth(averageBandwidth)
422
423 return averageBandwidth
424 }
425
426 private initializePlayer () {
427 this.buildQualities()
428
429 if (this.autoplay) {
430 this.player.posterImage.hide()
431
432 return this.updateVideoFile(undefined, { forcePlay: true, seek: this.startTime })
433 }
434
435 // Proxy first play
436 const oldPlay = this.player.play.bind(this.player);
437 (this.player as any).play = () => {
438 this.player.addClass('vjs-has-big-play-button-clicked')
439 this.player.play = oldPlay
440
441 this.updateVideoFile(undefined, { forcePlay: true, seek: this.startTime })
442 }
443 }
444
445 private runAutoQualityScheduler () {
446 this.autoQualityInterval = setInterval(() => {
447
448 // Not initialized or in HTTP fallback
449 if (this.torrent === undefined || this.torrent === null) return
450 if (this.autoResolution === false) return
451 if (this.isAutoResolutionObservation === true) return
452
453 const file = this.getAppropriateFile()
454 let changeResolution = false
455 let changeResolutionDelay = 0
456
457 // Lower resolution
458 if (this.isPlayerWaiting() && file.resolution.id < this.currentVideoFile.resolution.id) {
459 console.log('Downgrading automatically the resolution to: %s', file.resolution.label)
460 changeResolution = true
461 } else if (file.resolution.id > this.currentVideoFile.resolution.id) { // Higher resolution
462 console.log('Upgrading automatically the resolution to: %s', file.resolution.label)
463 changeResolution = true
464 changeResolutionDelay = this.CONSTANTS.AUTO_QUALITY_HIGHER_RESOLUTION_DELAY
465 }
466
467 if (changeResolution === true) {
468 this.updateResolution(file.resolution.id, changeResolutionDelay)
469
470 // Wait some seconds in observation of our new resolution
471 this.isAutoResolutionObservation = true
472
473 this.qualityObservationTimer = setTimeout(() => {
474 this.isAutoResolutionObservation = false
475 }, this.CONSTANTS.AUTO_QUALITY_OBSERVATION_TIME)
476 }
477 }, this.CONSTANTS.AUTO_QUALITY_SCHEDULER)
478 }
479
480 private isPlayerWaiting () {
481 return this.player && this.player.hasClass('vjs-waiting')
482 }
483
484 private runTorrentInfoScheduler () {
485 this.torrentInfoInterval = setInterval(() => {
486 // Not initialized yet
487 if (this.torrent === undefined) return
488
489 // Http fallback
490 if (this.torrent === null) return this.player.trigger('p2pInfo', false)
491
492 // this.webtorrent.downloadSpeed because we need to take into account the potential old torrent too
493 if (this.webtorrent.downloadSpeed !== 0) this.downloadSpeeds.push(this.webtorrent.downloadSpeed)
494
495 return this.player.trigger('p2pInfo', {
496 http: {
497 downloadSpeed: 0,
498 uploadSpeed: 0,
499 downloaded: 0,
500 uploaded: 0
501 },
502 p2p: {
503 downloadSpeed: this.torrent.downloadSpeed,
504 numPeers: this.torrent.numPeers,
505 uploadSpeed: this.torrent.uploadSpeed,
506 downloaded: this.torrent.downloaded,
507 uploaded: this.torrent.uploaded
508 }
509 } as PlayerNetworkInfo)
510 }, this.CONSTANTS.INFO_SCHEDULER)
511 }
512
513 private fallbackToHttp (options: PlayOptions, done?: Function) {
514 const paused = this.player.paused()
515
516 this.disableAutoResolution(true)
517
518 this.flushVideoFile(this.currentVideoFile, true)
519 this.torrent = null
520
521 // Enable error display now this is our last fallback
522 this.player.one('error', () => this.enableErrorDisplay())
523
524 const httpUrl = this.currentVideoFile.fileUrl
525 this.player.src = this.savePlayerSrcFunction
526 this.player.src(httpUrl)
527
528 this.changeQuality()
529
530 // We changed the source, so reinit captions
531 this.player.trigger('sourcechange')
532
533 return this.tryToPlay(err => {
534 if (err && done) return done(err)
535
536 if (options.seek) this.seek(options.seek)
537 if (options.forcePlay === false && paused === true) this.player.pause()
538
539 if (done) return done()
540 })
541 }
542
543 private handleError (err: Error | string) {
544 return this.player.trigger('customError', { err })
545 }
546
547 private enableErrorDisplay () {
548 this.player.addClass('vjs-error-display-enabled')
549 }
550
551 private disableErrorDisplay () {
552 this.player.removeClass('vjs-error-display-enabled')
553 }
554
555 private pickAverageVideoFile () {
556 if (this.videoFiles.length === 1) return this.videoFiles[0]
557
558 return this.videoFiles[Math.floor(this.videoFiles.length / 2)]
559 }
560
561 private stopTorrent (torrent: WebTorrent.Torrent) {
562 torrent.pause()
563 // Pause does not remove actual peers (in particular the webseed peer)
564 torrent.removePeer(torrent[ 'ws' ])
565 }
566
567 private renderFileInFakeElement (file: WebTorrent.TorrentFile, delay: number) {
568 this.destroyingFakeRenderer = false
569
570 const fakeVideoElem = document.createElement('video')
571 renderVideo(file, fakeVideoElem, { autoplay: false, controls: false }, (err, renderer) => {
572 this.fakeRenderer = renderer
573
574 // The renderer returns an error when we destroy it, so skip them
575 if (this.destroyingFakeRenderer === false && err) {
576 console.error('Cannot render new torrent in fake video element.', err)
577 }
578
579 // Load the future file at the correct time (in delay MS - 2 seconds)
580 fakeVideoElem.currentTime = this.player.currentTime() + (delay - 2000)
581 })
582 }
583
584 private destroyFakeRenderer () {
585 if (this.fakeRenderer) {
586 this.destroyingFakeRenderer = true
587
588 if (this.fakeRenderer.destroy) {
589 try {
590 this.fakeRenderer.destroy()
591 } catch (err) {
592 console.log('Cannot destroy correctly fake renderer.', err)
593 }
594 }
595 this.fakeRenderer = undefined
596 }
597 }
598
599 private buildQualities () {
600 const qualityLevelsPayload = []
601
602 for (const file of this.videoFiles) {
603 const representation = {
604 id: file.resolution.id,
605 label: this.buildQualityLabel(file),
606 height: file.resolution.id,
607 _enabled: true
608 }
609
610 this.player.qualityLevels().addQualityLevel(representation)
611
612 qualityLevelsPayload.push({
613 id: representation.id,
614 label: representation.label,
615 selected: false
616 })
617 }
618
619 const payload: LoadedQualityData = {
620 qualitySwitchCallback: (d: any) => this.qualitySwitchCallback(d),
621 qualityData: {
622 video: qualityLevelsPayload
623 }
624 }
625 this.player.tech(true).trigger('loadedqualitydata', payload)
626 }
627
628 private buildQualityLabel (file: VideoFile) {
629 let label = file.resolution.label
630
631 if (file.fps && file.fps >= 50) {
632 label += file.fps
633 }
634
635 return label
636 }
637
638 private qualitySwitchCallback (id: number) {
639 if (id === -1) {
640 if (this.autoResolutionPossible === true) this.enableAutoResolution()
641 return
642 }
643
644 this.disableAutoResolution()
645 this.updateResolution(id)
646 }
647
648 private changeQuality () {
649 const resolutionId = this.currentVideoFile.resolution.id
650 const qualityLevels = this.player.qualityLevels()
651
652 if (resolutionId === -1) {
653 qualityLevels.selectedIndex = -1
654 return
655 }
656
657 for (let i = 0; i < qualityLevels.length; i++) {
658 const q = qualityLevels[i]
659 if (q.height === resolutionId) qualityLevels.selectedIndex_ = i
660 }
661 }
662}
663
664videojs.registerPlugin('webtorrent', WebTorrentPlugin)
665export { WebTorrentPlugin }