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