]> git.immae.eu Git - github/Chocobozzz/PeerTube.git/blob - client/src/app/+videos/+video-watch/video-watch.component.ts
Add ability to exclude muted accounts
[github/Chocobozzz/PeerTube.git] / client / src / app / +videos / +video-watch / video-watch.component.ts
1 import { Hotkey, HotkeysService } from 'angular2-hotkeys'
2 import { forkJoin, Subscription } from 'rxjs'
3 import { PlatformLocation } from '@angular/common'
4 import { Component, ElementRef, Inject, LOCALE_ID, NgZone, OnDestroy, OnInit, ViewChild } from '@angular/core'
5 import { ActivatedRoute, Router } from '@angular/router'
6 import {
7 AuthService,
8 AuthUser,
9 ConfirmService,
10 MetaService,
11 Notifier,
12 PeerTubeSocket,
13 PluginService,
14 RestExtractor,
15 ScreenService,
16 ServerService,
17 UserService
18 } from '@app/core'
19 import { HooksService } from '@app/core/plugins/hooks.service'
20 import { isXPercentInViewport, scrollToTop } from '@app/helpers'
21 import { Video, VideoCaptionService, VideoDetails, VideoService } from '@app/shared/shared-main'
22 import { SubscribeButtonComponent } from '@app/shared/shared-user-subscription'
23 import { VideoPlaylist, VideoPlaylistService } from '@app/shared/shared-video-playlist'
24 import { timeToInt } from '@shared/core-utils'
25 import {
26 HTMLServerConfig,
27 HttpStatusCode,
28 PeerTubeProblemDocument,
29 ServerErrorCode,
30 VideoCaption,
31 VideoPrivacy,
32 VideoState
33 } from '@shared/models'
34 import { cleanupVideoWatch, getStoredTheater, getStoredVideoWatchHistory } from '../../../assets/player/peertube-player-local-storage'
35 import {
36 CustomizationOptions,
37 P2PMediaLoaderOptions,
38 PeertubePlayerManager,
39 PeertubePlayerManagerOptions,
40 PlayerMode,
41 videojs
42 } from '../../../assets/player/peertube-player-manager'
43 import { environment } from '../../../environments/environment'
44 import { VideoWatchPlaylistComponent } from './shared'
45
46 type URLOptions = CustomizationOptions & { playerMode: PlayerMode }
47
48 @Component({
49 selector: 'my-video-watch',
50 templateUrl: './video-watch.component.html',
51 styleUrls: [ './video-watch.component.scss' ]
52 })
53 export class VideoWatchComponent implements OnInit, OnDestroy {
54 @ViewChild('videoWatchPlaylist', { static: true }) videoWatchPlaylist: VideoWatchPlaylistComponent
55 @ViewChild('subscribeButton') subscribeButton: SubscribeButtonComponent
56
57 player: any
58 playerElement: HTMLVideoElement
59 playerPlaceholderImgSrc: string
60 theaterEnabled = false
61
62 video: VideoDetails = null
63 videoCaptions: VideoCaption[] = []
64
65 playlistPosition: number
66 playlist: VideoPlaylist = null
67
68 remoteServerDown = false
69
70 private nextVideoUUID = ''
71 private nextVideoTitle = ''
72
73 private currentTime: number
74
75 private paramsSub: Subscription
76 private queryParamsSub: Subscription
77 private configSub: Subscription
78 private liveVideosSub: Subscription
79
80 private serverConfig: HTMLServerConfig
81
82 private hotkeys: Hotkey[] = []
83
84 constructor (
85 private elementRef: ElementRef,
86 private route: ActivatedRoute,
87 private router: Router,
88 private videoService: VideoService,
89 private playlistService: VideoPlaylistService,
90 private confirmService: ConfirmService,
91 private metaService: MetaService,
92 private authService: AuthService,
93 private userService: UserService,
94 private serverService: ServerService,
95 private restExtractor: RestExtractor,
96 private notifier: Notifier,
97 private zone: NgZone,
98 private videoCaptionService: VideoCaptionService,
99 private hotkeysService: HotkeysService,
100 private hooks: HooksService,
101 private pluginService: PluginService,
102 private peertubeSocket: PeerTubeSocket,
103 private screenService: ScreenService,
104 private location: PlatformLocation,
105 @Inject(LOCALE_ID) private localeId: string
106 ) { }
107
108 get user () {
109 return this.authService.getUser()
110 }
111
112 get anonymousUser () {
113 return this.userService.getAnonymousUser()
114 }
115
116 ngOnInit () {
117 this.serverConfig = this.serverService.getHTMLConfig()
118
119 PeertubePlayerManager.initState()
120
121 this.loadRouteParams()
122 this.loadRouteQuery()
123
124 this.initHotkeys()
125
126 this.theaterEnabled = getStoredTheater()
127
128 this.hooks.runAction('action:video-watch.init', 'video-watch')
129
130 setTimeout(cleanupVideoWatch, 1500) // Run in timeout to ensure we're not blocking the UI
131 }
132
133 ngOnDestroy () {
134 this.flushPlayer()
135
136 // Unsubscribe subscriptions
137 if (this.paramsSub) this.paramsSub.unsubscribe()
138 if (this.queryParamsSub) this.queryParamsSub.unsubscribe()
139 if (this.configSub) this.configSub.unsubscribe()
140 if (this.liveVideosSub) this.liveVideosSub.unsubscribe()
141
142 // Unbind hotkeys
143 this.hotkeysService.remove(this.hotkeys)
144 }
145
146 getCurrentTime () {
147 return this.currentTime
148 }
149
150 getCurrentPlaylistPosition () {
151 return this.videoWatchPlaylist.currentPlaylistPosition
152 }
153
154 onRecommendations (videos: Video[]) {
155 if (videos.length === 0) return
156
157 // The recommended videos's first element should be the next video
158 const video = videos[0]
159 this.nextVideoUUID = video.uuid
160 this.nextVideoTitle = video.name
161 }
162
163 handleTimestampClicked (timestamp: number) {
164 if (!this.player || this.video.isLive) return
165
166 this.player.currentTime(timestamp)
167 scrollToTop()
168 }
169
170 onPlaylistVideoFound (videoId: string) {
171 this.loadVideo(videoId)
172 }
173
174 isUserLoggedIn () {
175 return this.authService.isLoggedIn()
176 }
177
178 isVideoBlur (video: Video) {
179 return video.isVideoNSFWForUser(this.user, this.serverConfig)
180 }
181
182 isChannelDisplayNameGeneric () {
183 const genericChannelDisplayName = [
184 `Main ${this.video.channel.ownerAccount.name} channel`,
185 `Default ${this.video.channel.ownerAccount.name} channel`
186 ]
187
188 return genericChannelDisplayName.includes(this.video.channel.displayName)
189 }
190
191 displayOtherVideosAsRow () {
192 // Use the same value as in the SASS file
193 return this.screenService.getWindowInnerWidth() <= 1100
194 }
195
196 private loadRouteParams () {
197 this.paramsSub = this.route.params.subscribe(routeParams => {
198 const videoId = routeParams['videoId']
199 if (videoId) return this.loadVideo(videoId)
200
201 const playlistId = routeParams['playlistId']
202 if (playlistId) return this.loadPlaylist(playlistId)
203 })
204 }
205
206 private loadRouteQuery () {
207 this.queryParamsSub = this.route.queryParams.subscribe(queryParams => {
208 // Handle the ?playlistPosition
209 const positionParam = queryParams['playlistPosition'] ?? 1
210
211 this.playlistPosition = positionParam === 'last'
212 ? -1 // Handle the "last" index
213 : parseInt(positionParam + '', 10)
214
215 if (isNaN(this.playlistPosition)) {
216 console.error(`playlistPosition query param '${positionParam}' was parsed as NaN, defaulting to 1.`)
217 this.playlistPosition = 1
218 }
219
220 this.videoWatchPlaylist.updatePlaylistIndex(this.playlistPosition)
221
222 const start = queryParams['start']
223 if (this.player && start) this.player.currentTime(parseInt(start, 10))
224 })
225 }
226
227 private loadVideo (videoId: string) {
228 if (this.isSameElement(this.video, videoId)) return
229
230 if (this.player) this.player.pause()
231
232 const videoObs = this.hooks.wrapObsFun(
233 this.videoService.getVideo.bind(this.videoService),
234 { videoId },
235 'video-watch',
236 'filter:api.video-watch.video.get.params',
237 'filter:api.video-watch.video.get.result'
238 )
239
240 forkJoin([ videoObs, this.videoCaptionService.listCaptions(videoId) ])
241 .subscribe({
242 next: ([ video, captionsResult ]) => {
243 const queryParams = this.route.snapshot.queryParams
244
245 const urlOptions = {
246 resume: queryParams.resume,
247
248 startTime: queryParams.start,
249 stopTime: queryParams.stop,
250
251 muted: queryParams.muted,
252 loop: queryParams.loop,
253 subtitle: queryParams.subtitle,
254
255 playerMode: queryParams.mode,
256 peertubeLink: false
257 }
258
259 this.onVideoFetched(video, captionsResult.data, urlOptions)
260 .catch(err => this.handleGlobalError(err))
261 },
262
263 error: err => this.handleRequestError(err)
264 })
265 }
266
267 private loadPlaylist (playlistId: string) {
268 if (this.isSameElement(this.playlist, playlistId)) return
269
270 this.playlistService.getVideoPlaylist(playlistId)
271 .subscribe({
272 next: playlist => {
273 this.playlist = playlist
274
275 this.videoWatchPlaylist.loadPlaylistElements(playlist, !this.playlistPosition, this.playlistPosition)
276 },
277
278 error: err => this.handleRequestError(err)
279 })
280 }
281
282 private isSameElement (element: VideoDetails | VideoPlaylist, newId: string) {
283 if (!element) return false
284
285 return (element.id + '') === newId || element.uuid === newId || element.shortUUID === newId
286 }
287
288 private async handleRequestError (err: any) {
289 const errorBody = err.body as PeerTubeProblemDocument
290
291 if (errorBody?.code === ServerErrorCode.DOES_NOT_RESPECT_FOLLOW_CONSTRAINTS && errorBody.originUrl) {
292 const originUrl = errorBody.originUrl + (window.location.search ?? '')
293
294 const res = await this.confirmService.confirm(
295 // eslint-disable-next-line max-len
296 $localize`This video is not available on this instance. Do you want to be redirected on the origin instance: <a href="${originUrl}">${originUrl}</a>?`,
297 $localize`Redirection`
298 )
299
300 if (res === true) return window.location.href = originUrl
301 }
302
303 // If 400, 403 or 404, the video is private or blocked so redirect to 404
304 return this.restExtractor.redirectTo404IfNotFound(err, 'video', [
305 HttpStatusCode.BAD_REQUEST_400,
306 HttpStatusCode.FORBIDDEN_403,
307 HttpStatusCode.NOT_FOUND_404
308 ])
309 }
310
311 private handleGlobalError (err: any) {
312 const errorMessage: string = typeof err === 'string' ? err : err.message
313 if (!errorMessage) return
314
315 // Display a message in the video player instead of a notification
316 if (errorMessage.includes('from xs param')) {
317 this.flushPlayer()
318 this.remoteServerDown = true
319
320 return
321 }
322
323 this.notifier.error(errorMessage)
324 }
325
326 private async onVideoFetched (
327 video: VideoDetails,
328 videoCaptions: VideoCaption[],
329 urlOptions: URLOptions
330 ) {
331 this.subscribeToLiveEventsIfNeeded(this.video, video)
332
333 this.video = video
334 this.videoCaptions = videoCaptions
335
336 // Re init attributes
337 this.playerPlaceholderImgSrc = undefined
338 this.remoteServerDown = false
339 this.currentTime = undefined
340
341 if (this.isVideoBlur(this.video)) {
342 const res = await this.confirmService.confirm(
343 $localize`This video contains mature or explicit content. Are you sure you want to watch it?`,
344 $localize`Mature or explicit content`
345 )
346 if (res === false) return this.location.back()
347 }
348
349 this.buildPlayer(urlOptions)
350 .catch(err => console.error('Cannot build the player', err))
351
352 this.setOpenGraphTags()
353
354 const hookOptions = {
355 videojs,
356 video: this.video,
357 playlist: this.playlist
358 }
359 this.hooks.runAction('action:video-watch.video.loaded', 'video-watch', hookOptions)
360 }
361
362 private async buildPlayer (urlOptions: URLOptions) {
363 // Flush old player if needed
364 this.flushPlayer()
365
366 const videoState = this.video.state.id
367 if (videoState === VideoState.LIVE_ENDED || videoState === VideoState.WAITING_FOR_LIVE) {
368 this.playerPlaceholderImgSrc = this.video.previewPath
369 return
370 }
371
372 // Build video element, because videojs removes it on dispose
373 const playerElementWrapper = this.elementRef.nativeElement.querySelector('#videojs-wrapper')
374 this.playerElement = document.createElement('video')
375 this.playerElement.className = 'video-js vjs-peertube-skin'
376 this.playerElement.setAttribute('playsinline', 'true')
377 playerElementWrapper.appendChild(this.playerElement)
378
379 const params = {
380 video: this.video,
381 videoCaptions: this.videoCaptions,
382 urlOptions,
383 user: this.user
384 }
385 const { playerMode, playerOptions } = await this.hooks.wrapFun(
386 this.buildPlayerManagerOptions.bind(this),
387 params,
388 'video-watch',
389 'filter:internal.video-watch.player.build-options.params',
390 'filter:internal.video-watch.player.build-options.result'
391 )
392
393 this.zone.runOutsideAngular(async () => {
394 this.player = await PeertubePlayerManager.initialize(playerMode, playerOptions, player => this.player = player)
395
396 this.player.on('customError', ({ err }: { err: any }) => {
397 this.zone.run(() => this.handleGlobalError(err))
398 })
399
400 this.player.on('timeupdate', () => {
401 // Don't need to trigger angular change for this variable, that is sent to children components on click
402 this.currentTime = Math.floor(this.player.currentTime())
403 })
404
405 /**
406 * condition: true to make the upnext functionality trigger, false to disable the upnext functionality
407 * go to the next video in 'condition()' if you don't want of the timer.
408 * next: function triggered at the end of the timer.
409 * suspended: function used at each click of the timer checking if we need to reset progress
410 * and wait until suspended becomes truthy again.
411 */
412 this.player.upnext({
413 timeout: 5000, // 5s
414
415 headText: $localize`Up Next`,
416 cancelText: $localize`Cancel`,
417 suspendedText: $localize`Autoplay is suspended`,
418
419 getTitle: () => this.nextVideoTitle,
420
421 next: () => this.zone.run(() => this.playNextVideoInAngularZone()),
422 condition: () => {
423 if (!this.playlist) return this.isAutoPlayNext()
424
425 // Don't wait timeout to play the next playlist video
426 if (this.isPlaylistAutoPlayNext()) {
427 this.playNextVideoInAngularZone()
428 return undefined
429 }
430
431 return false
432 },
433
434 suspended: () => {
435 return (
436 !isXPercentInViewport(this.player.el(), 80) ||
437 !document.getElementById('content').contains(document.activeElement)
438 )
439 }
440 })
441
442 this.player.one('stopped', () => {
443 if (this.playlist && this.isPlaylistAutoPlayNext()) {
444 this.playNextVideoInAngularZone()
445 }
446 })
447
448 this.player.one('ended', () => {
449 if (this.video.isLive) {
450 this.zone.run(() => this.video.state.id = VideoState.LIVE_ENDED)
451 }
452 })
453
454 this.player.on('theaterChange', (_: any, enabled: boolean) => {
455 this.zone.run(() => this.theaterEnabled = enabled)
456 })
457
458 this.hooks.runAction('action:video-watch.player.loaded', 'video-watch', {
459 player: this.player,
460 playlist: this.playlist,
461 playlistPosition: this.playlistPosition,
462 videojs,
463 video: this.video
464 })
465 })
466 }
467
468 private playNextVideoInAngularZone () {
469 if (this.playlist) {
470 this.zone.run(() => this.videoWatchPlaylist.navigateToNextPlaylistVideo())
471 return
472 }
473
474 if (this.nextVideoUUID) {
475 this.router.navigate([ '/w', this.nextVideoUUID ])
476 }
477 }
478
479 private isAutoplay () {
480 // We'll jump to the thread id, so do not play the video
481 if (this.route.snapshot.params['threadId']) return false
482
483 // Otherwise true by default
484 if (!this.user) return true
485
486 // Be sure the autoPlay is set to false
487 return this.user.autoPlayVideo !== false
488 }
489
490 private isAutoPlayNext () {
491 return (
492 (this.user?.autoPlayNextVideo) ||
493 this.anonymousUser.autoPlayNextVideo
494 )
495 }
496
497 private isPlaylistAutoPlayNext () {
498 return (
499 (this.user?.autoPlayNextVideoPlaylist) ||
500 this.anonymousUser.autoPlayNextVideoPlaylist
501 )
502 }
503
504 private flushPlayer () {
505 // Remove player if it exists
506 if (!this.player) return
507
508 try {
509 this.player.dispose()
510 this.player = undefined
511 } catch (err) {
512 console.error('Cannot dispose player.', err)
513 }
514 }
515
516 private buildPlayerManagerOptions (params: {
517 video: VideoDetails
518 videoCaptions: VideoCaption[]
519 urlOptions: CustomizationOptions & { playerMode: PlayerMode }
520 user?: AuthUser
521 }) {
522 const { video, videoCaptions, urlOptions, user } = params
523
524 const getStartTime = () => {
525 const byUrl = urlOptions.startTime !== undefined
526 const byHistory = video.userHistory && (!this.playlist || urlOptions.resume !== undefined)
527 const byLocalStorage = getStoredVideoWatchHistory(video.uuid)
528
529 if (byUrl) return timeToInt(urlOptions.startTime)
530 if (byHistory) return video.userHistory.currentTime
531 if (byLocalStorage) return byLocalStorage.duration
532
533 return 0
534 }
535
536 let startTime = getStartTime()
537
538 // If we are at the end of the video, reset the timer
539 if (video.duration - startTime <= 1) startTime = 0
540
541 const playerCaptions = videoCaptions.map(c => ({
542 label: c.language.label,
543 language: c.language.id,
544 src: environment.apiUrl + c.captionPath
545 }))
546
547 const options: PeertubePlayerManagerOptions = {
548 common: {
549 autoplay: this.isAutoplay(),
550 nextVideo: () => this.playNextVideoInAngularZone(),
551
552 playerElement: this.playerElement,
553 onPlayerElementChange: (element: HTMLVideoElement) => this.playerElement = element,
554
555 videoDuration: video.duration,
556 enableHotkeys: true,
557 inactivityTimeout: 2500,
558 poster: video.previewUrl,
559
560 startTime,
561 stopTime: urlOptions.stopTime,
562 controls: urlOptions.controls,
563 muted: urlOptions.muted,
564 loop: urlOptions.loop,
565 subtitle: urlOptions.subtitle,
566
567 peertubeLink: urlOptions.peertubeLink,
568
569 theaterButton: true,
570 captions: videoCaptions.length !== 0,
571
572 videoViewUrl: video.privacy.id !== VideoPrivacy.PRIVATE
573 ? this.videoService.getVideoViewUrl(video.uuid)
574 : null,
575 embedUrl: video.embedUrl,
576 embedTitle: video.name,
577
578 isLive: video.isLive,
579
580 language: this.localeId,
581
582 userWatching: user && user.videosHistoryEnabled === true
583 ? {
584 url: this.videoService.getUserWatchingVideoUrl(video.uuid),
585 authorizationHeader: this.authService.getRequestHeaderValue()
586 }
587 : undefined,
588
589 serverUrl: environment.apiUrl,
590
591 videoCaptions: playerCaptions,
592
593 videoShortUUID: video.shortUUID,
594 videoUUID: video.uuid
595 },
596
597 webtorrent: {
598 videoFiles: video.files
599 },
600
601 pluginsManager: this.pluginService.getPluginsManager()
602 }
603
604 // Only set this if we're in a playlist
605 if (this.playlist) {
606 options.common.previousVideo = () => {
607 this.zone.run(() => this.videoWatchPlaylist.navigateToPreviousPlaylistVideo())
608 }
609 }
610
611 let mode: PlayerMode
612
613 if (urlOptions.playerMode) {
614 if (urlOptions.playerMode === 'p2p-media-loader') mode = 'p2p-media-loader'
615 else mode = 'webtorrent'
616 } else {
617 if (video.hasHlsPlaylist()) mode = 'p2p-media-loader'
618 else mode = 'webtorrent'
619 }
620
621 // p2p-media-loader needs TextEncoder, fallback on WebTorrent if not available
622 if (typeof TextEncoder === 'undefined') {
623 mode = 'webtorrent'
624 }
625
626 if (mode === 'p2p-media-loader') {
627 const hlsPlaylist = video.getHlsPlaylist()
628
629 const p2pMediaLoader = {
630 playlistUrl: hlsPlaylist.playlistUrl,
631 segmentsSha256Url: hlsPlaylist.segmentsSha256Url,
632 redundancyBaseUrls: hlsPlaylist.redundancies.map(r => r.baseUrl),
633 trackerAnnounce: video.trackerUrls,
634 videoFiles: hlsPlaylist.files
635 } as P2PMediaLoaderOptions
636
637 Object.assign(options, { p2pMediaLoader })
638 }
639
640 return { playerMode: mode, playerOptions: options }
641 }
642
643 private async subscribeToLiveEventsIfNeeded (oldVideo: VideoDetails, newVideo: VideoDetails) {
644 if (!this.liveVideosSub) {
645 this.liveVideosSub = this.buildLiveEventsSubscription()
646 }
647
648 if (oldVideo && oldVideo.id !== newVideo.id) {
649 this.peertubeSocket.unsubscribeLiveVideos(oldVideo.id)
650 }
651
652 if (!newVideo.isLive) return
653
654 await this.peertubeSocket.subscribeToLiveVideosSocket(newVideo.id)
655 }
656
657 private buildLiveEventsSubscription () {
658 return this.peertubeSocket.getLiveVideosObservable()
659 .subscribe(({ type, payload }) => {
660 if (type === 'state-change') return this.handleLiveStateChange(payload.state)
661 if (type === 'views-change') return this.handleLiveViewsChange(payload.views)
662 })
663 }
664
665 private handleLiveStateChange (newState: VideoState) {
666 if (newState !== VideoState.PUBLISHED) return
667
668 const videoState = this.video.state.id
669 if (videoState !== VideoState.WAITING_FOR_LIVE && videoState !== VideoState.LIVE_ENDED) return
670
671 console.log('Loading video after live update.')
672
673 const videoUUID = this.video.uuid
674
675 // Reset to force refresh the video
676 this.video = undefined
677 this.loadVideo(videoUUID)
678 }
679
680 private handleLiveViewsChange (newViews: number) {
681 if (!this.video) {
682 console.error('Cannot update video live views because video is no defined.')
683 return
684 }
685
686 console.log('Updating live views.')
687
688 this.video.views = newViews
689 }
690
691 private initHotkeys () {
692 this.hotkeys = [
693 // These hotkeys are managed by the player
694 new Hotkey('f', e => e, undefined, $localize`Enter/exit fullscreen (requires player focus)`),
695 new Hotkey('space', e => e, undefined, $localize`Play/Pause the video (requires player focus)`),
696 new Hotkey('m', e => e, undefined, $localize`Mute/unmute the video (requires player focus)`),
697
698 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)`),
699
700 new Hotkey('up', e => e, undefined, $localize`Increase the volume (requires player focus)`),
701 new Hotkey('down', e => e, undefined, $localize`Decrease the volume (requires player focus)`),
702
703 new Hotkey('right', e => e, undefined, $localize`Seek the video forward (requires player focus)`),
704 new Hotkey('left', e => e, undefined, $localize`Seek the video backward (requires player focus)`),
705
706 new Hotkey('>', e => e, undefined, $localize`Increase playback rate (requires player focus)`),
707 new Hotkey('<', e => e, undefined, $localize`Decrease playback rate (requires player focus)`),
708
709 new Hotkey('.', e => e, undefined, $localize`Navigate in the video frame by frame (requires player focus)`)
710 ]
711
712 if (this.isUserLoggedIn()) {
713 this.hotkeys = this.hotkeys.concat([
714 new Hotkey('shift+s', () => {
715 if (this.subscribeButton.isSubscribedToAll()) this.subscribeButton.unsubscribe()
716 else this.subscribeButton.subscribe()
717
718 return false
719 }, undefined, $localize`Subscribe to the account`)
720 ])
721 }
722
723 this.hotkeysService.add(this.hotkeys)
724 }
725
726 private setOpenGraphTags () {
727 this.metaService.setTitle(this.video.name)
728
729 this.metaService.setTag('og:type', 'video')
730
731 this.metaService.setTag('og:title', this.video.name)
732 this.metaService.setTag('name', this.video.name)
733
734 this.metaService.setTag('og:description', this.video.description)
735 this.metaService.setTag('description', this.video.description)
736
737 this.metaService.setTag('og:image', this.video.previewPath)
738
739 this.metaService.setTag('og:duration', this.video.duration.toString())
740
741 this.metaService.setTag('og:site_name', 'PeerTube')
742
743 this.metaService.setTag('og:url', window.location.href)
744 this.metaService.setTag('url', window.location.href)
745 }
746 }