]> git.immae.eu Git - github/Chocobozzz/PeerTube.git/blame - server/models/video/video.ts
Reduce video.ts file size by moving some methods in other files
[github/Chocobozzz/PeerTube.git] / server / models / video / video.ts
CommitLineData
39445ead 1import * as Bluebird from 'bluebird'
098eb377 2import { maxBy } from 'lodash'
571389d4 3import * as magnetUtil from 'magnet-uri'
4d4e5cd4 4import * as parseTorrent from 'parse-torrent'
098eb377 5import { join } from 'path'
e02643f3 6import * as Sequelize from 'sequelize'
3fd3ab2d 7import {
4ba3b8ea
C
8 AllowNull,
9 BeforeDestroy,
10 BelongsTo,
11 BelongsToMany,
12 Column,
13 CreatedAt,
14 DataType,
15 Default,
16 ForeignKey,
17 HasMany,
2baea0c7 18 HasOne,
4ba3b8ea 19 IFindOptions,
9a629c6e 20 IIncludeOptions,
4ba3b8ea
C
21 Is,
22 IsInt,
23 IsUUID,
24 Min,
25 Model,
26 Scopes,
27 Table,
9a629c6e 28 UpdatedAt
3fd3ab2d 29} from 'sequelize-typescript'
098eb377 30import { VideoPrivacy, VideoState } from '../../../shared'
3fd3ab2d 31import { VideoTorrentObject } from '../../../shared/models/activitypub/objects'
a8462c8e 32import { Video, VideoDetails, VideoFile } from '../../../shared/models/videos'
066e94c5 33import { VideoFilter } from '../../../shared/models/videos/video-query.type'
62689b94 34import { createTorrentPromise, peertubeTruncate } from '../../helpers/core-utils'
da854ddd 35import { isActivityPubUrlValid } from '../../helpers/custom-validators/activitypub/misc'
c48e82b5 36import { isArray, isBooleanValid } from '../../helpers/custom-validators/misc'
3fd3ab2d 37import {
4ba3b8ea
C
38 isVideoCategoryValid,
39 isVideoDescriptionValid,
40 isVideoDurationValid,
41 isVideoLanguageValid,
42 isVideoLicenceValid,
43 isVideoNameValid,
2baea0c7
C
44 isVideoPrivacyValid,
45 isVideoStateValid,
b64c950a 46 isVideoSupportValid
3fd3ab2d 47} from '../../helpers/custom-validators/videos'
098eb377 48import { generateImageFromVideoFile, getVideoFileResolution } from '../../helpers/ffmpeg-utils'
da854ddd 49import { logger } from '../../helpers/logger'
f05a1c30 50import { getServerActor } from '../../helpers/utils'
65fcc311 51import {
1297eb5d 52 ACTIVITY_PUB,
4ba3b8ea
C
53 API_VERSION,
54 CONFIG,
55 CONSTRAINTS_FIELDS,
56 PREVIEWS_SIZE,
57 REMOTE_SCHEME,
02756fbd 58 STATIC_DOWNLOAD_PATHS,
4ba3b8ea
C
59 STATIC_PATHS,
60 THUMBNAILS_SIZE,
61 VIDEO_CATEGORIES,
62 VIDEO_LANGUAGES,
63 VIDEO_LICENCES,
2baea0c7
C
64 VIDEO_PRIVACIES,
65 VIDEO_STATES
3fd3ab2d 66} from '../../initializers'
50d6de9c 67import { sendDeleteVideo } from '../../lib/activitypub/send'
3fd3ab2d
C
68import { AccountModel } from '../account/account'
69import { AccountVideoRateModel } from '../account/account-video-rate'
50d6de9c 70import { ActorModel } from '../activitypub/actor'
b6a4fd6b 71import { AvatarModel } from '../avatar/avatar'
3fd3ab2d 72import { ServerModel } from '../server/server'
9a629c6e 73import { buildTrigramSearchIndex, createSimilarityAttribute, getVideoSort, throwIfNotValid } from '../utils'
3fd3ab2d
C
74import { TagModel } from './tag'
75import { VideoAbuseModel } from './video-abuse'
76import { VideoChannelModel } from './video-channel'
da854ddd 77import { VideoCommentModel } from './video-comment'
3fd3ab2d
C
78import { VideoFileModel } from './video-file'
79import { VideoShareModel } from './video-share'
80import { VideoTagModel } from './video-tag'
2baea0c7 81import { ScheduleVideoUpdateModel } from './schedule-video-update'
40e87e9e 82import { VideoCaptionModel } from './video-caption'
26b7305a 83import { VideoBlacklistModel } from './video-blacklist'
098eb377 84import { remove, writeFile } from 'fs-extra'
9a629c6e 85import { VideoViewModel } from './video-views'
c48e82b5 86import { VideoRedundancyModel } from '../redundancy/video-redundancy'
098eb377
C
87import {
88 videoFilesModelToFormattedJSON,
89 VideoFormattingJSONOptions,
90 videoModelToActivityPubObject,
91 videoModelToFormattedDetailsJSON,
92 videoModelToFormattedJSON
93} from './video-format-utils'
3fd3ab2d 94
57c36b27
C
95// FIXME: Define indexes here because there is an issue with TS and Sequelize.literal when called directly in the annotation
96const indexes: Sequelize.DefineIndexesOptions[] = [
97 buildTrigramSearchIndex('video_name_trigram', 'name'),
98
8cd72bd3
C
99 { fields: [ 'createdAt' ] },
100 { fields: [ 'publishedAt' ] },
101 { fields: [ 'duration' ] },
102 { fields: [ 'category' ] },
103 { fields: [ 'licence' ] },
104 { fields: [ 'nsfw' ] },
105 { fields: [ 'language' ] },
106 { fields: [ 'waitTranscoding' ] },
107 { fields: [ 'state' ] },
108 { fields: [ 'remote' ] },
109 { fields: [ 'views' ] },
110 { fields: [ 'likes' ] },
111 { fields: [ 'channelId' ] },
57c36b27 112 {
8cd72bd3
C
113 fields: [ 'uuid' ],
114 unique: true
57c36b27
C
115 },
116 {
8ea6f49a 117 fields: [ 'url' ],
57c36b27
C
118 unique: true
119 }
120]
121
2baea0c7 122export enum ScopeNames {
afd2cba5
C
123 AVAILABLE_FOR_LIST_IDS = 'AVAILABLE_FOR_LIST_IDS',
124 FOR_API = 'FOR_API',
4cb6d457 125 WITH_ACCOUNT_DETAILS = 'WITH_ACCOUNT_DETAILS',
d48ff09d 126 WITH_TAGS = 'WITH_TAGS',
bbe0f064 127 WITH_FILES = 'WITH_FILES',
191764f3
C
128 WITH_SCHEDULED_UPDATE = 'WITH_SCHEDULED_UPDATE',
129 WITH_BLACKLISTED = 'WITH_BLACKLISTED'
d48ff09d
C
130}
131
afd2cba5
C
132type ForAPIOptions = {
133 ids: number[]
134 withFiles?: boolean
135}
136
137type AvailableForListIDsOptions = {
138 actorId: number
139 includeLocalVideos: boolean
140 filter?: VideoFilter
141 categoryOneOf?: number[]
142 nsfw?: boolean
143 licenceOneOf?: number[]
144 languageOneOf?: string[]
145 tagsOneOf?: string[]
146 tagsAllOf?: string[]
147 withFiles?: boolean
148 accountId?: number
d525fc39 149 videoChannelId?: number
9a629c6e 150 trendingDays?: number
d525fc39
C
151}
152
d48ff09d 153@Scopes({
8ea6f49a 154 [ ScopeNames.FOR_API ]: (options: ForAPIOptions) => {
0626e7af 155 const accountInclude = {
03e12d7c 156 attributes: [ 'id', 'name' ],
0626e7af
C
157 model: AccountModel.unscoped(),
158 required: true,
0626e7af
C
159 include: [
160 {
03e12d7c 161 attributes: [ 'id', 'uuid', 'preferredUsername', 'url', 'serverId', 'avatarId' ],
0626e7af
C
162 model: ActorModel.unscoped(),
163 required: true,
0626e7af
C
164 include: [
165 {
166 attributes: [ 'host' ],
167 model: ServerModel.unscoped(),
168 required: false
169 },
170 {
171 model: AvatarModel.unscoped(),
172 required: false
173 }
174 ]
175 }
176 ]
177 }
178
48dce1c9 179 const videoChannelInclude = {
0f320037 180 attributes: [ 'name', 'description', 'id' ],
48dce1c9
C
181 model: VideoChannelModel.unscoped(),
182 required: true,
48dce1c9 183 include: [
0f320037
C
184 {
185 attributes: [ 'uuid', 'preferredUsername', 'url', 'serverId', 'avatarId' ],
186 model: ActorModel.unscoped(),
187 required: true,
188 include: [
189 {
190 attributes: [ 'host' ],
191 model: ServerModel.unscoped(),
192 required: false
193 },
194 {
195 model: AvatarModel.unscoped(),
196 required: false
197 }
198 ]
199 },
48dce1c9
C
200 accountInclude
201 ]
202 }
203
244e76a5 204 const query: IFindOptions<VideoModel> = {
afd2cba5
C
205 where: {
206 id: {
8ea6f49a 207 [ Sequelize.Op.any ]: options.ids
afd2cba5
C
208 }
209 },
210 include: [ videoChannelInclude ]
211 }
212
213 if (options.withFiles === true) {
214 query.include.push({
215 model: VideoFileModel.unscoped(),
216 required: true
217 })
218 }
219
220 return query
221 },
8ea6f49a 222 [ ScopeNames.AVAILABLE_FOR_LIST_IDS ]: (options: AvailableForListIDsOptions) => {
afd2cba5 223 const query: IFindOptions<VideoModel> = {
2b62cccd 224 raw: true,
afd2cba5 225 attributes: [ 'id' ],
244e76a5
RK
226 where: {
227 id: {
8ea6f49a 228 [ Sequelize.Op.and ]: [
b6314e3c
C
229 {
230 [ Sequelize.Op.notIn ]: Sequelize.literal(
231 '(SELECT "videoBlacklist"."videoId" FROM "videoBlacklist")'
232 )
233 }
234 ]
244e76a5 235 },
2186386c
C
236 // Always list public videos
237 privacy: VideoPrivacy.PUBLIC,
238 // Always list published videos, or videos that are being transcoded but on which we don't want to wait for transcoding
239 [ Sequelize.Op.or ]: [
240 {
241 state: VideoState.PUBLISHED
242 },
243 {
244 [ Sequelize.Op.and ]: {
245 state: VideoState.TO_TRANSCODE,
246 waitTranscoding: false
247 }
248 }
249 ]
50d6de9c 250 },
8ea6f49a 251 include: []
afd2cba5
C
252 }
253
254 if (options.filter || options.accountId || options.videoChannelId) {
255 const videoChannelInclude: IIncludeOptions = {
256 attributes: [],
257 model: VideoChannelModel.unscoped(),
258 required: true
259 }
260
261 if (options.videoChannelId) {
262 videoChannelInclude.where = {
263 id: options.videoChannelId
264 }
265 }
266
267 if (options.filter || options.accountId) {
268 const accountInclude: IIncludeOptions = {
269 attributes: [],
270 model: AccountModel.unscoped(),
271 required: true
272 }
273
274 if (options.filter) {
275 accountInclude.include = [
276 {
277 attributes: [],
278 model: ActorModel.unscoped(),
279 required: true,
280 where: VideoModel.buildActorWhereWithFilter(options.filter)
281 }
282 ]
283 }
284
285 if (options.accountId) {
286 accountInclude.where = { id: options.accountId }
287 }
288
289 videoChannelInclude.include = [ accountInclude ]
290 }
291
292 query.include.push(videoChannelInclude)
244e76a5
RK
293 }
294
687d638c
C
295 if (options.actorId) {
296 let localVideosReq = ''
297 if (options.includeLocalVideos === true) {
298 localVideosReq = ' UNION ALL ' +
299 'SELECT "video"."id" AS "id" FROM "video" ' +
300 'INNER JOIN "videoChannel" ON "videoChannel"."id" = "video"."channelId" ' +
301 'INNER JOIN "account" ON "account"."id" = "videoChannel"."accountId" ' +
302 'INNER JOIN "actor" ON "account"."actorId" = "actor"."id" ' +
303 'WHERE "actor"."serverId" IS NULL'
304 }
305
306 // Force actorId to be a number to avoid SQL injections
307 const actorIdNumber = parseInt(options.actorId.toString(), 10)
8ea6f49a 308 query.where[ 'id' ][ Sequelize.Op.and ].push({
b6314e3c
C
309 [ Sequelize.Op.in ]: Sequelize.literal(
310 '(' +
8ea6f49a
C
311 'SELECT "videoShare"."videoId" AS "id" FROM "videoShare" ' +
312 'INNER JOIN "actorFollow" ON "actorFollow"."targetActorId" = "videoShare"."actorId" ' +
313 'WHERE "actorFollow"."actorId" = ' + actorIdNumber +
314 ' UNION ALL ' +
315 'SELECT "video"."id" AS "id" FROM "video" ' +
316 'INNER JOIN "videoChannel" ON "videoChannel"."id" = "video"."channelId" ' +
317 'INNER JOIN "account" ON "account"."id" = "videoChannel"."accountId" ' +
318 'INNER JOIN "actor" ON "account"."actorId" = "actor"."id" ' +
319 'INNER JOIN "actorFollow" ON "actorFollow"."targetActorId" = "actor"."id" ' +
320 'WHERE "actorFollow"."actorId" = ' + actorIdNumber +
321 localVideosReq +
b6314e3c
C
322 ')'
323 )
324 })
687d638c
C
325 }
326
48dce1c9 327 if (options.withFiles === true) {
8ea6f49a 328 query.where[ 'id' ][ Sequelize.Op.and ].push({
b6314e3c
C
329 [ Sequelize.Op.in ]: Sequelize.literal(
330 '(SELECT "videoId" FROM "videoFile")'
331 )
244e76a5
RK
332 })
333 }
334
d525fc39
C
335 // FIXME: issues with sequelize count when making a join on n:m relation, so we just make a IN()
336 if (options.tagsAllOf || options.tagsOneOf) {
337 const createTagsIn = (tags: string[]) => {
338 return tags.map(t => VideoModel.sequelize.escape(t))
339 .join(', ')
340 }
341
342 if (options.tagsOneOf) {
8ea6f49a
C
343 query.where[ 'id' ][ Sequelize.Op.and ].push({
344 [ Sequelize.Op.in ]: Sequelize.literal(
b6314e3c 345 '(' +
d525fc39
C
346 'SELECT "videoId" FROM "videoTag" ' +
347 'INNER JOIN "tag" ON "tag"."id" = "videoTag"."tagId" ' +
348 'WHERE "tag"."name" IN (' + createTagsIn(options.tagsOneOf) + ')' +
b6314e3c
C
349 ')'
350 )
351 })
d525fc39
C
352 }
353
354 if (options.tagsAllOf) {
8ea6f49a
C
355 query.where[ 'id' ][ Sequelize.Op.and ].push({
356 [ Sequelize.Op.in ]: Sequelize.literal(
d525fc39 357 '(' +
b6314e3c
C
358 'SELECT "videoId" FROM "videoTag" ' +
359 'INNER JOIN "tag" ON "tag"."id" = "videoTag"."tagId" ' +
360 'WHERE "tag"."name" IN (' + createTagsIn(options.tagsAllOf) + ')' +
361 'GROUP BY "videoTag"."videoId" HAVING COUNT(*) = ' + options.tagsAllOf.length +
d525fc39 362 ')'
b6314e3c
C
363 )
364 })
d525fc39
C
365 }
366 }
367
368 if (options.nsfw === true || options.nsfw === false) {
8ea6f49a 369 query.where[ 'nsfw' ] = options.nsfw
d525fc39
C
370 }
371
372 if (options.categoryOneOf) {
8ea6f49a
C
373 query.where[ 'category' ] = {
374 [ Sequelize.Op.or ]: options.categoryOneOf
d525fc39
C
375 }
376 }
377
378 if (options.licenceOneOf) {
8ea6f49a
C
379 query.where[ 'licence' ] = {
380 [ Sequelize.Op.or ]: options.licenceOneOf
d525fc39 381 }
0883b324
C
382 }
383
d525fc39 384 if (options.languageOneOf) {
8ea6f49a
C
385 query.where[ 'language' ] = {
386 [ Sequelize.Op.or ]: options.languageOneOf
d525fc39 387 }
61b909b9
P
388 }
389
9a629c6e 390 if (options.trendingDays) {
b36f41ca 391 query.include.push(VideoModel.buildTrendingQuery(options.trendingDays))
9a629c6e
C
392
393 query.subQuery = false
394 }
395
244e76a5
RK
396 return query
397 },
8ea6f49a 398 [ ScopeNames.WITH_ACCOUNT_DETAILS ]: {
d48ff09d
C
399 include: [
400 {
6120941f 401 model: () => VideoChannelModel.unscoped(),
d48ff09d
C
402 required: true,
403 include: [
6120941f
C
404 {
405 attributes: {
406 exclude: [ 'privateKey', 'publicKey' ]
407 },
3e500247
C
408 model: () => ActorModel.unscoped(),
409 required: true,
410 include: [
411 {
412 attributes: [ 'host' ],
413 model: () => ServerModel.unscoped(),
414 required: false
52d9f792
C
415 },
416 {
417 model: () => AvatarModel.unscoped(),
418 required: false
3e500247
C
419 }
420 ]
6120941f 421 },
d48ff09d 422 {
3e500247 423 model: () => AccountModel.unscoped(),
d48ff09d
C
424 required: true,
425 include: [
426 {
3e500247 427 model: () => ActorModel.unscoped(),
6120941f
C
428 attributes: {
429 exclude: [ 'privateKey', 'publicKey' ]
430 },
50d6de9c
C
431 required: true,
432 include: [
433 {
3e500247
C
434 attributes: [ 'host' ],
435 model: () => ServerModel.unscoped(),
50d6de9c 436 required: false
b6a4fd6b
C
437 },
438 {
439 model: () => AvatarModel.unscoped(),
440 required: false
50d6de9c
C
441 }
442 ]
d48ff09d
C
443 }
444 ]
445 }
446 ]
447 }
448 ]
449 },
8ea6f49a 450 [ ScopeNames.WITH_TAGS ]: {
d48ff09d
C
451 include: [ () => TagModel ]
452 },
8ea6f49a 453 [ ScopeNames.WITH_BLACKLISTED ]: {
191764f3
C
454 include: [
455 {
456 attributes: [ 'id', 'reason' ],
457 model: () => VideoBlacklistModel,
458 required: false
459 }
460 ]
461 },
8ea6f49a 462 [ ScopeNames.WITH_FILES ]: {
d48ff09d
C
463 include: [
464 {
e53f952e 465 model: () => VideoFileModel.unscoped(),
c48e82b5
C
466 required: false,
467 include: [
468 {
469 model: () => VideoRedundancyModel.unscoped(),
470 required: false
471 }
472 ]
d48ff09d
C
473 }
474 ]
bbe0f064 475 },
8ea6f49a 476 [ ScopeNames.WITH_SCHEDULED_UPDATE ]: {
bbe0f064
C
477 include: [
478 {
479 model: () => ScheduleVideoUpdateModel.unscoped(),
480 required: false
481 }
482 ]
d48ff09d
C
483 }
484})
3fd3ab2d
C
485@Table({
486 tableName: 'video',
57c36b27 487 indexes
3fd3ab2d
C
488})
489export class VideoModel extends Model<VideoModel> {
490
491 @AllowNull(false)
492 @Default(DataType.UUIDV4)
493 @IsUUID(4)
494 @Column(DataType.UUID)
495 uuid: string
496
497 @AllowNull(false)
498 @Is('VideoName', value => throwIfNotValid(value, isVideoNameValid, 'name'))
499 @Column
500 name: string
501
502 @AllowNull(true)
503 @Default(null)
504 @Is('VideoCategory', value => throwIfNotValid(value, isVideoCategoryValid, 'category'))
505 @Column
506 category: number
507
508 @AllowNull(true)
509 @Default(null)
510 @Is('VideoLicence', value => throwIfNotValid(value, isVideoLicenceValid, 'licence'))
511 @Column
512 licence: number
513
514 @AllowNull(true)
515 @Default(null)
516 @Is('VideoLanguage', value => throwIfNotValid(value, isVideoLanguageValid, 'language'))
9d3ef9fe
C
517 @Column(DataType.STRING(CONSTRAINTS_FIELDS.VIDEOS.LANGUAGE.max))
518 language: string
3fd3ab2d
C
519
520 @AllowNull(false)
521 @Is('VideoPrivacy', value => throwIfNotValid(value, isVideoPrivacyValid, 'privacy'))
522 @Column
523 privacy: number
524
525 @AllowNull(false)
47564bbe 526 @Is('VideoNSFW', value => throwIfNotValid(value, isBooleanValid, 'NSFW boolean'))
3fd3ab2d
C
527 @Column
528 nsfw: boolean
529
530 @AllowNull(true)
531 @Default(null)
532 @Is('VideoDescription', value => throwIfNotValid(value, isVideoDescriptionValid, 'description'))
533 @Column(DataType.STRING(CONSTRAINTS_FIELDS.VIDEOS.DESCRIPTION.max))
534 description: string
535
2422c46b
C
536 @AllowNull(true)
537 @Default(null)
538 @Is('VideoSupport', value => throwIfNotValid(value, isVideoSupportValid, 'support'))
539 @Column(DataType.STRING(CONSTRAINTS_FIELDS.VIDEOS.SUPPORT.max))
540 support: string
541
3fd3ab2d
C
542 @AllowNull(false)
543 @Is('VideoDuration', value => throwIfNotValid(value, isVideoDurationValid, 'duration'))
544 @Column
545 duration: number
546
547 @AllowNull(false)
548 @Default(0)
549 @IsInt
550 @Min(0)
551 @Column
552 views: number
553
554 @AllowNull(false)
555 @Default(0)
556 @IsInt
557 @Min(0)
558 @Column
559 likes: number
560
561 @AllowNull(false)
562 @Default(0)
563 @IsInt
564 @Min(0)
565 @Column
566 dislikes: number
567
568 @AllowNull(false)
569 @Column
570 remote: boolean
571
572 @AllowNull(false)
573 @Is('VideoUrl', value => throwIfNotValid(value, isActivityPubUrlValid, 'url'))
574 @Column(DataType.STRING(CONSTRAINTS_FIELDS.VIDEOS.URL.max))
575 url: string
576
47564bbe
C
577 @AllowNull(false)
578 @Column
579 commentsEnabled: boolean
580
2186386c
C
581 @AllowNull(false)
582 @Column
583 waitTranscoding: boolean
584
585 @AllowNull(false)
586 @Default(null)
587 @Is('VideoState', value => throwIfNotValid(value, isVideoStateValid, 'state'))
588 @Column
589 state: VideoState
590
3fd3ab2d
C
591 @CreatedAt
592 createdAt: Date
593
594 @UpdatedAt
595 updatedAt: Date
596
2922e048
JLB
597 @AllowNull(false)
598 @Default(Sequelize.NOW)
599 @Column
600 publishedAt: Date
601
3fd3ab2d
C
602 @ForeignKey(() => VideoChannelModel)
603 @Column
604 channelId: number
605
606 @BelongsTo(() => VideoChannelModel, {
feb4bdfd 607 foreignKey: {
50d6de9c 608 allowNull: true
feb4bdfd 609 },
6b738c7a 610 hooks: true
feb4bdfd 611 })
3fd3ab2d 612 VideoChannel: VideoChannelModel
7920c273 613
3fd3ab2d 614 @BelongsToMany(() => TagModel, {
7920c273 615 foreignKey: 'videoId',
3fd3ab2d
C
616 through: () => VideoTagModel,
617 onDelete: 'CASCADE'
7920c273 618 })
3fd3ab2d 619 Tags: TagModel[]
55fa55a9 620
3fd3ab2d 621 @HasMany(() => VideoAbuseModel, {
55fa55a9
C
622 foreignKey: {
623 name: 'videoId',
624 allowNull: false
625 },
626 onDelete: 'cascade'
627 })
3fd3ab2d 628 VideoAbuses: VideoAbuseModel[]
93e1258c 629
3fd3ab2d 630 @HasMany(() => VideoFileModel, {
93e1258c
C
631 foreignKey: {
632 name: 'videoId',
633 allowNull: false
634 },
c48e82b5 635 hooks: true,
93e1258c
C
636 onDelete: 'cascade'
637 })
3fd3ab2d 638 VideoFiles: VideoFileModel[]
e71bcc0f 639
3fd3ab2d 640 @HasMany(() => VideoShareModel, {
e71bcc0f
C
641 foreignKey: {
642 name: 'videoId',
643 allowNull: false
644 },
645 onDelete: 'cascade'
646 })
3fd3ab2d 647 VideoShares: VideoShareModel[]
16b90975 648
3fd3ab2d 649 @HasMany(() => AccountVideoRateModel, {
16b90975
C
650 foreignKey: {
651 name: 'videoId',
652 allowNull: false
653 },
654 onDelete: 'cascade'
655 })
3fd3ab2d 656 AccountVideoRates: AccountVideoRateModel[]
f285faa0 657
da854ddd
C
658 @HasMany(() => VideoCommentModel, {
659 foreignKey: {
660 name: 'videoId',
661 allowNull: false
662 },
f05a1c30
C
663 onDelete: 'cascade',
664 hooks: true
da854ddd
C
665 })
666 VideoComments: VideoCommentModel[]
667
9a629c6e
C
668 @HasMany(() => VideoViewModel, {
669 foreignKey: {
670 name: 'videoId',
671 allowNull: false
672 },
673 onDelete: 'cascade',
674 hooks: true
675 })
676 VideoViews: VideoViewModel[]
677
2baea0c7
C
678 @HasOne(() => ScheduleVideoUpdateModel, {
679 foreignKey: {
680 name: 'videoId',
681 allowNull: false
682 },
683 onDelete: 'cascade'
684 })
685 ScheduleVideoUpdate: ScheduleVideoUpdateModel
686
26b7305a
C
687 @HasOne(() => VideoBlacklistModel, {
688 foreignKey: {
689 name: 'videoId',
690 allowNull: false
691 },
692 onDelete: 'cascade'
693 })
694 VideoBlacklist: VideoBlacklistModel
695
40e87e9e
C
696 @HasMany(() => VideoCaptionModel, {
697 foreignKey: {
698 name: 'videoId',
699 allowNull: false
700 },
701 onDelete: 'cascade',
702 hooks: true,
8ea6f49a 703 [ 'separate' as any ]: true
40e87e9e
C
704 })
705 VideoCaptions: VideoCaptionModel[]
706
f05a1c30
C
707 @BeforeDestroy
708 static async sendDelete (instance: VideoModel, options) {
709 if (instance.isOwned()) {
710 if (!instance.VideoChannel) {
711 instance.VideoChannel = await instance.$get('VideoChannel', {
712 include: [
713 {
714 model: AccountModel,
715 include: [ ActorModel ]
716 }
717 ],
718 transaction: options.transaction
719 }) as VideoChannelModel
720 }
721
f05a1c30
C
722 return sendDeleteVideo(instance, options.transaction)
723 }
724
725 return undefined
726 }
727
6b738c7a 728 @BeforeDestroy
40e87e9e 729 static async removeFiles (instance: VideoModel) {
f05a1c30 730 const tasks: Promise<any>[] = []
f285faa0 731
8e0fd45e 732 logger.info('Removing files of video %s.', instance.url)
6b738c7a 733
f05a1c30 734 tasks.push(instance.removeThumbnail())
93e1258c 735
3fd3ab2d 736 if (instance.isOwned()) {
f05a1c30
C
737 if (!Array.isArray(instance.VideoFiles)) {
738 instance.VideoFiles = await instance.$get('VideoFiles') as VideoFileModel[]
739 }
740
741 tasks.push(instance.removePreview())
40298b02 742
3fd3ab2d
C
743 // Remove physical files and torrents
744 instance.VideoFiles.forEach(file => {
745 tasks.push(instance.removeFile(file))
746 tasks.push(instance.removeTorrent(file))
747 })
748 }
40298b02 749
6b738c7a
C
750 // Do not wait video deletion because we could be in a transaction
751 Promise.all(tasks)
8ea6f49a
C
752 .catch(err => {
753 logger.error('Some errors when removing files of video %s in before destroy hook.', instance.uuid, { err })
754 })
6b738c7a
C
755
756 return undefined
3fd3ab2d 757 }
f285faa0 758
3fd3ab2d 759 static list () {
d48ff09d 760 return VideoModel.scope(ScopeNames.WITH_FILES).findAll()
3fd3ab2d 761 }
f285faa0 762
50d6de9c 763 static listAllAndSharedByActorForOutbox (actorId: number, start: number, count: number) {
3fd3ab2d
C
764 function getRawQuery (select: string) {
765 const queryVideo = 'SELECT ' + select + ' FROM "video" AS "Video" ' +
766 'INNER JOIN "videoChannel" AS "VideoChannel" ON "VideoChannel"."id" = "Video"."channelId" ' +
50d6de9c
C
767 'INNER JOIN "account" AS "Account" ON "Account"."id" = "VideoChannel"."accountId" ' +
768 'WHERE "Account"."actorId" = ' + actorId
3fd3ab2d
C
769 const queryVideoShare = 'SELECT ' + select + ' FROM "videoShare" AS "VideoShare" ' +
770 'INNER JOIN "video" AS "Video" ON "Video"."id" = "VideoShare"."videoId" ' +
50d6de9c 771 'WHERE "VideoShare"."actorId" = ' + actorId
558d7c23 772
3fd3ab2d
C
773 return `(${queryVideo}) UNION (${queryVideoShare})`
774 }
aaf61f38 775
3fd3ab2d
C
776 const rawQuery = getRawQuery('"Video"."id"')
777 const rawCountQuery = getRawQuery('COUNT("Video"."id") as "total"')
778
779 const query = {
780 distinct: true,
781 offset: start,
782 limit: count,
9a629c6e 783 order: getVideoSort('createdAt', [ 'Tags', 'name', 'ASC' ]),
3fd3ab2d
C
784 where: {
785 id: {
8ea6f49a 786 [ Sequelize.Op.in ]: Sequelize.literal('(' + rawQuery + ')')
3c75ce12 787 },
8ea6f49a 788 [ Sequelize.Op.or ]: [
3c75ce12
C
789 { privacy: VideoPrivacy.PUBLIC },
790 { privacy: VideoPrivacy.UNLISTED }
791 ]
3fd3ab2d
C
792 },
793 include: [
40e87e9e
C
794 {
795 attributes: [ 'language' ],
796 model: VideoCaptionModel.unscoped(),
797 required: false
798 },
3fd3ab2d 799 {
1d230c44 800 attributes: [ 'id', 'url' ],
2c897999 801 model: VideoShareModel.unscoped(),
3fd3ab2d 802 required: false,
e3d5ea4f
C
803 // We only want videos shared by this actor
804 where: {
8ea6f49a 805 [ Sequelize.Op.and ]: [
e3d5ea4f
C
806 {
807 id: {
8ea6f49a 808 [ Sequelize.Op.not ]: null
e3d5ea4f
C
809 }
810 },
811 {
812 actorId
813 }
814 ]
815 },
50d6de9c
C
816 include: [
817 {
2c897999
C
818 attributes: [ 'id', 'url' ],
819 model: ActorModel.unscoped()
50d6de9c
C
820 }
821 ]
3fd3ab2d
C
822 },
823 {
2c897999 824 model: VideoChannelModel.unscoped(),
3fd3ab2d
C
825 required: true,
826 include: [
827 {
2c897999
C
828 attributes: [ 'name' ],
829 model: AccountModel.unscoped(),
830 required: true,
831 include: [
832 {
e3d5ea4f 833 attributes: [ 'id', 'url', 'followersUrl' ],
2c897999
C
834 model: ActorModel.unscoped(),
835 required: true
836 }
837 ]
838 },
839 {
e3d5ea4f 840 attributes: [ 'id', 'url', 'followersUrl' ],
2c897999 841 model: ActorModel.unscoped(),
3fd3ab2d
C
842 required: true
843 }
844 ]
845 },
3fd3ab2d 846 VideoFileModel,
2c897999 847 TagModel
3fd3ab2d
C
848 ]
849 }
164174a6 850
3fd3ab2d
C
851 return Bluebird.all([
852 // FIXME: typing issue
853 VideoModel.findAll(query as any),
854 VideoModel.sequelize.query(rawCountQuery, { type: Sequelize.QueryTypes.SELECT })
855 ]).then(([ rows, totals ]) => {
856 // totals: totalVideos + totalVideoShares
857 let totalVideos = 0
858 let totalVideoShares = 0
8ea6f49a
C
859 if (totals[ 0 ]) totalVideos = parseInt(totals[ 0 ].total, 10)
860 if (totals[ 1 ]) totalVideoShares = parseInt(totals[ 1 ].total, 10)
3fd3ab2d
C
861
862 const total = totalVideos + totalVideoShares
863 return {
864 data: rows,
865 total: total
866 }
867 })
868 }
93e1258c 869
26b7305a 870 static listUserVideosForApi (accountId: number, start: number, count: number, sort: string, withFiles = false) {
244e76a5 871 const query: IFindOptions<VideoModel> = {
3fd3ab2d
C
872 offset: start,
873 limit: count,
9a629c6e 874 order: getVideoSort(sort),
3fd3ab2d
C
875 include: [
876 {
877 model: VideoChannelModel,
878 required: true,
879 include: [
880 {
881 model: AccountModel,
882 where: {
7b87d2d5 883 id: accountId
3fd3ab2d
C
884 },
885 required: true
886 }
887 ]
2baea0c7
C
888 },
889 {
890 model: ScheduleVideoUpdateModel,
891 required: false
26b7305a
C
892 },
893 {
894 model: VideoBlacklistModel,
895 required: false
d48ff09d 896 }
3fd3ab2d
C
897 ]
898 }
d8755eed 899
244e76a5
RK
900 if (withFiles === true) {
901 query.include.push({
902 model: VideoFileModel.unscoped(),
903 required: true
904 })
905 }
906
3fd3ab2d
C
907 return VideoModel.findAndCountAll(query).then(({ rows, count }) => {
908 return {
909 data: rows,
910 total: count
911 }
912 })
913 }
93e1258c 914
48dce1c9 915 static async listForApi (options: {
0626e7af
C
916 start: number,
917 count: number,
918 sort: string,
d525fc39 919 nsfw: boolean,
06a05d5f 920 includeLocalVideos: boolean,
48dce1c9 921 withFiles: boolean,
d525fc39
C
922 categoryOneOf?: number[],
923 licenceOneOf?: number[],
924 languageOneOf?: string[],
925 tagsOneOf?: string[],
926 tagsAllOf?: string[],
0626e7af 927 filter?: VideoFilter,
48dce1c9 928 accountId?: number,
06a05d5f
C
929 videoChannelId?: number,
930 actorId?: number
9a629c6e 931 trendingDays?: number
7348b1fd 932 }, countVideos = true) {
9a629c6e 933 const query: IFindOptions<VideoModel> = {
48dce1c9
C
934 offset: options.start,
935 limit: options.count,
9a629c6e
C
936 order: getVideoSort(options.sort)
937 }
938
939 let trendingDays: number
940 if (options.sort.endsWith('trending')) {
941 trendingDays = CONFIG.TRENDING.VIDEOS.INTERVAL_DAYS
942
943 query.group = 'VideoModel.id'
3fd3ab2d 944 }
93e1258c 945
687d638c
C
946 // actorId === null has a meaning, so just check undefined
947 const actorId = options.actorId !== undefined ? options.actorId : (await getServerActor()).id
06a05d5f 948
afd2cba5
C
949 const queryOptions = {
950 actorId,
951 nsfw: options.nsfw,
952 categoryOneOf: options.categoryOneOf,
953 licenceOneOf: options.licenceOneOf,
954 languageOneOf: options.languageOneOf,
955 tagsOneOf: options.tagsOneOf,
956 tagsAllOf: options.tagsAllOf,
957 filter: options.filter,
958 withFiles: options.withFiles,
959 accountId: options.accountId,
960 videoChannelId: options.videoChannelId,
9a629c6e
C
961 includeLocalVideos: options.includeLocalVideos,
962 trendingDays
48dce1c9
C
963 }
964
7348b1fd 965 return VideoModel.getAvailableForApi(query, queryOptions, countVideos)
93e1258c
C
966 }
967
0b18f4aa 968 static async searchAndPopulateAccountAndServer (options: {
06a05d5f 969 includeLocalVideos: boolean
d4112450 970 search?: string
0b18f4aa
C
971 start?: number
972 count?: number
973 sort?: string
974 startDate?: string // ISO 8601
975 endDate?: string // ISO 8601
976 nsfw?: boolean
977 categoryOneOf?: number[]
978 licenceOneOf?: number[]
979 languageOneOf?: string[]
980 tagsOneOf?: string[]
981 tagsAllOf?: string[]
982 durationMin?: number // seconds
983 durationMax?: number // seconds
984 }) {
8ea6f49a 985 const whereAnd = []
d525fc39
C
986
987 if (options.startDate || options.endDate) {
8ea6f49a 988 const publishedAtRange = {}
d525fc39 989
8ea6f49a
C
990 if (options.startDate) publishedAtRange[ Sequelize.Op.gte ] = options.startDate
991 if (options.endDate) publishedAtRange[ Sequelize.Op.lte ] = options.endDate
d525fc39
C
992
993 whereAnd.push({ publishedAt: publishedAtRange })
994 }
995
996 if (options.durationMin || options.durationMax) {
8ea6f49a 997 const durationRange = {}
d525fc39 998
8ea6f49a
C
999 if (options.durationMin) durationRange[ Sequelize.Op.gte ] = options.durationMin
1000 if (options.durationMax) durationRange[ Sequelize.Op.lte ] = options.durationMax
d525fc39
C
1001
1002 whereAnd.push({ duration: durationRange })
1003 }
1004
d4112450 1005 const attributesInclude = []
dbfd3e9b
C
1006 const escapedSearch = VideoModel.sequelize.escape(options.search)
1007 const escapedLikeSearch = VideoModel.sequelize.escape('%' + options.search + '%')
d4112450
C
1008 if (options.search) {
1009 whereAnd.push(
1010 {
dbfd3e9b
C
1011 id: {
1012 [ Sequelize.Op.in ]: Sequelize.literal(
1013 '(' +
8ea6f49a
C
1014 'SELECT "video"."id" FROM "video" ' +
1015 'WHERE ' +
1016 'lower(immutable_unaccent("video"."name")) % lower(immutable_unaccent(' + escapedSearch + ')) OR ' +
1017 'lower(immutable_unaccent("video"."name")) LIKE lower(immutable_unaccent(' + escapedLikeSearch + '))' +
1018 'UNION ALL ' +
1019 'SELECT "video"."id" FROM "video" LEFT JOIN "videoTag" ON "videoTag"."videoId" = "video"."id" ' +
1020 'INNER JOIN "tag" ON "tag"."id" = "videoTag"."tagId" ' +
1021 'WHERE "tag"."name" = ' + escapedSearch +
dbfd3e9b
C
1022 ')'
1023 )
1024 }
d4112450
C
1025 }
1026 )
1027
1028 attributesInclude.push(createSimilarityAttribute('VideoModel.name', options.search))
1029 }
1030
1031 // Cannot search on similarity if we don't have a search
1032 if (!options.search) {
1033 attributesInclude.push(
1034 Sequelize.literal('0 as similarity')
1035 )
1036 }
d525fc39 1037
f05a1c30 1038 const query: IFindOptions<VideoModel> = {
57c36b27 1039 attributes: {
d4112450 1040 include: attributesInclude
57c36b27 1041 },
d525fc39
C
1042 offset: options.start,
1043 limit: options.count,
9a629c6e 1044 order: getVideoSort(options.sort),
d525fc39
C
1045 where: {
1046 [ Sequelize.Op.and ]: whereAnd
1047 }
f05a1c30
C
1048 }
1049
1050 const serverActor = await getServerActor()
afd2cba5
C
1051 const queryOptions = {
1052 actorId: serverActor.id,
1053 includeLocalVideos: options.includeLocalVideos,
1054 nsfw: options.nsfw,
1055 categoryOneOf: options.categoryOneOf,
1056 licenceOneOf: options.licenceOneOf,
1057 languageOneOf: options.languageOneOf,
1058 tagsOneOf: options.tagsOneOf,
1059 tagsAllOf: options.tagsAllOf
48dce1c9 1060 }
f05a1c30 1061
afd2cba5 1062 return VideoModel.getAvailableForApi(query, queryOptions)
f05a1c30
C
1063 }
1064
516df59b 1065 static load (id: number, t?: Sequelize.Transaction) {
b36f41ca
C
1066 return VideoModel.findById(id, { transaction: t })
1067 }
516df59b 1068
b36f41ca
C
1069 static loadWithFile (id: number, t?: Sequelize.Transaction, logging?: boolean) {
1070 return VideoModel.scope(ScopeNames.WITH_FILES)
1071 .findById(id, { transaction: t, logging })
3fd3ab2d 1072 }
fdbda9e3 1073
3fd3ab2d
C
1074 static loadByUrlAndPopulateAccount (url: string, t?: Sequelize.Transaction) {
1075 const query: IFindOptions<VideoModel> = {
1076 where: {
1077 url
d48ff09d 1078 }
3fd3ab2d 1079 }
d8755eed 1080
3fd3ab2d 1081 if (t !== undefined) query.transaction = t
d8755eed 1082
4cb6d457 1083 return VideoModel.scope([ ScopeNames.WITH_ACCOUNT_DETAILS, ScopeNames.WITH_FILES ]).findOne(query)
3fd3ab2d 1084 }
d8755eed 1085
3fd3ab2d
C
1086 static loadAndPopulateAccountAndServerAndTags (id: number) {
1087 const options = {
d48ff09d 1088 order: [ [ 'Tags', 'name', 'ASC' ] ]
3fd3ab2d 1089 }
72c7248b 1090
d48ff09d 1091 return VideoModel
191764f3
C
1092 .scope([
1093 ScopeNames.WITH_TAGS,
1094 ScopeNames.WITH_BLACKLISTED,
1095 ScopeNames.WITH_FILES,
1096 ScopeNames.WITH_ACCOUNT_DETAILS,
1097 ScopeNames.WITH_SCHEDULED_UPDATE
1098 ])
d48ff09d 1099 .findById(id, options)
3fd3ab2d 1100 }
72c7248b 1101
8fa5653a
C
1102 static loadByUUID (uuid: string) {
1103 const options = {
1104 where: {
1105 uuid
1106 }
1107 }
1108
1109 return VideoModel
1110 .scope([ ScopeNames.WITH_FILES ])
1111 .findOne(options)
1112 }
1113
2186386c 1114 static loadByUUIDAndPopulateAccountAndServerAndTags (uuid: string, t?: Sequelize.Transaction) {
3fd3ab2d
C
1115 const options = {
1116 order: [ [ 'Tags', 'name', 'ASC' ] ],
1117 where: {
1118 uuid
2186386c
C
1119 },
1120 transaction: t
3fd3ab2d 1121 }
fd45e8f4 1122
d48ff09d 1123 return VideoModel
191764f3
C
1124 .scope([
1125 ScopeNames.WITH_TAGS,
1126 ScopeNames.WITH_BLACKLISTED,
1127 ScopeNames.WITH_FILES,
1128 ScopeNames.WITH_ACCOUNT_DETAILS,
1129 ScopeNames.WITH_SCHEDULED_UPDATE
1130 ])
da854ddd
C
1131 .findOne(options)
1132 }
1133
09cababd
C
1134 static async getStats () {
1135 const totalLocalVideos = await VideoModel.count({
1136 where: {
1137 remote: false
1138 }
1139 })
1140 const totalVideos = await VideoModel.count()
1141
1142 let totalLocalVideoViews = await VideoModel.sum('views', {
1143 where: {
1144 remote: false
1145 }
1146 })
1147 // Sequelize could return null...
1148 if (!totalLocalVideoViews) totalLocalVideoViews = 0
1149
1150 return {
1151 totalLocalVideos,
1152 totalLocalVideoViews,
1153 totalVideos
1154 }
1155 }
1156
6b616860
C
1157 static incrementViews (id: number, views: number) {
1158 return VideoModel.increment('views', {
1159 by: views,
1160 where: {
1161 id
1162 }
1163 })
1164 }
1165
2d3741d6 1166 // threshold corresponds to how many video the field should have to be returned
7348b1fd
C
1167 static async getRandomFieldSamples (field: 'category' | 'channelId', threshold: number, count: number) {
1168 const actorId = (await getServerActor()).id
1169
1170 const scopeOptions = {
1171 actorId,
1172 includeLocalVideos: true
1173 }
1174
2d3741d6
C
1175 const query: IFindOptions<VideoModel> = {
1176 attributes: [ field ],
1177 limit: count,
1178 group: field,
1179 having: Sequelize.where(Sequelize.fn('COUNT', Sequelize.col(field)), {
8ea6f49a 1180 [ Sequelize.Op.gte ]: threshold
2d3741d6 1181 }) as any, // FIXME: typings
2d3741d6
C
1182 order: [ this.sequelize.random() ]
1183 }
1184
7348b1fd
C
1185 return VideoModel.scope({ method: [ ScopeNames.AVAILABLE_FOR_LIST_IDS, scopeOptions ] })
1186 .findAll(query)
8ea6f49a 1187 .then(rows => rows.map(r => r[ field ]))
2d3741d6
C
1188 }
1189
b36f41ca
C
1190 static buildTrendingQuery (trendingDays: number) {
1191 return {
1192 attributes: [],
1193 subQuery: false,
1194 model: VideoViewModel,
1195 required: false,
1196 where: {
1197 startDate: {
1198 [ Sequelize.Op.gte ]: new Date(new Date().getTime() - (24 * 3600 * 1000) * trendingDays)
1199 }
1200 }
1201 }
1202 }
1203
066e94c5
C
1204 private static buildActorWhereWithFilter (filter?: VideoFilter) {
1205 if (filter && filter === 'local') {
1206 return {
1207 serverId: null
1208 }
1209 }
1210
1211 return {}
1212 }
afd2cba5 1213
7348b1fd 1214 private static async getAvailableForApi (query: IFindOptions<VideoModel>, options: AvailableForListIDsOptions, countVideos = true) {
afd2cba5
C
1215 const idsScope = {
1216 method: [
1217 ScopeNames.AVAILABLE_FOR_LIST_IDS, options
1218 ]
1219 }
1220
8ea6f49a
C
1221 // Remove trending sort on count, because it uses a group by
1222 const countOptions = Object.assign({}, options, { trendingDays: undefined })
1223 const countQuery = Object.assign({}, query, { attributes: undefined, group: undefined })
1224 const countScope = {
1225 method: [
1226 ScopeNames.AVAILABLE_FOR_LIST_IDS, countOptions
1227 ]
1228 }
1229
1230 const [ count, rowsId ] = await Promise.all([
7348b1fd 1231 countVideos ? VideoModel.scope(countScope).count(countQuery) : Promise.resolve(undefined),
8ea6f49a
C
1232 VideoModel.scope(idsScope).findAll(query)
1233 ])
afd2cba5
C
1234 const ids = rowsId.map(r => r.id)
1235
1236 if (ids.length === 0) return { data: [], total: count }
1237
1238 const apiScope = {
1239 method: [ ScopeNames.FOR_API, { ids, withFiles: options.withFiles } as ForAPIOptions ]
1240 }
b6314e3c
C
1241
1242 const secondQuery = {
1243 offset: 0,
1244 limit: query.limit,
9a629c6e
C
1245 attributes: query.attributes,
1246 order: [ // Keep original order
1247 Sequelize.literal(
1248 ids.map(id => `"VideoModel".id = ${id} DESC`).join(', ')
1249 )
1250 ]
b6314e3c
C
1251 }
1252 const rows = await VideoModel.scope(apiScope).findAll(secondQuery)
afd2cba5
C
1253
1254 return {
1255 data: rows,
1256 total: count
1257 }
1258 }
066e94c5 1259
098eb377 1260 static getCategoryLabel (id: number) {
8ea6f49a 1261 return VIDEO_CATEGORIES[ id ] || 'Misc'
ae5a3dd6
C
1262 }
1263
098eb377 1264 static getLicenceLabel (id: number) {
8ea6f49a 1265 return VIDEO_LICENCES[ id ] || 'Unknown'
ae5a3dd6
C
1266 }
1267
098eb377 1268 static getLanguageLabel (id: string) {
8ea6f49a 1269 return VIDEO_LANGUAGES[ id ] || 'Unknown'
ae5a3dd6
C
1270 }
1271
098eb377 1272 static getPrivacyLabel (id: number) {
8ea6f49a 1273 return VIDEO_PRIVACIES[ id ] || 'Unknown'
2186386c 1274 }
2243730c 1275
098eb377 1276 static getStateLabel (id: number) {
8ea6f49a 1277 return VIDEO_STATES[ id ] || 'Unknown'
2243730c
C
1278 }
1279
3fd3ab2d
C
1280 getOriginalFile () {
1281 if (Array.isArray(this.VideoFiles) === false) return undefined
aaf61f38 1282
3fd3ab2d
C
1283 // The original file is the file that have the higher resolution
1284 return maxBy(this.VideoFiles, file => file.resolution)
e4f97bab 1285 }
aaf61f38 1286
3fd3ab2d
C
1287 getVideoFilename (videoFile: VideoFileModel) {
1288 return this.uuid + '-' + videoFile.resolution + videoFile.extname
1289 }
165cdc75 1290
3fd3ab2d
C
1291 getThumbnailName () {
1292 // We always have a copy of the thumbnail
1293 const extension = '.jpg'
1294 return this.uuid + extension
7b1f49de
C
1295 }
1296
3fd3ab2d
C
1297 getPreviewName () {
1298 const extension = '.jpg'
1299 return this.uuid + extension
1300 }
7b1f49de 1301
3fd3ab2d
C
1302 getTorrentFileName (videoFile: VideoFileModel) {
1303 const extension = '.torrent'
1304 return this.uuid + '-' + videoFile.resolution + extension
1305 }
8e7f08b5 1306
3fd3ab2d
C
1307 isOwned () {
1308 return this.remote === false
9567011b
C
1309 }
1310
3fd3ab2d 1311 createPreview (videoFile: VideoFileModel) {
3fd3ab2d
C
1312 return generateImageFromVideoFile(
1313 this.getVideoFilePath(videoFile),
1314 CONFIG.STORAGE.PREVIEWS_DIR,
1315 this.getPreviewName(),
26670720 1316 PREVIEWS_SIZE
3fd3ab2d
C
1317 )
1318 }
9567011b 1319
3fd3ab2d 1320 createThumbnail (videoFile: VideoFileModel) {
3fd3ab2d
C
1321 return generateImageFromVideoFile(
1322 this.getVideoFilePath(videoFile),
1323 CONFIG.STORAGE.THUMBNAILS_DIR,
1324 this.getThumbnailName(),
26670720 1325 THUMBNAILS_SIZE
3fd3ab2d 1326 )
14d3270f
C
1327 }
1328
02756fbd
C
1329 getTorrentFilePath (videoFile: VideoFileModel) {
1330 return join(CONFIG.STORAGE.TORRENTS_DIR, this.getTorrentFileName(videoFile))
1331 }
1332
3fd3ab2d
C
1333 getVideoFilePath (videoFile: VideoFileModel) {
1334 return join(CONFIG.STORAGE.VIDEOS_DIR, this.getVideoFilename(videoFile))
1335 }
14d3270f 1336
81e504b3 1337 async createTorrentAndSetInfoHash (videoFile: VideoFileModel) {
3fd3ab2d 1338 const options = {
6cced8f9
C
1339 // Keep the extname, it's used by the client to stream the file inside a web browser
1340 name: `${this.name} ${videoFile.resolution}p${videoFile.extname}`,
81e504b3 1341 createdBy: 'PeerTube',
3fd3ab2d 1342 announceList: [
0edf0581
C
1343 [ CONFIG.WEBSERVER.WS + '://' + CONFIG.WEBSERVER.HOSTNAME + ':' + CONFIG.WEBSERVER.PORT + '/tracker/socket' ],
1344 [ CONFIG.WEBSERVER.URL + '/tracker/announce' ]
3fd3ab2d 1345 ],
c48e82b5 1346 urlList: [ CONFIG.WEBSERVER.URL + STATIC_PATHS.WEBSEED + this.getVideoFilename(videoFile) ]
3fd3ab2d 1347 }
14d3270f 1348
3fd3ab2d 1349 const torrent = await createTorrentPromise(this.getVideoFilePath(videoFile), options)
e4f97bab 1350
3fd3ab2d
C
1351 const filePath = join(CONFIG.STORAGE.TORRENTS_DIR, this.getTorrentFileName(videoFile))
1352 logger.info('Creating torrent %s.', filePath)
e4f97bab 1353
62689b94 1354 await writeFile(filePath, torrent)
e4f97bab 1355
3fd3ab2d
C
1356 const parsedTorrent = parseTorrent(torrent)
1357 videoFile.infoHash = parsedTorrent.infoHash
1358 }
e4f97bab 1359
40e87e9e 1360 getEmbedStaticPath () {
3fd3ab2d
C
1361 return '/videos/embed/' + this.uuid
1362 }
e4f97bab 1363
40e87e9e 1364 getThumbnailStaticPath () {
3fd3ab2d 1365 return join(STATIC_PATHS.THUMBNAILS, this.getThumbnailName())
e4f97bab 1366 }
227d02fe 1367
40e87e9e 1368 getPreviewStaticPath () {
3fd3ab2d
C
1369 return join(STATIC_PATHS.PREVIEWS, this.getPreviewName())
1370 }
40298b02 1371
098eb377
C
1372 toFormattedJSON (options?: VideoFormattingJSONOptions): Video {
1373 return videoModelToFormattedJSON(this, options)
14d3270f 1374 }
14d3270f 1375
2422c46b 1376 toFormattedDetailsJSON (): VideoDetails {
098eb377 1377 return videoModelToFormattedDetailsJSON(this)
244e76a5
RK
1378 }
1379
1380 getFormattedVideoFilesJSON (): VideoFile[] {
098eb377 1381 return videoFilesModelToFormattedJSON(this, this.VideoFiles)
3fd3ab2d 1382 }
e4f97bab 1383
3fd3ab2d 1384 toActivityPubObject (): VideoTorrentObject {
098eb377 1385 return videoModelToActivityPubObject(this)
3fd3ab2d
C
1386 }
1387
1388 getTruncatedDescription () {
1389 if (!this.description) return null
93e1258c 1390
bffbebbe 1391 const maxLength = CONSTRAINTS_FIELDS.VIDEOS.TRUNCATED_DESCRIPTION.max
c73e83da 1392 return peertubeTruncate(this.description, maxLength)
93e1258c
C
1393 }
1394
056aa7f2 1395 getOriginalFileResolution () {
3fd3ab2d 1396 const originalFilePath = this.getVideoFilePath(this.getOriginalFile())
0d0e8dd0 1397
056aa7f2 1398 return getVideoFileResolution(originalFilePath)
3fd3ab2d 1399 }
0d0e8dd0 1400
3fd3ab2d
C
1401 getDescriptionPath () {
1402 return `/api/${API_VERSION}/videos/${this.uuid}/description`
feb4bdfd
C
1403 }
1404
3fd3ab2d
C
1405 removeThumbnail () {
1406 const thumbnailPath = join(CONFIG.STORAGE.THUMBNAILS_DIR, this.getThumbnailName())
62689b94 1407 return remove(thumbnailPath)
ed31c059 1408 .catch(err => logger.warn('Cannot delete thumbnail %s.', thumbnailPath, { err }))
feb4bdfd
C
1409 }
1410
3fd3ab2d 1411 removePreview () {
ed31c059 1412 const previewPath = join(CONFIG.STORAGE.PREVIEWS_DIR + this.getPreviewName())
62689b94 1413 return remove(previewPath)
ed31c059 1414 .catch(err => logger.warn('Cannot delete preview %s.', previewPath, { err }))
7920c273
C
1415 }
1416
3fd3ab2d
C
1417 removeFile (videoFile: VideoFileModel) {
1418 const filePath = join(CONFIG.STORAGE.VIDEOS_DIR, this.getVideoFilename(videoFile))
62689b94 1419 return remove(filePath)
ed31c059 1420 .catch(err => logger.warn('Cannot delete file %s.', filePath, { err }))
feb4bdfd
C
1421 }
1422
3fd3ab2d
C
1423 removeTorrent (videoFile: VideoFileModel) {
1424 const torrentPath = join(CONFIG.STORAGE.TORRENTS_DIR, this.getTorrentFileName(videoFile))
62689b94 1425 return remove(torrentPath)
ed31c059 1426 .catch(err => logger.warn('Cannot delete torrent %s.', torrentPath, { err }))
aaf61f38
C
1427 }
1428
1297eb5d
C
1429 isOutdated () {
1430 if (this.isOwned()) return false
1431
1432 const now = Date.now()
1433 const createdAtTime = this.createdAt.getTime()
1434 const updatedAtTime = this.updatedAt.getTime()
1435
1436 return (now - createdAtTime) > ACTIVITY_PUB.VIDEO_REFRESH_INTERVAL &&
1437 (now - updatedAtTime) > ACTIVITY_PUB.VIDEO_REFRESH_INTERVAL
1438 }
1439
c48e82b5 1440 getBaseUrls () {
3fd3ab2d
C
1441 let baseUrlHttp
1442 let baseUrlWs
7920c273 1443
3fd3ab2d
C
1444 if (this.isOwned()) {
1445 baseUrlHttp = CONFIG.WEBSERVER.URL
1446 baseUrlWs = CONFIG.WEBSERVER.WS + '://' + CONFIG.WEBSERVER.HOSTNAME + ':' + CONFIG.WEBSERVER.PORT
1447 } else {
50d6de9c
C
1448 baseUrlHttp = REMOTE_SCHEME.HTTP + '://' + this.VideoChannel.Account.Actor.Server.host
1449 baseUrlWs = REMOTE_SCHEME.WS + '://' + this.VideoChannel.Account.Actor.Server.host
6fcd19ba 1450 }
aaf61f38 1451
3fd3ab2d 1452 return { baseUrlHttp, baseUrlWs }
15d4ee04 1453 }
a96aed15 1454
c48e82b5
C
1455 generateMagnetUri (videoFile: VideoFileModel, baseUrlHttp: string, baseUrlWs: string) {
1456 const xs = this.getTorrentUrl(videoFile, baseUrlHttp)
1457 const announce = [ baseUrlWs + '/tracker/socket', baseUrlHttp + '/tracker/announce' ]
1458 let urlList = [ this.getVideoFileUrl(videoFile, baseUrlHttp) ]
1459
1460 const redundancies = videoFile.RedundancyVideos
1461 if (isArray(redundancies)) urlList = urlList.concat(redundancies.map(r => r.fileUrl))
1462
1463 const magnetHash = {
1464 xs,
1465 announce,
1466 urlList,
1467 infoHash: videoFile.infoHash,
1468 name: this.name
1469 }
1470
1471 return magnetUtil.encode(magnetHash)
1472 }
1473
1474 getThumbnailUrl (baseUrlHttp: string) {
3fd3ab2d 1475 return baseUrlHttp + STATIC_PATHS.THUMBNAILS + this.getThumbnailName()
a96aed15
C
1476 }
1477
c48e82b5 1478 getTorrentUrl (videoFile: VideoFileModel, baseUrlHttp: string) {
3fd3ab2d
C
1479 return baseUrlHttp + STATIC_PATHS.TORRENTS + this.getTorrentFileName(videoFile)
1480 }
e4f97bab 1481
c48e82b5 1482 getTorrentDownloadUrl (videoFile: VideoFileModel, baseUrlHttp: string) {
02756fbd
C
1483 return baseUrlHttp + STATIC_DOWNLOAD_PATHS.TORRENTS + this.getTorrentFileName(videoFile)
1484 }
1485
c48e82b5 1486 getVideoFileUrl (videoFile: VideoFileModel, baseUrlHttp: string) {
3fd3ab2d
C
1487 return baseUrlHttp + STATIC_PATHS.WEBSEED + this.getVideoFilename(videoFile)
1488 }
a96aed15 1489
c48e82b5 1490 getVideoFileDownloadUrl (videoFile: VideoFileModel, baseUrlHttp: string) {
02756fbd
C
1491 return baseUrlHttp + STATIC_DOWNLOAD_PATHS.VIDEOS + this.getVideoFilename(videoFile)
1492 }
a96aed15 1493}