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