]> git.immae.eu Git - github/Chocobozzz/PeerTube.git/blob - client/src/app/+videos/+video-watch/video-watch.component.ts
Live views update
[github/Chocobozzz/PeerTube.git] / client / src / app / +videos / +video-watch / video-watch.component.ts
1 import { Hotkey, HotkeysService } from 'angular2-hotkeys'
2 import { forkJoin, Observable, Subscription } from 'rxjs'
3 import { catchError } from 'rxjs/operators'
4 import { PlatformLocation } from '@angular/common'
5 import { ChangeDetectorRef, Component, ElementRef, Inject, LOCALE_ID, NgZone, OnDestroy, OnInit, ViewChild } from '@angular/core'
6 import { ActivatedRoute, Router } from '@angular/router'
7 import {
8 AuthService,
9 AuthUser,
10 ConfirmService,
11 MarkdownService,
12 Notifier,
13 PeerTubeSocket,
14 RestExtractor,
15 ServerService,
16 UserService
17 } from '@app/core'
18 import { HooksService } from '@app/core/plugins/hooks.service'
19 import { RedirectService } from '@app/core/routing/redirect.service'
20 import { isXPercentInViewport, scrollToTop } from '@app/helpers'
21 import { Video, VideoCaptionService, VideoDetails, VideoService } from '@app/shared/shared-main'
22 import { VideoShareComponent } from '@app/shared/shared-share-modal'
23 import { SubscribeButtonComponent } from '@app/shared/shared-user-subscription'
24 import { VideoActionsDisplayType, VideoDownloadComponent } from '@app/shared/shared-video-miniature'
25 import { VideoPlaylist, VideoPlaylistService } from '@app/shared/shared-video-playlist'
26 import { MetaService } from '@ngx-meta/core'
27 import { peertubeLocalStorage } from '@root-helpers/peertube-web-storage'
28 import { HttpStatusCode } from '@shared/core-utils/miscs/http-error-codes'
29 import { ServerConfig, ServerErrorCode, UserVideoRateType, VideoCaption, VideoPrivacy, VideoState } from '@shared/models'
30 import { getStoredP2PEnabled, getStoredTheater } from '../../../assets/player/peertube-player-local-storage'
31 import {
32 CustomizationOptions,
33 P2PMediaLoaderOptions,
34 PeertubePlayerManager,
35 PeertubePlayerManagerOptions,
36 PlayerMode,
37 videojs
38 } from '../../../assets/player/peertube-player-manager'
39 import { isWebRTCDisabled, timeToInt } from '../../../assets/player/utils'
40 import { environment } from '../../../environments/environment'
41 import { VideoSupportComponent } from './modal/video-support.component'
42 import { VideoWatchPlaylistComponent } from './video-watch-playlist.component'
43
44 type URLOptions = CustomizationOptions & { playerMode: PlayerMode }
45
46 @Component({
47 selector: 'my-video-watch',
48 templateUrl: './video-watch.component.html',
49 styleUrls: [ './video-watch.component.scss' ]
50 })
51 export class VideoWatchComponent implements OnInit, OnDestroy {
52 private static LOCAL_STORAGE_PRIVACY_CONCERN_KEY = 'video-watch-privacy-concern'
53
54 @ViewChild('videoWatchPlaylist', { static: true }) videoWatchPlaylist: VideoWatchPlaylistComponent
55 @ViewChild('videoShareModal') videoShareModal: VideoShareComponent
56 @ViewChild('videoSupportModal') videoSupportModal: VideoSupportComponent
57 @ViewChild('subscribeButton') subscribeButton: SubscribeButtonComponent
58 @ViewChild('videoDownloadModal') videoDownloadModal: VideoDownloadComponent
59
60 player: any
61 playerElement: HTMLVideoElement
62 theaterEnabled = false
63 userRating: UserVideoRateType = null
64 descriptionLoading = false
65
66 video: VideoDetails = null
67 videoCaptions: VideoCaption[] = []
68
69 playlistPosition: number
70 playlist: VideoPlaylist = null
71
72 completeDescriptionShown = false
73 completeVideoDescription: string
74 shortVideoDescription: string
75 videoHTMLDescription = ''
76 likesBarTooltipText = ''
77 hasAlreadyAcceptedPrivacyConcern = false
78 remoteServerDown = false
79 hotkeys: Hotkey[] = []
80
81 tooltipLike = ''
82 tooltipDislike = ''
83 tooltipSupport = ''
84 tooltipSaveToPlaylist = ''
85
86 videoActionsOptions: VideoActionsDisplayType = {
87 playlist: false,
88 download: true,
89 update: true,
90 blacklist: true,
91 delete: true,
92 report: true,
93 duplicate: true,
94 mute: true,
95 liveInfo: true
96 }
97
98 private nextVideoUuid = ''
99 private nextVideoTitle = ''
100 private currentTime: number
101 private paramsSub: Subscription
102 private queryParamsSub: Subscription
103 private configSub: Subscription
104 private liveVideosSub: Subscription
105
106 private serverConfig: ServerConfig
107
108 constructor (
109 private elementRef: ElementRef,
110 private changeDetector: ChangeDetectorRef,
111 private route: ActivatedRoute,
112 private router: Router,
113 private videoService: VideoService,
114 private playlistService: VideoPlaylistService,
115 private confirmService: ConfirmService,
116 private metaService: MetaService,
117 private authService: AuthService,
118 private userService: UserService,
119 private serverService: ServerService,
120 private restExtractor: RestExtractor,
121 private notifier: Notifier,
122 private markdownService: MarkdownService,
123 private zone: NgZone,
124 private redirectService: RedirectService,
125 private videoCaptionService: VideoCaptionService,
126 private hotkeysService: HotkeysService,
127 private hooks: HooksService,
128 private peertubeSocket: PeerTubeSocket,
129 private location: PlatformLocation,
130 @Inject(LOCALE_ID) private localeId: string
131 ) {
132 this.tooltipLike = $localize`Like this video`
133 this.tooltipDislike = $localize`Dislike this video`
134 this.tooltipSupport = $localize`Support options for this video`
135 this.tooltipSaveToPlaylist = $localize`Save to playlist`
136 }
137
138 get user () {
139 return this.authService.getUser()
140 }
141
142 get anonymousUser () {
143 return this.userService.getAnonymousUser()
144 }
145
146 async ngOnInit () {
147 PeertubePlayerManager.initState()
148
149 this.serverConfig = this.serverService.getTmpConfig()
150
151 this.configSub = this.serverService.getConfig()
152 .subscribe(config => {
153 this.serverConfig = config
154
155 if (
156 isWebRTCDisabled() ||
157 this.serverConfig.tracker.enabled === false ||
158 getStoredP2PEnabled() === false ||
159 peertubeLocalStorage.getItem(VideoWatchComponent.LOCAL_STORAGE_PRIVACY_CONCERN_KEY) === 'true'
160 ) {
161 this.hasAlreadyAcceptedPrivacyConcern = true
162 }
163 })
164
165 this.paramsSub = this.route.params.subscribe(routeParams => {
166 const videoId = routeParams[ 'videoId' ]
167 if (videoId) this.loadVideo(videoId)
168
169 const playlistId = routeParams[ 'playlistId' ]
170 if (playlistId) this.loadPlaylist(playlistId)
171 })
172
173 this.queryParamsSub = this.route.queryParams.subscribe(queryParams => {
174 this.playlistPosition = queryParams[ 'playlistPosition' ]
175 this.videoWatchPlaylist.updatePlaylistIndex(this.playlistPosition)
176
177 const start = queryParams[ 'start' ]
178 if (this.player && start) this.player.currentTime(parseInt(start, 10))
179 })
180
181 this.initHotkeys()
182
183 this.theaterEnabled = getStoredTheater()
184
185 this.hooks.runAction('action:video-watch.init', 'video-watch')
186 }
187
188 ngOnDestroy () {
189 this.flushPlayer()
190
191 // Unsubscribe subscriptions
192 if (this.paramsSub) this.paramsSub.unsubscribe()
193 if (this.queryParamsSub) this.queryParamsSub.unsubscribe()
194 if (this.configSub) this.configSub.unsubscribe()
195 if (this.liveVideosSub) this.liveVideosSub.unsubscribe()
196
197 // Unbind hotkeys
198 this.hotkeysService.remove(this.hotkeys)
199 }
200
201 setLike () {
202 if (this.isUserLoggedIn() === false) return
203
204 // Already liked this video
205 if (this.userRating === 'like') this.setRating('none')
206 else this.setRating('like')
207 }
208
209 setDislike () {
210 if (this.isUserLoggedIn() === false) return
211
212 // Already disliked this video
213 if (this.userRating === 'dislike') this.setRating('none')
214 else this.setRating('dislike')
215 }
216
217 getRatePopoverText () {
218 if (this.isUserLoggedIn()) return undefined
219
220 return $localize`You need to be <a href="/login">logged in</a> to rate this video.`
221 }
222
223 showMoreDescription () {
224 if (this.completeVideoDescription === undefined) {
225 return this.loadCompleteDescription()
226 }
227
228 this.updateVideoDescription(this.completeVideoDescription)
229 this.completeDescriptionShown = true
230 }
231
232 showLessDescription () {
233 this.updateVideoDescription(this.shortVideoDescription)
234 this.completeDescriptionShown = false
235 }
236
237 showDownloadModal () {
238 this.videoDownloadModal.show(this.video, this.videoCaptions)
239 }
240
241 isVideoDownloadable () {
242 return this.video && this.video instanceof VideoDetails && this.video.downloadEnabled && !this.video.isLive
243 }
244
245 loadCompleteDescription () {
246 this.descriptionLoading = true
247
248 this.videoService.loadCompleteDescription(this.video.descriptionPath)
249 .subscribe(
250 description => {
251 this.completeDescriptionShown = true
252 this.descriptionLoading = false
253
254 this.shortVideoDescription = this.video.description
255 this.completeVideoDescription = description
256
257 this.updateVideoDescription(this.completeVideoDescription)
258 },
259
260 error => {
261 this.descriptionLoading = false
262 this.notifier.error(error.message)
263 }
264 )
265 }
266
267 showSupportModal () {
268 // Check video was playing before opening support modal
269 const isVideoPlaying = this.isPlaying()
270
271 this.pausePlayer()
272
273 const modalRef = this.videoSupportModal.show()
274
275 modalRef.result.then(() => {
276 if (isVideoPlaying) {
277 this.resumePlayer()
278 }
279 })
280 }
281
282 showShareModal () {
283 this.pausePlayer()
284
285 this.videoShareModal.show(this.currentTime, this.videoWatchPlaylist.currentPlaylistPosition)
286 }
287
288 isUserLoggedIn () {
289 return this.authService.isLoggedIn()
290 }
291
292 getVideoTags () {
293 if (!this.video || Array.isArray(this.video.tags) === false) return []
294
295 return this.video.tags
296 }
297
298 onRecommendations (videos: Video[]) {
299 if (videos.length > 0) {
300 // The recommended videos's first element should be the next video
301 const video = videos[0]
302 this.nextVideoUuid = video.uuid
303 this.nextVideoTitle = video.name
304 }
305 }
306
307 onModalOpened () {
308 this.pausePlayer()
309 }
310
311 onVideoRemoved () {
312 this.redirectService.redirectToHomepage()
313 }
314
315 declinedPrivacyConcern () {
316 peertubeLocalStorage.setItem(VideoWatchComponent.LOCAL_STORAGE_PRIVACY_CONCERN_KEY, 'false')
317 this.hasAlreadyAcceptedPrivacyConcern = false
318 }
319
320 acceptedPrivacyConcern () {
321 peertubeLocalStorage.setItem(VideoWatchComponent.LOCAL_STORAGE_PRIVACY_CONCERN_KEY, 'true')
322 this.hasAlreadyAcceptedPrivacyConcern = true
323 }
324
325 isVideoToTranscode () {
326 return this.video && this.video.state.id === VideoState.TO_TRANSCODE
327 }
328
329 isVideoToImport () {
330 return this.video && this.video.state.id === VideoState.TO_IMPORT
331 }
332
333 hasVideoScheduledPublication () {
334 return this.video && this.video.scheduledUpdate !== undefined
335 }
336
337 isLive () {
338 return !!(this.video?.isLive)
339 }
340
341 isWaitingForLive () {
342 return this.video?.state.id === VideoState.WAITING_FOR_LIVE
343 }
344
345 isLiveEnded () {
346 return this.video?.state.id === VideoState.LIVE_ENDED
347 }
348
349 isVideoBlur (video: Video) {
350 return video.isVideoNSFWForUser(this.user, this.serverConfig)
351 }
352
353 isAutoPlayEnabled () {
354 return (
355 (this.user && this.user.autoPlayNextVideo) ||
356 this.anonymousUser.autoPlayNextVideo
357 )
358 }
359
360 handleTimestampClicked (timestamp: number) {
361 if (this.player) this.player.currentTime(timestamp)
362 scrollToTop()
363 }
364
365 isPlaylistAutoPlayEnabled () {
366 return (
367 (this.user && this.user.autoPlayNextVideoPlaylist) ||
368 this.anonymousUser.autoPlayNextVideoPlaylist
369 )
370 }
371
372 isChannelDisplayNameGeneric () {
373 const genericChannelDisplayName = [
374 `Main ${this.video.channel.ownerAccount.name} channel`,
375 `Default ${this.video.channel.ownerAccount.name} channel`
376 ]
377
378 return genericChannelDisplayName.includes(this.video.channel.displayName)
379 }
380
381 onPlaylistVideoFound (videoId: string) {
382 this.loadVideo(videoId)
383 }
384
385 private loadVideo (videoId: string) {
386 // Video did not change
387 if (this.video && this.video.uuid === videoId) return
388
389 if (this.player) this.player.pause()
390
391 const videoObs = this.hooks.wrapObsFun(
392 this.videoService.getVideo.bind(this.videoService),
393 { videoId },
394 'video-watch',
395 'filter:api.video-watch.video.get.params',
396 'filter:api.video-watch.video.get.result'
397 )
398
399 // Video did change
400 forkJoin([
401 videoObs,
402 this.videoCaptionService.listCaptions(videoId)
403 ])
404 .pipe(
405 // If 401, the video is private or blocked so redirect to 404
406 catchError(err => {
407 if (err.body.errorCode === ServerErrorCode.DOES_NOT_RESPECT_FOLLOW_CONSTRAINTS && err.body.originUrl) {
408 const search = window.location.search
409 let originUrl = err.body.originUrl
410 if (search) originUrl += search
411
412 this.confirmService.confirm(
413 $localize`This video is not available on this instance. Do you want to be redirected on the origin instance: <a href="${originUrl}">${originUrl}</a>?`,
414 $localize`Redirection`
415 ).then(res => {
416 if (res === false) {
417 return this.restExtractor.redirectTo404IfNotFound(err, [
418 HttpStatusCode.BAD_REQUEST_400,
419 HttpStatusCode.UNAUTHORIZED_401,
420 HttpStatusCode.FORBIDDEN_403,
421 HttpStatusCode.NOT_FOUND_404
422 ])
423 }
424
425 return window.location.href = originUrl
426 })
427 }
428
429 return this.restExtractor.redirectTo404IfNotFound(err, [
430 HttpStatusCode.BAD_REQUEST_400,
431 HttpStatusCode.UNAUTHORIZED_401,
432 HttpStatusCode.FORBIDDEN_403,
433 HttpStatusCode.NOT_FOUND_404
434 ])
435 })
436 )
437 .subscribe(([ video, captionsResult ]) => {
438 const queryParams = this.route.snapshot.queryParams
439
440 const urlOptions = {
441 resume: queryParams.resume,
442
443 startTime: queryParams.start,
444 stopTime: queryParams.stop,
445
446 muted: queryParams.muted,
447 loop: queryParams.loop,
448 subtitle: queryParams.subtitle,
449
450 playerMode: queryParams.mode,
451 peertubeLink: false
452 }
453
454 this.onVideoFetched(video, captionsResult.data, urlOptions)
455 .catch(err => this.handleError(err))
456 })
457 }
458
459 private loadPlaylist (playlistId: string) {
460 // Playlist did not change
461 if (this.playlist && this.playlist.uuid === playlistId) return
462
463 this.playlistService.getVideoPlaylist(playlistId)
464 .pipe(
465 // If 401, the video is private or blocked so redirect to 404
466 catchError(err => this.restExtractor.redirectTo404IfNotFound(err, [
467 HttpStatusCode.BAD_REQUEST_400,
468 HttpStatusCode.UNAUTHORIZED_401,
469 HttpStatusCode.FORBIDDEN_403,
470 HttpStatusCode.NOT_FOUND_404
471 ]))
472 )
473 .subscribe(playlist => {
474 this.playlist = playlist
475
476 this.videoWatchPlaylist.loadPlaylistElements(playlist, !this.playlistPosition, this.playlistPosition)
477 })
478 }
479
480 private updateVideoDescription (description: string) {
481 this.video.description = description
482 this.setVideoDescriptionHTML()
483 .catch(err => console.error(err))
484 }
485
486 private async setVideoDescriptionHTML () {
487 const html = await this.markdownService.textMarkdownToHTML(this.video.description)
488 this.videoHTMLDescription = await this.markdownService.processVideoTimestamps(html)
489 }
490
491 private setVideoLikesBarTooltipText () {
492 this.likesBarTooltipText = `${this.video.likes} likes / ${this.video.dislikes} dislikes`
493 }
494
495 private handleError (err: any) {
496 const errorMessage: string = typeof err === 'string' ? err : err.message
497 if (!errorMessage) return
498
499 // Display a message in the video player instead of a notification
500 if (errorMessage.indexOf('from xs param') !== -1) {
501 this.flushPlayer()
502 this.remoteServerDown = true
503 this.changeDetector.detectChanges()
504
505 return
506 }
507
508 this.notifier.error(errorMessage)
509 }
510
511 private checkUserRating () {
512 // Unlogged users do not have ratings
513 if (this.isUserLoggedIn() === false) return
514
515 this.videoService.getUserVideoRating(this.video.id)
516 .subscribe(
517 ratingObject => {
518 if (ratingObject) {
519 this.userRating = ratingObject.rating
520 }
521 },
522
523 err => this.notifier.error(err.message)
524 )
525 }
526
527 private async onVideoFetched (
528 video: VideoDetails,
529 videoCaptions: VideoCaption[],
530 urlOptions: URLOptions
531 ) {
532 this.subscribeToLiveEventsIfNeeded(this.video, video)
533
534 this.video = video
535 this.videoCaptions = videoCaptions
536
537 // Re init attributes
538 this.descriptionLoading = false
539 this.completeDescriptionShown = false
540 this.remoteServerDown = false
541 this.currentTime = undefined
542
543 if (this.isVideoBlur(this.video)) {
544 const res = await this.confirmService.confirm(
545 $localize`This video contains mature or explicit content. Are you sure you want to watch it?`,
546 $localize`Mature or explicit content`
547 )
548 if (res === false) return this.location.back()
549 }
550
551 const videoState = this.video.state.id
552 if (videoState === VideoState.LIVE_ENDED || videoState === VideoState.WAITING_FOR_LIVE) return
553
554 // Flush old player if needed
555 this.flushPlayer()
556
557 // Build video element, because videojs removes it on dispose
558 const playerElementWrapper = this.elementRef.nativeElement.querySelector('#videojs-wrapper')
559 this.playerElement = document.createElement('video')
560 this.playerElement.className = 'video-js vjs-peertube-skin'
561 this.playerElement.setAttribute('playsinline', 'true')
562 playerElementWrapper.appendChild(this.playerElement)
563
564 const params = {
565 video: this.video,
566 videoCaptions,
567 urlOptions,
568 user: this.user
569 }
570 const { playerMode, playerOptions } = await this.hooks.wrapFun(
571 this.buildPlayerManagerOptions.bind(this),
572 params,
573 'video-watch',
574 'filter:internal.video-watch.player.build-options.params',
575 'filter:internal.video-watch.player.build-options.result'
576 )
577
578 this.zone.runOutsideAngular(async () => {
579 this.player = await PeertubePlayerManager.initialize(playerMode, playerOptions, player => this.player = player)
580
581 this.player.on('customError', ({ err }: { err: any }) => this.handleError(err))
582
583 this.player.on('timeupdate', () => {
584 this.currentTime = Math.floor(this.player.currentTime())
585 })
586
587 /**
588 * replaces this.player.one('ended')
589 * 'condition()': true to make the upnext functionality trigger,
590 * false to disable the upnext functionality
591 * go to the next video in 'condition()' if you don't want of the timer.
592 * 'next': function triggered at the end of the timer.
593 * 'suspended': function used at each clic of the timer checking if we need
594 * to reset progress and wait until 'suspended' becomes truthy again.
595 */
596 this.player.upnext({
597 timeout: 10000, // 10s
598 headText: $localize`Up Next`,
599 cancelText: $localize`Cancel`,
600 suspendedText: $localize`Autoplay is suspended`,
601 getTitle: () => this.nextVideoTitle,
602 next: () => this.zone.run(() => this.autoplayNext()),
603 condition: () => {
604 if (this.playlist) {
605 if (this.isPlaylistAutoPlayEnabled()) {
606 // upnext will not trigger, and instead the next video will play immediately
607 this.zone.run(() => this.videoWatchPlaylist.navigateToNextPlaylistVideo())
608 }
609 } else if (this.isAutoPlayEnabled()) {
610 return true // upnext will trigger
611 }
612 return false // upnext will not trigger, and instead leave the video stopping
613 },
614 suspended: () => {
615 return (
616 !isXPercentInViewport(this.player.el(), 80) ||
617 !document.getElementById('content').contains(document.activeElement)
618 )
619 }
620 })
621
622 this.player.one('stopped', () => {
623 if (this.playlist) {
624 if (this.isPlaylistAutoPlayEnabled()) this.zone.run(() => this.videoWatchPlaylist.navigateToNextPlaylistVideo())
625 }
626 })
627
628 this.player.one('ended', () => {
629 if (this.video.isLive) {
630 this.video.state.id = VideoState.LIVE_ENDED
631 }
632 })
633
634 this.player.on('theaterChange', (_: any, enabled: boolean) => {
635 this.zone.run(() => this.theaterEnabled = enabled)
636 })
637
638 this.hooks.runAction('action:video-watch.player.loaded', 'video-watch', { player: this.player, videojs, video: this.video })
639 })
640
641 this.setVideoDescriptionHTML()
642 this.setVideoLikesBarTooltipText()
643
644 this.setOpenGraphTags()
645 this.checkUserRating()
646
647 this.hooks.runAction('action:video-watch.video.loaded', 'video-watch', { videojs })
648 }
649
650 private autoplayNext () {
651 if (this.playlist) {
652 this.zone.run(() => this.videoWatchPlaylist.navigateToNextPlaylistVideo())
653 } else if (this.nextVideoUuid) {
654 this.router.navigate([ '/videos/watch', this.nextVideoUuid ])
655 }
656 }
657
658 private setRating (nextRating: UserVideoRateType) {
659 const ratingMethods: { [id in UserVideoRateType]: (id: number) => Observable<any> } = {
660 like: this.videoService.setVideoLike,
661 dislike: this.videoService.setVideoDislike,
662 none: this.videoService.unsetVideoLike
663 }
664
665 ratingMethods[nextRating].call(this.videoService, this.video.id)
666 .subscribe(
667 () => {
668 // Update the video like attribute
669 this.updateVideoRating(this.userRating, nextRating)
670 this.userRating = nextRating
671 },
672
673 (err: { message: string }) => this.notifier.error(err.message)
674 )
675 }
676
677 private updateVideoRating (oldRating: UserVideoRateType, newRating: UserVideoRateType) {
678 let likesToIncrement = 0
679 let dislikesToIncrement = 0
680
681 if (oldRating) {
682 if (oldRating === 'like') likesToIncrement--
683 if (oldRating === 'dislike') dislikesToIncrement--
684 }
685
686 if (newRating === 'like') likesToIncrement++
687 if (newRating === 'dislike') dislikesToIncrement++
688
689 this.video.likes += likesToIncrement
690 this.video.dislikes += dislikesToIncrement
691
692 this.video.buildLikeAndDislikePercents()
693 this.setVideoLikesBarTooltipText()
694 }
695
696 private setOpenGraphTags () {
697 this.metaService.setTitle(this.video.name)
698
699 this.metaService.setTag('og:type', 'video')
700
701 this.metaService.setTag('og:title', this.video.name)
702 this.metaService.setTag('name', this.video.name)
703
704 this.metaService.setTag('og:description', this.video.description)
705 this.metaService.setTag('description', this.video.description)
706
707 this.metaService.setTag('og:image', this.video.previewPath)
708
709 this.metaService.setTag('og:duration', this.video.duration.toString())
710
711 this.metaService.setTag('og:site_name', 'PeerTube')
712
713 this.metaService.setTag('og:url', window.location.href)
714 this.metaService.setTag('url', window.location.href)
715 }
716
717 private isAutoplay () {
718 // We'll jump to the thread id, so do not play the video
719 if (this.route.snapshot.params['threadId']) return false
720
721 // Otherwise true by default
722 if (!this.user) return true
723
724 // Be sure the autoPlay is set to false
725 return this.user.autoPlayVideo !== false
726 }
727
728 private flushPlayer () {
729 // Remove player if it exists
730 if (this.player) {
731 try {
732 this.player.dispose()
733 this.player = undefined
734 } catch (err) {
735 console.error('Cannot dispose player.', err)
736 }
737 }
738 }
739
740 private buildPlayerManagerOptions (params: {
741 video: VideoDetails,
742 videoCaptions: VideoCaption[],
743 urlOptions: CustomizationOptions & { playerMode: PlayerMode },
744 user?: AuthUser
745 }) {
746 const { video, videoCaptions, urlOptions, user } = params
747 const getStartTime = () => {
748 const byUrl = urlOptions.startTime !== undefined
749 const byHistory = video.userHistory && (!this.playlist || urlOptions.resume !== undefined)
750
751 if (byUrl) return timeToInt(urlOptions.startTime)
752 if (byHistory) return video.userHistory.currentTime
753
754 return 0
755 }
756
757 let startTime = getStartTime()
758
759 // If we are at the end of the video, reset the timer
760 if (video.duration - startTime <= 1) startTime = 0
761
762 const playerCaptions = videoCaptions.map(c => ({
763 label: c.language.label,
764 language: c.language.id,
765 src: environment.apiUrl + c.captionPath
766 }))
767
768 const options: PeertubePlayerManagerOptions = {
769 common: {
770 autoplay: this.isAutoplay(),
771 nextVideo: () => this.zone.run(() => this.autoplayNext()),
772
773 playerElement: this.playerElement,
774 onPlayerElementChange: (element: HTMLVideoElement) => this.playerElement = element,
775
776 videoDuration: video.duration,
777 enableHotkeys: true,
778 inactivityTimeout: 2500,
779 poster: video.previewUrl,
780
781 startTime,
782 stopTime: urlOptions.stopTime,
783 controls: urlOptions.controls,
784 muted: urlOptions.muted,
785 loop: urlOptions.loop,
786 subtitle: urlOptions.subtitle,
787
788 peertubeLink: urlOptions.peertubeLink,
789
790 theaterButton: true,
791 captions: videoCaptions.length !== 0,
792
793 videoViewUrl: video.privacy.id !== VideoPrivacy.PRIVATE
794 ? this.videoService.getVideoViewUrl(video.uuid)
795 : null,
796 embedUrl: video.embedUrl,
797
798 isLive: video.isLive,
799
800 language: this.localeId,
801
802 userWatching: user && user.videosHistoryEnabled === true ? {
803 url: this.videoService.getUserWatchingVideoUrl(video.uuid),
804 authorizationHeader: this.authService.getRequestHeaderValue()
805 } : undefined,
806
807 serverUrl: environment.apiUrl,
808
809 videoCaptions: playerCaptions
810 },
811
812 webtorrent: {
813 videoFiles: video.files
814 }
815 }
816
817 let mode: PlayerMode
818
819 if (urlOptions.playerMode) {
820 if (urlOptions.playerMode === 'p2p-media-loader') mode = 'p2p-media-loader'
821 else mode = 'webtorrent'
822 } else {
823 if (video.hasHlsPlaylist()) mode = 'p2p-media-loader'
824 else mode = 'webtorrent'
825 }
826
827 // p2p-media-loader needs TextEncoder, try to fallback on WebTorrent
828 if (typeof TextEncoder === 'undefined') {
829 mode = 'webtorrent'
830 }
831
832 if (mode === 'p2p-media-loader') {
833 const hlsPlaylist = video.getHlsPlaylist()
834
835 const p2pMediaLoader = {
836 playlistUrl: hlsPlaylist.playlistUrl,
837 segmentsSha256Url: hlsPlaylist.segmentsSha256Url,
838 redundancyBaseUrls: hlsPlaylist.redundancies.map(r => r.baseUrl),
839 trackerAnnounce: video.trackerUrls,
840 videoFiles: hlsPlaylist.files
841 } as P2PMediaLoaderOptions
842
843 Object.assign(options, { p2pMediaLoader })
844 }
845
846 return { playerMode: mode, playerOptions: options }
847 }
848
849 private pausePlayer () {
850 if (!this.player) return
851
852 this.player.pause()
853 }
854
855 private resumePlayer () {
856 if (!this.player) return
857
858 this.player.play()
859 }
860
861 private isPlaying () {
862 if (!this.player) return
863
864 return !this.player.paused()
865 }
866
867 private async subscribeToLiveEventsIfNeeded (oldVideo: VideoDetails, newVideo: VideoDetails) {
868 if (!this.liveVideosSub) {
869 this.liveVideosSub = this.buildLiveEventsSubscription()
870 }
871
872 if (oldVideo && oldVideo.id !== newVideo.id) {
873 await this.peertubeSocket.unsubscribeLiveVideos(oldVideo.id)
874 }
875
876 if (!newVideo.isLive) return
877
878 await this.peertubeSocket.subscribeToLiveVideosSocket(newVideo.id)
879 }
880
881 private buildLiveEventsSubscription () {
882 return this.peertubeSocket.getLiveVideosObservable()
883 .subscribe(({ type, payload }) => {
884 if (type === 'state-change') return this.handleLiveStateChange(payload.state)
885 if (type === 'views-change') return this.handleLiveViewsChange(payload.views)
886 })
887 }
888
889 private handleLiveStateChange (newState: VideoState) {
890 if (newState !== VideoState.PUBLISHED) return
891
892 const videoState = this.video.state.id
893 if (videoState !== VideoState.WAITING_FOR_LIVE && videoState !== VideoState.LIVE_ENDED) return
894
895 console.log('Loading video after live update.')
896
897 const videoUUID = this.video.uuid
898
899 // Reset to refetch the video
900 this.video = undefined
901 this.loadVideo(videoUUID)
902 }
903
904 private handleLiveViewsChange (newViews: number) {
905 if (!this.video) {
906 console.error('Cannot update video live views because video is no defined.')
907 return
908 }
909
910 this.video.views = newViews
911 }
912
913 private initHotkeys () {
914 this.hotkeys = [
915 // These hotkeys are managed by the player
916 new Hotkey('f', e => e, undefined, $localize`Enter/exit fullscreen (requires player focus)`),
917 new Hotkey('space', e => e, undefined, $localize`Play/Pause the video (requires player focus)`),
918 new Hotkey('m', e => e, undefined, $localize`Mute/unmute the video (requires player focus)`),
919
920 new Hotkey('0-9', e => e, undefined, $localize`Skip to a percentage of the video: 0 is 0% and 9 is 90% (requires player focus)`),
921
922 new Hotkey('up', e => e, undefined, $localize`Increase the volume (requires player focus)`),
923 new Hotkey('down', e => e, undefined, $localize`Decrease the volume (requires player focus)`),
924
925 new Hotkey('right', e => e, undefined, $localize`Seek the video forward (requires player focus)`),
926 new Hotkey('left', e => e, undefined, $localize`Seek the video backward (requires player focus)`),
927
928 new Hotkey('>', e => e, undefined, $localize`Increase playback rate (requires player focus)`),
929 new Hotkey('<', e => e, undefined, $localize`Decrease playback rate (requires player focus)`),
930
931 new Hotkey('.', e => e, undefined, $localize`Navigate in the video frame by frame (requires player focus)`)
932 ]
933
934 if (this.isUserLoggedIn()) {
935 this.hotkeys = this.hotkeys.concat([
936 new Hotkey('shift+l', () => {
937 this.setLike()
938 return false
939 }, undefined, $localize`Like the video`),
940
941 new Hotkey('shift+d', () => {
942 this.setDislike()
943 return false
944 }, undefined, $localize`Dislike the video`),
945
946 new Hotkey('shift+s', () => {
947 this.subscribeButton.subscribed ? this.subscribeButton.unsubscribe() : this.subscribeButton.subscribe()
948 return false
949 }, undefined, $localize`Subscribe to the account`)
950 ])
951 }
952
953 this.hotkeysService.add(this.hotkeys)
954 }
955 }