]> git.immae.eu Git - github/Chocobozzz/PeerTube.git/blob - server/lib/activitypub/videos.ts
Merge remote-tracking branch 'weblate/develop' into develop
[github/Chocobozzz/PeerTube.git] / server / lib / activitypub / videos.ts
1 import * as Bluebird from 'bluebird'
2 import * as sequelize from 'sequelize'
3 import * as magnetUtil from 'magnet-uri'
4 import * as request from 'request'
5 import {
6 ActivityHashTagObject,
7 ActivityMagnetUrlObject,
8 ActivityPlaylistSegmentHashesObject,
9 ActivityPlaylistUrlObject,
10 ActivityTagObject,
11 ActivityUrlObject,
12 ActivityVideoUrlObject,
13 VideoState
14 } from '../../../shared/index'
15 import { VideoTorrentObject } from '../../../shared/models/activitypub/objects'
16 import { VideoPrivacy } from '../../../shared/models/videos'
17 import { sanitizeAndCheckVideoTorrentObject } from '../../helpers/custom-validators/activitypub/videos'
18 import { isVideoFileInfoHashValid } from '../../helpers/custom-validators/videos'
19 import { deleteNonExistingModels, resetSequelizeInstance, retryTransactionWrapper } from '../../helpers/database-utils'
20 import { logger } from '../../helpers/logger'
21 import { doRequest } from '../../helpers/requests'
22 import {
23 ACTIVITY_PUB,
24 MIMETYPES,
25 P2P_MEDIA_LOADER_PEER_VERSION,
26 PREVIEWS_SIZE,
27 REMOTE_SCHEME,
28 STATIC_PATHS, THUMBNAILS_SIZE
29 } from '../../initializers/constants'
30 import { TagModel } from '../../models/video/tag'
31 import { VideoModel } from '../../models/video/video'
32 import { VideoFileModel } from '../../models/video/video-file'
33 import { getOrCreateActorAndServerAndModel } from './actor'
34 import { addVideoComments } from './video-comments'
35 import { crawlCollectionPage } from './crawl'
36 import { sendCreateVideo, sendUpdateVideo } from './send'
37 import { isArray } from '../../helpers/custom-validators/misc'
38 import { VideoCaptionModel } from '../../models/video/video-caption'
39 import { JobQueue } from '../job-queue'
40 import { ActivitypubHttpFetcherPayload } from '../job-queue/handlers/activitypub-http-fetcher'
41 import { createRates } from './video-rates'
42 import { addVideoShares, shareVideoByServerAndChannel } from './share'
43 import { fetchVideoByUrl, VideoFetchByUrlType } from '../../helpers/video'
44 import { buildRemoteVideoBaseUrl, checkUrlsSameHost, getAPId } from '../../helpers/activitypub'
45 import { Notifier } from '../notifier'
46 import { VideoStreamingPlaylistModel } from '../../models/video/video-streaming-playlist'
47 import { VideoStreamingPlaylistType } from '../../../shared/models/videos/video-streaming-playlist.type'
48 import { AccountVideoRateModel } from '../../models/account/account-video-rate'
49 import { VideoShareModel } from '../../models/video/video-share'
50 import { VideoCommentModel } from '../../models/video/video-comment'
51 import { sequelizeTypescript } from '../../initializers/database'
52 import { createPlaceholderThumbnail, createVideoMiniatureFromUrl } from '../thumbnail'
53 import { ThumbnailType } from '../../../shared/models/videos/thumbnail.type'
54 import { join } from 'path'
55 import { FilteredModelAttributes } from '../../typings/sequelize'
56 import { autoBlacklistVideoIfNeeded } from '../video-blacklist'
57 import { ActorFollowScoreCache } from '../files-cache'
58 import {
59 MAccountIdActor,
60 MChannelAccountLight,
61 MChannelDefault,
62 MChannelId,
63 MStreamingPlaylist,
64 MVideo,
65 MVideoAccountLight,
66 MVideoAccountLightBlacklistAllFiles,
67 MVideoAP,
68 MVideoAPWithoutCaption,
69 MVideoFile,
70 MVideoFullLight,
71 MVideoId, MVideoImmutable,
72 MVideoThumbnail
73 } from '../../typings/models'
74 import { MThumbnail } from '../../typings/models/video/thumbnail'
75 import { maxBy, minBy } from 'lodash'
76
77 async function federateVideoIfNeeded (videoArg: MVideoAPWithoutCaption, isNewVideo: boolean, transaction?: sequelize.Transaction) {
78 const video = videoArg as MVideoAP
79
80 if (
81 // Check this is not a blacklisted video, or unfederated blacklisted video
82 (video.isBlacklisted() === false || (isNewVideo === false && video.VideoBlacklist.unfederated === false)) &&
83 // Check the video is public/unlisted and published
84 video.hasPrivacyForFederation() && video.state === VideoState.PUBLISHED
85 ) {
86 // Fetch more attributes that we will need to serialize in AP object
87 if (isArray(video.VideoCaptions) === false) {
88 video.VideoCaptions = await video.$get('VideoCaptions', {
89 attributes: [ 'language' ],
90 transaction
91 })
92 }
93
94 if (isNewVideo) {
95 // Now we'll add the video's meta data to our followers
96 await sendCreateVideo(video, transaction)
97 await shareVideoByServerAndChannel(video, transaction)
98 } else {
99 await sendUpdateVideo(video, transaction)
100 }
101 }
102 }
103
104 async function fetchRemoteVideo (videoUrl: string): Promise<{ response: request.RequestResponse, videoObject: VideoTorrentObject }> {
105 const options = {
106 uri: videoUrl,
107 method: 'GET',
108 json: true,
109 activityPub: true
110 }
111
112 logger.info('Fetching remote video %s.', videoUrl)
113
114 const { response, body } = await doRequest(options)
115
116 if (sanitizeAndCheckVideoTorrentObject(body) === false || checkUrlsSameHost(body.id, videoUrl) !== true) {
117 logger.debug('Remote video JSON is not valid.', { body })
118 return { response, videoObject: undefined }
119 }
120
121 return { response, videoObject: body }
122 }
123
124 async function fetchRemoteVideoDescription (video: MVideoAccountLight) {
125 const host = video.VideoChannel.Account.Actor.Server.host
126 const path = video.getDescriptionAPIPath()
127 const options = {
128 uri: REMOTE_SCHEME.HTTP + '://' + host + path,
129 json: true
130 }
131
132 const { body } = await doRequest(options)
133 return body.description ? body.description : ''
134 }
135
136 function getOrCreateVideoChannelFromVideoObject (videoObject: VideoTorrentObject) {
137 const channel = videoObject.attributedTo.find(a => a.type === 'Group')
138 if (!channel) throw new Error('Cannot find associated video channel to video ' + videoObject.url)
139
140 if (checkUrlsSameHost(channel.id, videoObject.id) !== true) {
141 throw new Error(`Video channel url ${channel.id} does not have the same host than video object id ${videoObject.id}`)
142 }
143
144 return getOrCreateActorAndServerAndModel(channel.id, 'all')
145 }
146
147 type SyncParam = {
148 likes: boolean
149 dislikes: boolean
150 shares: boolean
151 comments: boolean
152 thumbnail: boolean
153 refreshVideo?: boolean
154 }
155 async function syncVideoExternalAttributes (video: MVideo, fetchedVideo: VideoTorrentObject, syncParam: SyncParam) {
156 logger.info('Adding likes/dislikes/shares/comments of video %s.', video.uuid)
157
158 const jobPayloads: ActivitypubHttpFetcherPayload[] = []
159
160 if (syncParam.likes === true) {
161 const handler = items => createRates(items, video, 'like')
162 const cleaner = crawlStartDate => AccountVideoRateModel.cleanOldRatesOf(video.id, 'like' as 'like', crawlStartDate)
163
164 await crawlCollectionPage<string>(fetchedVideo.likes, handler, cleaner)
165 .catch(err => logger.error('Cannot add likes of video %s.', video.uuid, { err, rootUrl: fetchedVideo.likes }))
166 } else {
167 jobPayloads.push({ uri: fetchedVideo.likes, videoId: video.id, type: 'video-likes' as 'video-likes' })
168 }
169
170 if (syncParam.dislikes === true) {
171 const handler = items => createRates(items, video, 'dislike')
172 const cleaner = crawlStartDate => AccountVideoRateModel.cleanOldRatesOf(video.id, 'dislike' as 'dislike', crawlStartDate)
173
174 await crawlCollectionPage<string>(fetchedVideo.dislikes, handler, cleaner)
175 .catch(err => logger.error('Cannot add dislikes of video %s.', video.uuid, { err, rootUrl: fetchedVideo.dislikes }))
176 } else {
177 jobPayloads.push({ uri: fetchedVideo.dislikes, videoId: video.id, type: 'video-dislikes' as 'video-dislikes' })
178 }
179
180 if (syncParam.shares === true) {
181 const handler = items => addVideoShares(items, video)
182 const cleaner = crawlStartDate => VideoShareModel.cleanOldSharesOf(video.id, crawlStartDate)
183
184 await crawlCollectionPage<string>(fetchedVideo.shares, handler, cleaner)
185 .catch(err => logger.error('Cannot add shares of video %s.', video.uuid, { err, rootUrl: fetchedVideo.shares }))
186 } else {
187 jobPayloads.push({ uri: fetchedVideo.shares, videoId: video.id, type: 'video-shares' as 'video-shares' })
188 }
189
190 if (syncParam.comments === true) {
191 const handler = items => addVideoComments(items)
192 const cleaner = crawlStartDate => VideoCommentModel.cleanOldCommentsOf(video.id, crawlStartDate)
193
194 await crawlCollectionPage<string>(fetchedVideo.comments, handler, cleaner)
195 .catch(err => logger.error('Cannot add comments of video %s.', video.uuid, { err, rootUrl: fetchedVideo.comments }))
196 } else {
197 jobPayloads.push({ uri: fetchedVideo.comments, videoId: video.id, type: 'video-comments' as 'video-comments' })
198 }
199
200 await Bluebird.map(jobPayloads, payload => JobQueue.Instance.createJobWithPromise({ type: 'activitypub-http-fetcher', payload }))
201 }
202
203 type GetVideoResult <T> = Promise<{
204 video: T
205 created: boolean
206 autoBlacklisted?: boolean
207 }>
208
209 type GetVideoParamAll = {
210 videoObject: { id: string } | string
211 syncParam?: SyncParam
212 fetchType?: 'all'
213 allowRefresh?: boolean
214 }
215
216 type GetVideoParamImmutable = {
217 videoObject: { id: string } | string
218 syncParam?: SyncParam
219 fetchType: 'only-immutable-attributes'
220 allowRefresh: false
221 }
222
223 type GetVideoParamOther = {
224 videoObject: { id: string } | string
225 syncParam?: SyncParam
226 fetchType?: 'all' | 'only-video'
227 allowRefresh?: boolean
228 }
229
230 function getOrCreateVideoAndAccountAndChannel (options: GetVideoParamAll): GetVideoResult<MVideoAccountLightBlacklistAllFiles>
231 function getOrCreateVideoAndAccountAndChannel (options: GetVideoParamImmutable): GetVideoResult<MVideoImmutable>
232 function getOrCreateVideoAndAccountAndChannel (
233 options: GetVideoParamOther
234 ): GetVideoResult<MVideoAccountLightBlacklistAllFiles | MVideoThumbnail>
235 async function getOrCreateVideoAndAccountAndChannel (
236 options: GetVideoParamAll | GetVideoParamImmutable | GetVideoParamOther
237 ): GetVideoResult<MVideoAccountLightBlacklistAllFiles | MVideoThumbnail | MVideoImmutable> {
238 // Default params
239 const syncParam = options.syncParam || { likes: true, dislikes: true, shares: true, comments: true, thumbnail: true, refreshVideo: false }
240 const fetchType = options.fetchType || 'all'
241 const allowRefresh = options.allowRefresh !== false
242
243 // Get video url
244 const videoUrl = getAPId(options.videoObject)
245 let videoFromDatabase = await fetchVideoByUrl(videoUrl, fetchType)
246
247 if (videoFromDatabase) {
248 // If allowRefresh is true, we could not call this function using 'only-immutable-attributes' fetch type
249 if (allowRefresh === true && (videoFromDatabase as MVideoThumbnail).isOutdated()) {
250 const refreshOptions = {
251 video: videoFromDatabase as MVideoThumbnail,
252 fetchedType: fetchType,
253 syncParam
254 }
255
256 if (syncParam.refreshVideo === true) {
257 videoFromDatabase = await refreshVideoIfNeeded(refreshOptions)
258 } else {
259 await JobQueue.Instance.createJobWithPromise({
260 type: 'activitypub-refresher',
261 payload: { type: 'video', url: videoFromDatabase.url }
262 })
263 }
264 }
265
266 return { video: videoFromDatabase, created: false }
267 }
268
269 const { videoObject: fetchedVideo } = await fetchRemoteVideo(videoUrl)
270 if (!fetchedVideo) throw new Error('Cannot fetch remote video with url: ' + videoUrl)
271
272 const actor = await getOrCreateVideoChannelFromVideoObject(fetchedVideo)
273 const videoChannel = actor.VideoChannel
274 const { autoBlacklisted, videoCreated } = await retryTransactionWrapper(createVideo, fetchedVideo, videoChannel, syncParam.thumbnail)
275
276 await syncVideoExternalAttributes(videoCreated, fetchedVideo, syncParam)
277
278 return { video: videoCreated, created: true, autoBlacklisted }
279 }
280
281 async function updateVideoFromAP (options: {
282 video: MVideoAccountLightBlacklistAllFiles
283 videoObject: VideoTorrentObject
284 account: MAccountIdActor
285 channel: MChannelDefault
286 overrideTo?: string[]
287 }) {
288 const { video, videoObject, account, channel, overrideTo } = options
289
290 logger.debug('Updating remote video "%s".', options.videoObject.uuid, { account, channel })
291
292 let videoFieldsSave: any
293 const wasPrivateVideo = video.privacy === VideoPrivacy.PRIVATE
294 const wasUnlistedVideo = video.privacy === VideoPrivacy.UNLISTED
295
296 try {
297 let thumbnailModel: MThumbnail
298
299 try {
300 thumbnailModel = await createVideoMiniatureFromUrl(getThumbnailFromIcons(videoObject).url, video, ThumbnailType.MINIATURE)
301 } catch (err) {
302 logger.warn('Cannot generate thumbnail of %s.', videoObject.id, { err })
303 }
304
305 const videoUpdated = await sequelizeTypescript.transaction(async t => {
306 const sequelizeOptions = { transaction: t }
307
308 videoFieldsSave = video.toJSON()
309
310 // Check actor has the right to update the video
311 const videoChannel = video.VideoChannel
312 if (videoChannel.Account.id !== account.id) {
313 throw new Error('Account ' + account.Actor.url + ' does not own video channel ' + videoChannel.Actor.url)
314 }
315
316 const to = overrideTo || videoObject.to
317 const videoData = await videoActivityObjectToDBAttributes(channel, videoObject, to)
318 video.name = videoData.name
319 video.uuid = videoData.uuid
320 video.url = videoData.url
321 video.category = videoData.category
322 video.licence = videoData.licence
323 video.language = videoData.language
324 video.description = videoData.description
325 video.support = videoData.support
326 video.nsfw = videoData.nsfw
327 video.commentsEnabled = videoData.commentsEnabled
328 video.downloadEnabled = videoData.downloadEnabled
329 video.waitTranscoding = videoData.waitTranscoding
330 video.state = videoData.state
331 video.duration = videoData.duration
332 video.createdAt = videoData.createdAt
333 video.publishedAt = videoData.publishedAt
334 video.originallyPublishedAt = videoData.originallyPublishedAt
335 video.privacy = videoData.privacy
336 video.channelId = videoData.channelId
337 video.views = videoData.views
338
339 const videoUpdated = await video.save(sequelizeOptions) as MVideoFullLight
340
341 if (thumbnailModel) await videoUpdated.addAndSaveThumbnail(thumbnailModel, t)
342
343 const previewUrl = videoUpdated.getPreview().getFileUrl(videoUpdated)
344 const previewModel = createPlaceholderThumbnail(previewUrl, video, ThumbnailType.PREVIEW, PREVIEWS_SIZE)
345 await videoUpdated.addAndSaveThumbnail(previewModel, t)
346
347 {
348 const videoFileAttributes = videoFileActivityUrlToDBAttributes(videoUpdated, videoObject.url)
349 const newVideoFiles = videoFileAttributes.map(a => new VideoFileModel(a))
350
351 // Remove video files that do not exist anymore
352 const destroyTasks = deleteNonExistingModels(videoUpdated.VideoFiles, newVideoFiles, t)
353 await Promise.all(destroyTasks)
354
355 // Update or add other one
356 const upsertTasks = newVideoFiles.map(f => VideoFileModel.customUpsert(f, 'video', t))
357 videoUpdated.VideoFiles = await Promise.all(upsertTasks)
358 }
359
360 {
361 const streamingPlaylistAttributes = streamingPlaylistActivityUrlToDBAttributes(videoUpdated, videoObject, videoUpdated.VideoFiles)
362 const newStreamingPlaylists = streamingPlaylistAttributes.map(a => new VideoStreamingPlaylistModel(a))
363
364 // Remove video playlists that do not exist anymore
365 const destroyTasks = deleteNonExistingModels(videoUpdated.VideoStreamingPlaylists, newStreamingPlaylists, t)
366 await Promise.all(destroyTasks)
367
368 let oldStreamingPlaylistFiles: MVideoFile[] = []
369 for (const videoStreamingPlaylist of videoUpdated.VideoStreamingPlaylists) {
370 oldStreamingPlaylistFiles = oldStreamingPlaylistFiles.concat(videoStreamingPlaylist.VideoFiles)
371 }
372
373 videoUpdated.VideoStreamingPlaylists = []
374
375 for (const playlistAttributes of streamingPlaylistAttributes) {
376 const streamingPlaylistModel = await VideoStreamingPlaylistModel.upsert(playlistAttributes, { returning: true, transaction: t })
377 .then(([ streamingPlaylist ]) => streamingPlaylist)
378
379 const newVideoFiles: MVideoFile[] = videoFileActivityUrlToDBAttributes(streamingPlaylistModel, playlistAttributes.tagAPObject)
380 .map(a => new VideoFileModel(a))
381 const destroyTasks = deleteNonExistingModels(oldStreamingPlaylistFiles, newVideoFiles, t)
382 await Promise.all(destroyTasks)
383
384 // Update or add other one
385 const upsertTasks = newVideoFiles.map(f => VideoFileModel.customUpsert(f, 'streaming-playlist', t))
386 streamingPlaylistModel.VideoFiles = await Promise.all(upsertTasks)
387
388 videoUpdated.VideoStreamingPlaylists.push(streamingPlaylistModel)
389 }
390 }
391
392 {
393 // Update Tags
394 const tags = videoObject.tag
395 .filter(isAPHashTagObject)
396 .map(tag => tag.name)
397 const tagInstances = await TagModel.findOrCreateTags(tags, t)
398 await videoUpdated.$set('Tags', tagInstances, sequelizeOptions)
399 }
400
401 {
402 // Update captions
403 await VideoCaptionModel.deleteAllCaptionsOfRemoteVideo(videoUpdated.id, t)
404
405 const videoCaptionsPromises = videoObject.subtitleLanguage.map(c => {
406 return VideoCaptionModel.insertOrReplaceLanguage(videoUpdated.id, c.identifier, c.url, t)
407 })
408 await Promise.all(videoCaptionsPromises)
409 }
410
411 return videoUpdated
412 })
413
414 await autoBlacklistVideoIfNeeded({
415 video: videoUpdated,
416 user: undefined,
417 isRemote: true,
418 isNew: false,
419 transaction: undefined
420 })
421
422 if (wasPrivateVideo || wasUnlistedVideo) Notifier.Instance.notifyOnNewVideoIfNeeded(videoUpdated) // Notify our users?
423
424 logger.info('Remote video with uuid %s updated', videoObject.uuid)
425
426 return videoUpdated
427 } catch (err) {
428 if (video !== undefined && videoFieldsSave !== undefined) {
429 resetSequelizeInstance(video, videoFieldsSave)
430 }
431
432 // This is just a debug because we will retry the insert
433 logger.debug('Cannot update the remote video.', { err })
434 throw err
435 }
436 }
437
438 async function refreshVideoIfNeeded (options: {
439 video: MVideoThumbnail
440 fetchedType: VideoFetchByUrlType
441 syncParam: SyncParam
442 }): Promise<MVideoThumbnail> {
443 if (!options.video.isOutdated()) return options.video
444
445 // We need more attributes if the argument video was fetched with not enough joints
446 const video = options.fetchedType === 'all'
447 ? options.video as MVideoAccountLightBlacklistAllFiles
448 : await VideoModel.loadByUrlAndPopulateAccount(options.video.url)
449
450 try {
451 const { response, videoObject } = await fetchRemoteVideo(video.url)
452 if (response.statusCode === 404) {
453 logger.info('Cannot refresh remote video %s: video does not exist anymore. Deleting it.', video.url)
454
455 // Video does not exist anymore
456 await video.destroy()
457 return undefined
458 }
459
460 if (videoObject === undefined) {
461 logger.warn('Cannot refresh remote video %s: invalid body.', video.url)
462
463 await video.setAsRefreshed()
464 return video
465 }
466
467 const channelActor = await getOrCreateVideoChannelFromVideoObject(videoObject)
468
469 const updateOptions = {
470 video,
471 videoObject,
472 account: channelActor.VideoChannel.Account,
473 channel: channelActor.VideoChannel
474 }
475 await retryTransactionWrapper(updateVideoFromAP, updateOptions)
476 await syncVideoExternalAttributes(video, videoObject, options.syncParam)
477
478 ActorFollowScoreCache.Instance.addGoodServerId(video.VideoChannel.Actor.serverId)
479
480 return video
481 } catch (err) {
482 logger.warn('Cannot refresh video %s.', options.video.url, { err })
483
484 ActorFollowScoreCache.Instance.addBadServerId(video.VideoChannel.Actor.serverId)
485
486 // Don't refresh in loop
487 await video.setAsRefreshed()
488 return video
489 }
490 }
491
492 export {
493 updateVideoFromAP,
494 refreshVideoIfNeeded,
495 federateVideoIfNeeded,
496 fetchRemoteVideo,
497 getOrCreateVideoAndAccountAndChannel,
498 fetchRemoteVideoDescription,
499 getOrCreateVideoChannelFromVideoObject
500 }
501
502 // ---------------------------------------------------------------------------
503
504 function isAPVideoUrlObject (url: any): url is ActivityVideoUrlObject {
505 const mimeTypes = Object.keys(MIMETYPES.VIDEO.MIMETYPE_EXT)
506
507 const urlMediaType = url.mediaType
508 return mimeTypes.indexOf(urlMediaType) !== -1 && urlMediaType.startsWith('video/')
509 }
510
511 function isAPStreamingPlaylistUrlObject (url: ActivityUrlObject): url is ActivityPlaylistUrlObject {
512 return url && url.mediaType === 'application/x-mpegURL'
513 }
514
515 function isAPPlaylistSegmentHashesUrlObject (tag: any): tag is ActivityPlaylistSegmentHashesObject {
516 return tag && tag.name === 'sha256' && tag.type === 'Link' && tag.mediaType === 'application/json'
517 }
518
519 function isAPMagnetUrlObject (url: any): url is ActivityMagnetUrlObject {
520 return url && url.mediaType === 'application/x-bittorrent;x-scheme-handler/magnet'
521 }
522
523 function isAPHashTagObject (url: any): url is ActivityHashTagObject {
524 return url && url.type === 'Hashtag'
525 }
526
527 async function createVideo (videoObject: VideoTorrentObject, channel: MChannelAccountLight, waitThumbnail = false) {
528 logger.debug('Adding remote video %s.', videoObject.id)
529
530 const videoData = await videoActivityObjectToDBAttributes(channel, videoObject, videoObject.to)
531 const video = VideoModel.build(videoData) as MVideoThumbnail
532
533 const promiseThumbnail = createVideoMiniatureFromUrl(getThumbnailFromIcons(videoObject).url, video, ThumbnailType.MINIATURE)
534
535 let thumbnailModel: MThumbnail
536 if (waitThumbnail === true) {
537 thumbnailModel = await promiseThumbnail
538 }
539
540 const { autoBlacklisted, videoCreated } = await sequelizeTypescript.transaction(async t => {
541 const sequelizeOptions = { transaction: t }
542
543 const videoCreated = await video.save(sequelizeOptions) as MVideoFullLight
544 videoCreated.VideoChannel = channel
545
546 if (thumbnailModel) await videoCreated.addAndSaveThumbnail(thumbnailModel, t)
547
548 const previewIcon = getPreviewFromIcons(videoObject)
549 const previewUrl = previewIcon
550 ? previewIcon.url
551 : buildRemoteVideoBaseUrl(videoCreated, join(STATIC_PATHS.PREVIEWS, video.generatePreviewName()))
552 const previewModel = createPlaceholderThumbnail(previewUrl, videoCreated, ThumbnailType.PREVIEW, PREVIEWS_SIZE)
553
554 if (thumbnailModel) await videoCreated.addAndSaveThumbnail(previewModel, t)
555
556 // Process files
557 const videoFileAttributes = videoFileActivityUrlToDBAttributes(videoCreated, videoObject.url)
558
559 const videoFilePromises = videoFileAttributes.map(f => VideoFileModel.create(f, { transaction: t }))
560 const videoFiles = await Promise.all(videoFilePromises)
561
562 const streamingPlaylistsAttributes = streamingPlaylistActivityUrlToDBAttributes(videoCreated, videoObject, videoFiles)
563 videoCreated.VideoStreamingPlaylists = []
564
565 for (const playlistAttributes of streamingPlaylistsAttributes) {
566 const playlistModel = await VideoStreamingPlaylistModel.create(playlistAttributes, { transaction: t })
567
568 const playlistFiles = videoFileActivityUrlToDBAttributes(playlistModel, playlistAttributes.tagAPObject)
569 const videoFilePromises = playlistFiles.map(f => VideoFileModel.create(f, { transaction: t }))
570 playlistModel.VideoFiles = await Promise.all(videoFilePromises)
571
572 videoCreated.VideoStreamingPlaylists.push(playlistModel)
573 }
574
575 // Process tags
576 const tags = videoObject.tag
577 .filter(isAPHashTagObject)
578 .map(t => t.name)
579 const tagInstances = await TagModel.findOrCreateTags(tags, t)
580 await videoCreated.$set('Tags', tagInstances, sequelizeOptions)
581
582 // Process captions
583 const videoCaptionsPromises = videoObject.subtitleLanguage.map(c => {
584 return VideoCaptionModel.insertOrReplaceLanguage(videoCreated.id, c.identifier, c.url, t)
585 })
586 await Promise.all(videoCaptionsPromises)
587
588 videoCreated.VideoFiles = videoFiles
589 videoCreated.Tags = tagInstances
590
591 const autoBlacklisted = await autoBlacklistVideoIfNeeded({
592 video: videoCreated,
593 user: undefined,
594 isRemote: true,
595 isNew: true,
596 transaction: t
597 })
598
599 logger.info('Remote video with uuid %s inserted.', videoObject.uuid)
600
601 return { autoBlacklisted, videoCreated }
602 })
603
604 if (waitThumbnail === false) {
605 promiseThumbnail.then(thumbnailModel => {
606 thumbnailModel = videoCreated.id
607
608 return thumbnailModel.save()
609 }).catch(err => logger.error('Cannot create miniature from url.', { err }))
610 }
611
612 return { autoBlacklisted, videoCreated }
613 }
614
615 function videoActivityObjectToDBAttributes (videoChannel: MChannelId, videoObject: VideoTorrentObject, to: string[] = []) {
616 const privacy = to.indexOf(ACTIVITY_PUB.PUBLIC) !== -1 ? VideoPrivacy.PUBLIC : VideoPrivacy.UNLISTED
617 const duration = videoObject.duration.replace(/[^\d]+/, '')
618
619 let language: string | undefined
620 if (videoObject.language) {
621 language = videoObject.language.identifier
622 }
623
624 let category: number | undefined
625 if (videoObject.category) {
626 category = parseInt(videoObject.category.identifier, 10)
627 }
628
629 let licence: number | undefined
630 if (videoObject.licence) {
631 licence = parseInt(videoObject.licence.identifier, 10)
632 }
633
634 const description = videoObject.content || null
635 const support = videoObject.support || null
636
637 return {
638 name: videoObject.name,
639 uuid: videoObject.uuid,
640 url: videoObject.id,
641 category,
642 licence,
643 language,
644 description,
645 support,
646 nsfw: videoObject.sensitive,
647 commentsEnabled: videoObject.commentsEnabled,
648 downloadEnabled: videoObject.downloadEnabled,
649 waitTranscoding: videoObject.waitTranscoding,
650 state: videoObject.state,
651 channelId: videoChannel.id,
652 duration: parseInt(duration, 10),
653 createdAt: new Date(videoObject.published),
654 publishedAt: new Date(videoObject.published),
655 originallyPublishedAt: videoObject.originallyPublishedAt ? new Date(videoObject.originallyPublishedAt) : null,
656 updatedAt: new Date(videoObject.updated),
657 views: videoObject.views,
658 likes: 0,
659 dislikes: 0,
660 remote: true,
661 privacy
662 }
663 }
664
665 function videoFileActivityUrlToDBAttributes (
666 videoOrPlaylist: MVideo | MStreamingPlaylist,
667 urls: (ActivityTagObject | ActivityUrlObject)[]
668 ) {
669 const fileUrls = urls.filter(u => isAPVideoUrlObject(u)) as ActivityVideoUrlObject[]
670
671 if (fileUrls.length === 0) return []
672
673 const attributes: FilteredModelAttributes<VideoFileModel>[] = []
674 for (const fileUrl of fileUrls) {
675 // Fetch associated magnet uri
676 const magnet = urls.filter(isAPMagnetUrlObject)
677 .find(u => u.height === fileUrl.height)
678
679 if (!magnet) throw new Error('Cannot find associated magnet uri for file ' + fileUrl.href)
680
681 const parsed = magnetUtil.decode(magnet.href)
682 if (!parsed || isVideoFileInfoHashValid(parsed.infoHash) === false) {
683 throw new Error('Cannot parse magnet URI ' + magnet.href)
684 }
685
686 const mediaType = fileUrl.mediaType
687 const attribute = {
688 extname: MIMETYPES.VIDEO.MIMETYPE_EXT[mediaType],
689 infoHash: parsed.infoHash,
690 resolution: fileUrl.height,
691 size: fileUrl.size,
692 fps: fileUrl.fps || -1,
693
694 // This is a video file owned by a video or by a streaming playlist
695 videoId: (videoOrPlaylist as MStreamingPlaylist).playlistUrl ? null : videoOrPlaylist.id,
696 videoStreamingPlaylistId: (videoOrPlaylist as MStreamingPlaylist).playlistUrl ? videoOrPlaylist.id : null
697 }
698
699 attributes.push(attribute)
700 }
701
702 return attributes
703 }
704
705 function streamingPlaylistActivityUrlToDBAttributes (video: MVideoId, videoObject: VideoTorrentObject, videoFiles: MVideoFile[]) {
706 const playlistUrls = videoObject.url.filter(u => isAPStreamingPlaylistUrlObject(u)) as ActivityPlaylistUrlObject[]
707 if (playlistUrls.length === 0) return []
708
709 const attributes: (FilteredModelAttributes<VideoStreamingPlaylistModel> & { tagAPObject?: ActivityTagObject[] })[] = []
710 for (const playlistUrlObject of playlistUrls) {
711 const segmentsSha256UrlObject = playlistUrlObject.tag.find(isAPPlaylistSegmentHashesUrlObject)
712
713 let files: unknown[] = playlistUrlObject.tag.filter(u => isAPVideoUrlObject(u)) as ActivityVideoUrlObject[]
714
715 // FIXME: backward compatibility introduced in v2.1.0
716 if (files.length === 0) files = videoFiles
717
718 if (!segmentsSha256UrlObject) {
719 logger.warn('No segment sha256 URL found in AP playlist object.', { playlistUrl: playlistUrlObject })
720 continue
721 }
722
723 const attribute = {
724 type: VideoStreamingPlaylistType.HLS,
725 playlistUrl: playlistUrlObject.href,
726 segmentsSha256Url: segmentsSha256UrlObject.href,
727 p2pMediaLoaderInfohashes: VideoStreamingPlaylistModel.buildP2PMediaLoaderInfoHashes(playlistUrlObject.href, files),
728 p2pMediaLoaderPeerVersion: P2P_MEDIA_LOADER_PEER_VERSION,
729 videoId: video.id,
730 tagAPObject: playlistUrlObject.tag
731 }
732
733 attributes.push(attribute)
734 }
735
736 return attributes
737 }
738
739 function getThumbnailFromIcons (videoObject: VideoTorrentObject) {
740 let validIcons = videoObject.icon.filter(i => i.width > THUMBNAILS_SIZE.minWidth)
741 // Fallback if there are not valid icons
742 if (validIcons.length === 0) validIcons = videoObject.icon
743
744 return minBy(validIcons, 'width')
745 }
746
747 function getPreviewFromIcons (videoObject: VideoTorrentObject) {
748 const validIcons = videoObject.icon.filter(i => i.width > PREVIEWS_SIZE.minWidth)
749
750 // FIXME: don't put a fallback here for compatibility with PeerTube <2.2
751
752 return maxBy(validIcons, 'width')
753 }