]> git.immae.eu Git - github/Chocobozzz/PeerTube.git/blob - server/models/video/video.ts
695990b17ba1d07ebac52425d75ac75c0d8aec3c
[github/Chocobozzz/PeerTube.git] / server / models / video / video.ts
1 import * as Bluebird from 'bluebird'
2 import { map, maxBy } from 'lodash'
3 import * as magnetUtil from 'magnet-uri'
4 import * as parseTorrent from 'parse-torrent'
5 import { extname, join } from 'path'
6 import * as Sequelize from 'sequelize'
7 import {
8 AllowNull,
9 BeforeDestroy,
10 BelongsTo,
11 BelongsToMany,
12 Column,
13 CreatedAt,
14 DataType,
15 Default,
16 ForeignKey,
17 HasMany,
18 HasOne,
19 IFindOptions,
20 Is,
21 IsInt,
22 IsUUID,
23 Min,
24 Model,
25 Scopes,
26 Table,
27 UpdatedAt
28 } from 'sequelize-typescript'
29 import { VideoPrivacy, VideoResolution, VideoState } from '../../../shared'
30 import { VideoTorrentObject } from '../../../shared/models/activitypub/objects'
31 import { Video, VideoDetails, VideoFile } from '../../../shared/models/videos'
32 import { VideoFilter } from '../../../shared/models/videos/video-query.type'
33 import { createTorrentPromise, peertubeTruncate } from '../../helpers/core-utils'
34 import { isActivityPubUrlValid } from '../../helpers/custom-validators/activitypub/misc'
35 import { isBooleanValid } from '../../helpers/custom-validators/misc'
36 import {
37 isVideoCategoryValid,
38 isVideoDescriptionValid,
39 isVideoDurationValid,
40 isVideoLanguageValid,
41 isVideoLicenceValid,
42 isVideoNameValid,
43 isVideoPrivacyValid,
44 isVideoStateValid,
45 isVideoSupportValid
46 } from '../../helpers/custom-validators/videos'
47 import { generateImageFromVideoFile, getVideoFileFPS, getVideoFileResolution, transcode } from '../../helpers/ffmpeg-utils'
48 import { logger } from '../../helpers/logger'
49 import { getServerActor } from '../../helpers/utils'
50 import {
51 ACTIVITY_PUB,
52 API_VERSION,
53 CONFIG,
54 CONSTRAINTS_FIELDS,
55 PREVIEWS_SIZE,
56 REMOTE_SCHEME,
57 STATIC_DOWNLOAD_PATHS,
58 STATIC_PATHS,
59 THUMBNAILS_SIZE,
60 VIDEO_CATEGORIES,
61 VIDEO_EXT_MIMETYPE,
62 VIDEO_LANGUAGES,
63 VIDEO_LICENCES,
64 VIDEO_PRIVACIES,
65 VIDEO_STATES
66 } from '../../initializers'
67 import {
68 getVideoCommentsActivityPubUrl,
69 getVideoDislikesActivityPubUrl,
70 getVideoLikesActivityPubUrl,
71 getVideoSharesActivityPubUrl
72 } from '../../lib/activitypub'
73 import { sendDeleteVideo } from '../../lib/activitypub/send'
74 import { AccountModel } from '../account/account'
75 import { AccountVideoRateModel } from '../account/account-video-rate'
76 import { ActorModel } from '../activitypub/actor'
77 import { AvatarModel } from '../avatar/avatar'
78 import { ServerModel } from '../server/server'
79 import { buildTrigramSearchIndex, createSimilarityAttribute, getSort, throwIfNotValid } from '../utils'
80 import { TagModel } from './tag'
81 import { VideoAbuseModel } from './video-abuse'
82 import { VideoChannelModel } from './video-channel'
83 import { VideoCommentModel } from './video-comment'
84 import { VideoFileModel } from './video-file'
85 import { VideoShareModel } from './video-share'
86 import { VideoTagModel } from './video-tag'
87 import { ScheduleVideoUpdateModel } from './schedule-video-update'
88 import { VideoCaptionModel } from './video-caption'
89 import { VideoBlacklistModel } from './video-blacklist'
90 import { copy, remove, rename, stat, writeFile } from 'fs-extra'
91
92 // FIXME: Define indexes here because there is an issue with TS and Sequelize.literal when called directly in the annotation
93 const indexes: Sequelize.DefineIndexesOptions[] = [
94 buildTrigramSearchIndex('video_name_trigram', 'name'),
95
96 { fields: [ 'createdAt' ] },
97 { fields: [ 'publishedAt' ] },
98 { fields: [ 'duration' ] },
99 { fields: [ 'category' ] },
100 { fields: [ 'licence' ] },
101 { fields: [ 'nsfw' ] },
102 { fields: [ 'language' ] },
103 { fields: [ 'waitTranscoding' ] },
104 { fields: [ 'state' ] },
105 { fields: [ 'remote' ] },
106 { fields: [ 'views' ] },
107 { fields: [ 'likes' ] },
108 { fields: [ 'channelId' ] },
109 {
110 fields: [ 'uuid' ],
111 unique: true
112 },
113 {
114 fields: [ 'url'],
115 unique: true
116 }
117 ]
118
119 export enum ScopeNames {
120 AVAILABLE_FOR_LIST = 'AVAILABLE_FOR_LIST',
121 WITH_ACCOUNT_DETAILS = 'WITH_ACCOUNT_DETAILS',
122 WITH_TAGS = 'WITH_TAGS',
123 WITH_FILES = 'WITH_FILES',
124 WITH_SCHEDULED_UPDATE = 'WITH_SCHEDULED_UPDATE',
125 WITH_BLACKLISTED = 'WITH_BLACKLISTED'
126 }
127
128 type AvailableForListOptions = {
129 actorId: number,
130 includeLocalVideos: boolean,
131 filter?: VideoFilter,
132 categoryOneOf?: number[],
133 nsfw?: boolean,
134 licenceOneOf?: number[],
135 languageOneOf?: string[],
136 tagsOneOf?: string[],
137 tagsAllOf?: string[],
138 withFiles?: boolean,
139 accountId?: number,
140 videoChannelId?: number
141 }
142
143 @Scopes({
144 [ScopeNames.AVAILABLE_FOR_LIST]: (options: AvailableForListOptions) => {
145 const accountInclude = {
146 attributes: [ 'id', 'name' ],
147 model: AccountModel.unscoped(),
148 required: true,
149 where: {},
150 include: [
151 {
152 attributes: [ 'id', 'uuid', 'preferredUsername', 'url', 'serverId', 'avatarId' ],
153 model: ActorModel.unscoped(),
154 required: true,
155 where: VideoModel.buildActorWhereWithFilter(options.filter),
156 include: [
157 {
158 attributes: [ 'host' ],
159 model: ServerModel.unscoped(),
160 required: false
161 },
162 {
163 model: AvatarModel.unscoped(),
164 required: false
165 }
166 ]
167 }
168 ]
169 }
170
171 const videoChannelInclude = {
172 attributes: [ 'name', 'description', 'id' ],
173 model: VideoChannelModel.unscoped(),
174 required: true,
175 where: {},
176 include: [
177 {
178 attributes: [ 'uuid', 'preferredUsername', 'url', 'serverId', 'avatarId' ],
179 model: ActorModel.unscoped(),
180 required: true,
181 include: [
182 {
183 attributes: [ 'host' ],
184 model: ServerModel.unscoped(),
185 required: false
186 },
187 {
188 model: AvatarModel.unscoped(),
189 required: false
190 }
191 ]
192 },
193 accountInclude
194 ]
195 }
196
197 // FIXME: It would be more efficient to use a CTE so we join AFTER the filters, but sequelize does not support it...
198 const query: IFindOptions<VideoModel> = {
199 where: {
200 id: {
201 [Sequelize.Op.notIn]: Sequelize.literal(
202 '(SELECT "videoBlacklist"."videoId" FROM "videoBlacklist")'
203 )
204 },
205 // Always list public videos
206 privacy: VideoPrivacy.PUBLIC,
207 // Always list published videos, or videos that are being transcoded but on which we don't want to wait for transcoding
208 [ Sequelize.Op.or ]: [
209 {
210 state: VideoState.PUBLISHED
211 },
212 {
213 [ Sequelize.Op.and ]: {
214 state: VideoState.TO_TRANSCODE,
215 waitTranscoding: false
216 }
217 }
218 ]
219 },
220 include: [ videoChannelInclude ]
221 }
222
223 if (options.actorId) {
224 let localVideosReq = ''
225 if (options.includeLocalVideos === true) {
226 localVideosReq = ' UNION ALL ' +
227 'SELECT "video"."id" AS "id" FROM "video" ' +
228 'INNER JOIN "videoChannel" ON "videoChannel"."id" = "video"."channelId" ' +
229 'INNER JOIN "account" ON "account"."id" = "videoChannel"."accountId" ' +
230 'INNER JOIN "actor" ON "account"."actorId" = "actor"."id" ' +
231 'WHERE "actor"."serverId" IS NULL'
232 }
233
234 // Force actorId to be a number to avoid SQL injections
235 const actorIdNumber = parseInt(options.actorId.toString(), 10)
236 query.where['id'][ Sequelize.Op.in ] = Sequelize.literal(
237 '(' +
238 'SELECT "videoShare"."videoId" AS "id" FROM "videoShare" ' +
239 'INNER JOIN "actorFollow" ON "actorFollow"."targetActorId" = "videoShare"."actorId" ' +
240 'WHERE "actorFollow"."actorId" = ' + actorIdNumber +
241 ' UNION ALL ' +
242 'SELECT "video"."id" AS "id" FROM "video" ' +
243 'INNER JOIN "videoChannel" ON "videoChannel"."id" = "video"."channelId" ' +
244 'INNER JOIN "account" ON "account"."id" = "videoChannel"."accountId" ' +
245 'INNER JOIN "actor" ON "account"."actorId" = "actor"."id" ' +
246 'INNER JOIN "actorFollow" ON "actorFollow"."targetActorId" = "actor"."id" ' +
247 'WHERE "actorFollow"."actorId" = ' + actorIdNumber +
248 localVideosReq +
249 ')'
250 )
251 }
252
253 if (options.withFiles === true) {
254 query.include.push({
255 model: VideoFileModel.unscoped(),
256 required: true
257 })
258 }
259
260 // FIXME: issues with sequelize count when making a join on n:m relation, so we just make a IN()
261 if (options.tagsAllOf || options.tagsOneOf) {
262 const createTagsIn = (tags: string[]) => {
263 return tags.map(t => VideoModel.sequelize.escape(t))
264 .join(', ')
265 }
266
267 if (options.tagsOneOf) {
268 query.where['id'][Sequelize.Op.in] = Sequelize.literal(
269 '(' +
270 'SELECT "videoId" FROM "videoTag" ' +
271 'INNER JOIN "tag" ON "tag"."id" = "videoTag"."tagId" ' +
272 'WHERE "tag"."name" IN (' + createTagsIn(options.tagsOneOf) + ')' +
273 ')'
274 )
275 }
276
277 if (options.tagsAllOf) {
278 query.where['id'][Sequelize.Op.in] = Sequelize.literal(
279 '(' +
280 'SELECT "videoId" FROM "videoTag" ' +
281 'INNER JOIN "tag" ON "tag"."id" = "videoTag"."tagId" ' +
282 'WHERE "tag"."name" IN (' + createTagsIn(options.tagsAllOf) + ')' +
283 'GROUP BY "videoTag"."videoId" HAVING COUNT(*) = ' + options.tagsAllOf.length +
284 ')'
285 )
286 }
287 }
288
289 if (options.nsfw === true || options.nsfw === false) {
290 query.where['nsfw'] = options.nsfw
291 }
292
293 if (options.categoryOneOf) {
294 query.where['category'] = {
295 [Sequelize.Op.or]: options.categoryOneOf
296 }
297 }
298
299 if (options.licenceOneOf) {
300 query.where['licence'] = {
301 [Sequelize.Op.or]: options.licenceOneOf
302 }
303 }
304
305 if (options.languageOneOf) {
306 query.where['language'] = {
307 [Sequelize.Op.or]: options.languageOneOf
308 }
309 }
310
311 if (options.accountId) {
312 accountInclude.where = {
313 id: options.accountId
314 }
315 }
316
317 if (options.videoChannelId) {
318 videoChannelInclude.where = {
319 id: options.videoChannelId
320 }
321 }
322
323 return query
324 },
325 [ScopeNames.WITH_ACCOUNT_DETAILS]: {
326 include: [
327 {
328 model: () => VideoChannelModel.unscoped(),
329 required: true,
330 include: [
331 {
332 attributes: {
333 exclude: [ 'privateKey', 'publicKey' ]
334 },
335 model: () => ActorModel.unscoped(),
336 required: true,
337 include: [
338 {
339 attributes: [ 'host' ],
340 model: () => ServerModel.unscoped(),
341 required: false
342 },
343 {
344 model: () => AvatarModel.unscoped(),
345 required: false
346 }
347 ]
348 },
349 {
350 model: () => AccountModel.unscoped(),
351 required: true,
352 include: [
353 {
354 model: () => ActorModel.unscoped(),
355 attributes: {
356 exclude: [ 'privateKey', 'publicKey' ]
357 },
358 required: true,
359 include: [
360 {
361 attributes: [ 'host' ],
362 model: () => ServerModel.unscoped(),
363 required: false
364 },
365 {
366 model: () => AvatarModel.unscoped(),
367 required: false
368 }
369 ]
370 }
371 ]
372 }
373 ]
374 }
375 ]
376 },
377 [ScopeNames.WITH_TAGS]: {
378 include: [ () => TagModel ]
379 },
380 [ScopeNames.WITH_BLACKLISTED]: {
381 include: [
382 {
383 attributes: [ 'id', 'reason' ],
384 model: () => VideoBlacklistModel,
385 required: false
386 }
387 ]
388 },
389 [ScopeNames.WITH_FILES]: {
390 include: [
391 {
392 model: () => VideoFileModel.unscoped(),
393 required: false
394 }
395 ]
396 },
397 [ScopeNames.WITH_SCHEDULED_UPDATE]: {
398 include: [
399 {
400 model: () => ScheduleVideoUpdateModel.unscoped(),
401 required: false
402 }
403 ]
404 }
405 })
406 @Table({
407 tableName: 'video',
408 indexes
409 })
410 export class VideoModel extends Model<VideoModel> {
411
412 @AllowNull(false)
413 @Default(DataType.UUIDV4)
414 @IsUUID(4)
415 @Column(DataType.UUID)
416 uuid: string
417
418 @AllowNull(false)
419 @Is('VideoName', value => throwIfNotValid(value, isVideoNameValid, 'name'))
420 @Column
421 name: string
422
423 @AllowNull(true)
424 @Default(null)
425 @Is('VideoCategory', value => throwIfNotValid(value, isVideoCategoryValid, 'category'))
426 @Column
427 category: number
428
429 @AllowNull(true)
430 @Default(null)
431 @Is('VideoLicence', value => throwIfNotValid(value, isVideoLicenceValid, 'licence'))
432 @Column
433 licence: number
434
435 @AllowNull(true)
436 @Default(null)
437 @Is('VideoLanguage', value => throwIfNotValid(value, isVideoLanguageValid, 'language'))
438 @Column(DataType.STRING(CONSTRAINTS_FIELDS.VIDEOS.LANGUAGE.max))
439 language: string
440
441 @AllowNull(false)
442 @Is('VideoPrivacy', value => throwIfNotValid(value, isVideoPrivacyValid, 'privacy'))
443 @Column
444 privacy: number
445
446 @AllowNull(false)
447 @Is('VideoNSFW', value => throwIfNotValid(value, isBooleanValid, 'NSFW boolean'))
448 @Column
449 nsfw: boolean
450
451 @AllowNull(true)
452 @Default(null)
453 @Is('VideoDescription', value => throwIfNotValid(value, isVideoDescriptionValid, 'description'))
454 @Column(DataType.STRING(CONSTRAINTS_FIELDS.VIDEOS.DESCRIPTION.max))
455 description: string
456
457 @AllowNull(true)
458 @Default(null)
459 @Is('VideoSupport', value => throwIfNotValid(value, isVideoSupportValid, 'support'))
460 @Column(DataType.STRING(CONSTRAINTS_FIELDS.VIDEOS.SUPPORT.max))
461 support: string
462
463 @AllowNull(false)
464 @Is('VideoDuration', value => throwIfNotValid(value, isVideoDurationValid, 'duration'))
465 @Column
466 duration: number
467
468 @AllowNull(false)
469 @Default(0)
470 @IsInt
471 @Min(0)
472 @Column
473 views: number
474
475 @AllowNull(false)
476 @Default(0)
477 @IsInt
478 @Min(0)
479 @Column
480 likes: number
481
482 @AllowNull(false)
483 @Default(0)
484 @IsInt
485 @Min(0)
486 @Column
487 dislikes: number
488
489 @AllowNull(false)
490 @Column
491 remote: boolean
492
493 @AllowNull(false)
494 @Is('VideoUrl', value => throwIfNotValid(value, isActivityPubUrlValid, 'url'))
495 @Column(DataType.STRING(CONSTRAINTS_FIELDS.VIDEOS.URL.max))
496 url: string
497
498 @AllowNull(false)
499 @Column
500 commentsEnabled: boolean
501
502 @AllowNull(false)
503 @Column
504 waitTranscoding: boolean
505
506 @AllowNull(false)
507 @Default(null)
508 @Is('VideoState', value => throwIfNotValid(value, isVideoStateValid, 'state'))
509 @Column
510 state: VideoState
511
512 @CreatedAt
513 createdAt: Date
514
515 @UpdatedAt
516 updatedAt: Date
517
518 @AllowNull(false)
519 @Default(Sequelize.NOW)
520 @Column
521 publishedAt: Date
522
523 @ForeignKey(() => VideoChannelModel)
524 @Column
525 channelId: number
526
527 @BelongsTo(() => VideoChannelModel, {
528 foreignKey: {
529 allowNull: true
530 },
531 hooks: true
532 })
533 VideoChannel: VideoChannelModel
534
535 @BelongsToMany(() => TagModel, {
536 foreignKey: 'videoId',
537 through: () => VideoTagModel,
538 onDelete: 'CASCADE'
539 })
540 Tags: TagModel[]
541
542 @HasMany(() => VideoAbuseModel, {
543 foreignKey: {
544 name: 'videoId',
545 allowNull: false
546 },
547 onDelete: 'cascade'
548 })
549 VideoAbuses: VideoAbuseModel[]
550
551 @HasMany(() => VideoFileModel, {
552 foreignKey: {
553 name: 'videoId',
554 allowNull: false
555 },
556 onDelete: 'cascade'
557 })
558 VideoFiles: VideoFileModel[]
559
560 @HasMany(() => VideoShareModel, {
561 foreignKey: {
562 name: 'videoId',
563 allowNull: false
564 },
565 onDelete: 'cascade'
566 })
567 VideoShares: VideoShareModel[]
568
569 @HasMany(() => AccountVideoRateModel, {
570 foreignKey: {
571 name: 'videoId',
572 allowNull: false
573 },
574 onDelete: 'cascade'
575 })
576 AccountVideoRates: AccountVideoRateModel[]
577
578 @HasMany(() => VideoCommentModel, {
579 foreignKey: {
580 name: 'videoId',
581 allowNull: false
582 },
583 onDelete: 'cascade',
584 hooks: true
585 })
586 VideoComments: VideoCommentModel[]
587
588 @HasOne(() => ScheduleVideoUpdateModel, {
589 foreignKey: {
590 name: 'videoId',
591 allowNull: false
592 },
593 onDelete: 'cascade'
594 })
595 ScheduleVideoUpdate: ScheduleVideoUpdateModel
596
597 @HasOne(() => VideoBlacklistModel, {
598 foreignKey: {
599 name: 'videoId',
600 allowNull: false
601 },
602 onDelete: 'cascade'
603 })
604 VideoBlacklist: VideoBlacklistModel
605
606 @HasMany(() => VideoCaptionModel, {
607 foreignKey: {
608 name: 'videoId',
609 allowNull: false
610 },
611 onDelete: 'cascade',
612 hooks: true,
613 ['separate' as any]: true
614 })
615 VideoCaptions: VideoCaptionModel[]
616
617 @BeforeDestroy
618 static async sendDelete (instance: VideoModel, options) {
619 if (instance.isOwned()) {
620 if (!instance.VideoChannel) {
621 instance.VideoChannel = await instance.$get('VideoChannel', {
622 include: [
623 {
624 model: AccountModel,
625 include: [ ActorModel ]
626 }
627 ],
628 transaction: options.transaction
629 }) as VideoChannelModel
630 }
631
632 return sendDeleteVideo(instance, options.transaction)
633 }
634
635 return undefined
636 }
637
638 @BeforeDestroy
639 static async removeFiles (instance: VideoModel) {
640 const tasks: Promise<any>[] = []
641
642 logger.info('Removing files of video %s.', instance.url)
643
644 tasks.push(instance.removeThumbnail())
645
646 if (instance.isOwned()) {
647 if (!Array.isArray(instance.VideoFiles)) {
648 instance.VideoFiles = await instance.$get('VideoFiles') as VideoFileModel[]
649 }
650
651 tasks.push(instance.removePreview())
652
653 // Remove physical files and torrents
654 instance.VideoFiles.forEach(file => {
655 tasks.push(instance.removeFile(file))
656 tasks.push(instance.removeTorrent(file))
657 })
658 }
659
660 // Do not wait video deletion because we could be in a transaction
661 Promise.all(tasks)
662 .catch(err => {
663 logger.error('Some errors when removing files of video %s in before destroy hook.', instance.uuid, { err })
664 })
665
666 return undefined
667 }
668
669 static list () {
670 return VideoModel.scope(ScopeNames.WITH_FILES).findAll()
671 }
672
673 static listAllAndSharedByActorForOutbox (actorId: number, start: number, count: number) {
674 function getRawQuery (select: string) {
675 const queryVideo = 'SELECT ' + select + ' FROM "video" AS "Video" ' +
676 'INNER JOIN "videoChannel" AS "VideoChannel" ON "VideoChannel"."id" = "Video"."channelId" ' +
677 'INNER JOIN "account" AS "Account" ON "Account"."id" = "VideoChannel"."accountId" ' +
678 'WHERE "Account"."actorId" = ' + actorId
679 const queryVideoShare = 'SELECT ' + select + ' FROM "videoShare" AS "VideoShare" ' +
680 'INNER JOIN "video" AS "Video" ON "Video"."id" = "VideoShare"."videoId" ' +
681 'WHERE "VideoShare"."actorId" = ' + actorId
682
683 return `(${queryVideo}) UNION (${queryVideoShare})`
684 }
685
686 const rawQuery = getRawQuery('"Video"."id"')
687 const rawCountQuery = getRawQuery('COUNT("Video"."id") as "total"')
688
689 const query = {
690 distinct: true,
691 offset: start,
692 limit: count,
693 order: getSort('createdAt', [ 'Tags', 'name', 'ASC' ]),
694 where: {
695 id: {
696 [Sequelize.Op.in]: Sequelize.literal('(' + rawQuery + ')')
697 },
698 [Sequelize.Op.or]: [
699 { privacy: VideoPrivacy.PUBLIC },
700 { privacy: VideoPrivacy.UNLISTED }
701 ]
702 },
703 include: [
704 {
705 attributes: [ 'language' ],
706 model: VideoCaptionModel.unscoped(),
707 required: false
708 },
709 {
710 attributes: [ 'id', 'url' ],
711 model: VideoShareModel.unscoped(),
712 required: false,
713 // We only want videos shared by this actor
714 where: {
715 [Sequelize.Op.and]: [
716 {
717 id: {
718 [Sequelize.Op.not]: null
719 }
720 },
721 {
722 actorId
723 }
724 ]
725 },
726 include: [
727 {
728 attributes: [ 'id', 'url' ],
729 model: ActorModel.unscoped()
730 }
731 ]
732 },
733 {
734 model: VideoChannelModel.unscoped(),
735 required: true,
736 include: [
737 {
738 attributes: [ 'name' ],
739 model: AccountModel.unscoped(),
740 required: true,
741 include: [
742 {
743 attributes: [ 'id', 'url', 'followersUrl' ],
744 model: ActorModel.unscoped(),
745 required: true
746 }
747 ]
748 },
749 {
750 attributes: [ 'id', 'url', 'followersUrl' ],
751 model: ActorModel.unscoped(),
752 required: true
753 }
754 ]
755 },
756 VideoFileModel,
757 TagModel
758 ]
759 }
760
761 return Bluebird.all([
762 // FIXME: typing issue
763 VideoModel.findAll(query as any),
764 VideoModel.sequelize.query(rawCountQuery, { type: Sequelize.QueryTypes.SELECT })
765 ]).then(([ rows, totals ]) => {
766 // totals: totalVideos + totalVideoShares
767 let totalVideos = 0
768 let totalVideoShares = 0
769 if (totals[0]) totalVideos = parseInt(totals[0].total, 10)
770 if (totals[1]) totalVideoShares = parseInt(totals[1].total, 10)
771
772 const total = totalVideos + totalVideoShares
773 return {
774 data: rows,
775 total: total
776 }
777 })
778 }
779
780 static listUserVideosForApi (accountId: number, start: number, count: number, sort: string, withFiles = false) {
781 const query: IFindOptions<VideoModel> = {
782 offset: start,
783 limit: count,
784 order: getSort(sort),
785 include: [
786 {
787 model: VideoChannelModel,
788 required: true,
789 include: [
790 {
791 model: AccountModel,
792 where: {
793 id: accountId
794 },
795 required: true
796 }
797 ]
798 },
799 {
800 model: ScheduleVideoUpdateModel,
801 required: false
802 },
803 {
804 model: VideoBlacklistModel,
805 required: false
806 }
807 ]
808 }
809
810 if (withFiles === true) {
811 query.include.push({
812 model: VideoFileModel.unscoped(),
813 required: true
814 })
815 }
816
817 return VideoModel.findAndCountAll(query).then(({ rows, count }) => {
818 return {
819 data: rows,
820 total: count
821 }
822 })
823 }
824
825 static async listForApi (options: {
826 start: number,
827 count: number,
828 sort: string,
829 nsfw: boolean,
830 includeLocalVideos: boolean,
831 withFiles: boolean,
832 categoryOneOf?: number[],
833 licenceOneOf?: number[],
834 languageOneOf?: string[],
835 tagsOneOf?: string[],
836 tagsAllOf?: string[],
837 filter?: VideoFilter,
838 accountId?: number,
839 videoChannelId?: number,
840 actorId?: number
841 }) {
842 const query = {
843 offset: options.start,
844 limit: options.count,
845 order: getSort(options.sort)
846 }
847
848 // actorId === null has a meaning, so just check undefined
849 const actorId = options.actorId !== undefined ? options.actorId : (await getServerActor()).id
850
851 const scopes = {
852 method: [
853 ScopeNames.AVAILABLE_FOR_LIST, {
854 actorId,
855 nsfw: options.nsfw,
856 categoryOneOf: options.categoryOneOf,
857 licenceOneOf: options.licenceOneOf,
858 languageOneOf: options.languageOneOf,
859 tagsOneOf: options.tagsOneOf,
860 tagsAllOf: options.tagsAllOf,
861 filter: options.filter,
862 withFiles: options.withFiles,
863 accountId: options.accountId,
864 videoChannelId: options.videoChannelId,
865 includeLocalVideos: options.includeLocalVideos
866 } as AvailableForListOptions
867 ]
868 }
869
870 return VideoModel.scope(scopes)
871 .findAndCountAll(query)
872 .then(({ rows, count }) => {
873 return {
874 data: rows,
875 total: count
876 }
877 })
878 }
879
880 static async searchAndPopulateAccountAndServer (options: {
881 includeLocalVideos: boolean
882 search?: string
883 start?: number
884 count?: number
885 sort?: string
886 startDate?: string // ISO 8601
887 endDate?: string // ISO 8601
888 nsfw?: boolean
889 categoryOneOf?: number[]
890 licenceOneOf?: number[]
891 languageOneOf?: string[]
892 tagsOneOf?: string[]
893 tagsAllOf?: string[]
894 durationMin?: number // seconds
895 durationMax?: number // seconds
896 }) {
897 const whereAnd = [ ]
898
899 if (options.startDate || options.endDate) {
900 const publishedAtRange = { }
901
902 if (options.startDate) publishedAtRange[Sequelize.Op.gte] = options.startDate
903 if (options.endDate) publishedAtRange[Sequelize.Op.lte] = options.endDate
904
905 whereAnd.push({ publishedAt: publishedAtRange })
906 }
907
908 if (options.durationMin || options.durationMax) {
909 const durationRange = { }
910
911 if (options.durationMin) durationRange[Sequelize.Op.gte] = options.durationMin
912 if (options.durationMax) durationRange[Sequelize.Op.lte] = options.durationMax
913
914 whereAnd.push({ duration: durationRange })
915 }
916
917 const attributesInclude = []
918 const escapedSearch = VideoModel.sequelize.escape(options.search)
919 const escapedLikeSearch = VideoModel.sequelize.escape('%' + options.search + '%')
920 if (options.search) {
921 whereAnd.push(
922 {
923 id: {
924 [ Sequelize.Op.in ]: Sequelize.literal(
925 '(' +
926 'SELECT "video"."id" FROM "video" ' +
927 'WHERE ' +
928 'lower(immutable_unaccent("video"."name")) % lower(immutable_unaccent(' + escapedSearch + ')) OR ' +
929 'lower(immutable_unaccent("video"."name")) LIKE lower(immutable_unaccent(' + escapedLikeSearch + '))' +
930 'UNION ALL ' +
931 'SELECT "video"."id" FROM "video" LEFT JOIN "videoTag" ON "videoTag"."videoId" = "video"."id" ' +
932 'INNER JOIN "tag" ON "tag"."id" = "videoTag"."tagId" ' +
933 'WHERE "tag"."name" = ' + escapedSearch +
934 ')'
935 )
936 }
937 }
938 )
939
940 attributesInclude.push(createSimilarityAttribute('VideoModel.name', options.search))
941 }
942
943 // Cannot search on similarity if we don't have a search
944 if (!options.search) {
945 attributesInclude.push(
946 Sequelize.literal('0 as similarity')
947 )
948 }
949
950 const query: IFindOptions<VideoModel> = {
951 attributes: {
952 include: attributesInclude
953 },
954 offset: options.start,
955 limit: options.count,
956 order: getSort(options.sort),
957 where: {
958 [ Sequelize.Op.and ]: whereAnd
959 }
960 }
961
962 const serverActor = await getServerActor()
963 const scopes = {
964 method: [
965 ScopeNames.AVAILABLE_FOR_LIST, {
966 actorId: serverActor.id,
967 includeLocalVideos: options.includeLocalVideos,
968 nsfw: options.nsfw,
969 categoryOneOf: options.categoryOneOf,
970 licenceOneOf: options.licenceOneOf,
971 languageOneOf: options.languageOneOf,
972 tagsOneOf: options.tagsOneOf,
973 tagsAllOf: options.tagsAllOf
974 } as AvailableForListOptions
975 ]
976 }
977
978 return VideoModel.scope(scopes)
979 .findAndCountAll(query)
980 .then(({ rows, count }) => {
981 return {
982 data: rows,
983 total: count
984 }
985 })
986 }
987
988 static load (id: number, t?: Sequelize.Transaction) {
989 const options = t ? { transaction: t } : undefined
990
991 return VideoModel.findById(id, options)
992 }
993
994 static loadByUrlAndPopulateAccount (url: string, t?: Sequelize.Transaction) {
995 const query: IFindOptions<VideoModel> = {
996 where: {
997 url
998 }
999 }
1000
1001 if (t !== undefined) query.transaction = t
1002
1003 return VideoModel.scope([ ScopeNames.WITH_ACCOUNT_DETAILS, ScopeNames.WITH_FILES ]).findOne(query)
1004 }
1005
1006 static loadAndPopulateAccountAndServerAndTags (id: number) {
1007 const options = {
1008 order: [ [ 'Tags', 'name', 'ASC' ] ]
1009 }
1010
1011 return VideoModel
1012 .scope([
1013 ScopeNames.WITH_TAGS,
1014 ScopeNames.WITH_BLACKLISTED,
1015 ScopeNames.WITH_FILES,
1016 ScopeNames.WITH_ACCOUNT_DETAILS,
1017 ScopeNames.WITH_SCHEDULED_UPDATE
1018 ])
1019 .findById(id, options)
1020 }
1021
1022 static loadByUUID (uuid: string) {
1023 const options = {
1024 where: {
1025 uuid
1026 }
1027 }
1028
1029 return VideoModel
1030 .scope([ ScopeNames.WITH_FILES ])
1031 .findOne(options)
1032 }
1033
1034 static loadByUUIDAndPopulateAccountAndServerAndTags (uuid: string, t?: Sequelize.Transaction) {
1035 const options = {
1036 order: [ [ 'Tags', 'name', 'ASC' ] ],
1037 where: {
1038 uuid
1039 },
1040 transaction: t
1041 }
1042
1043 return VideoModel
1044 .scope([
1045 ScopeNames.WITH_TAGS,
1046 ScopeNames.WITH_BLACKLISTED,
1047 ScopeNames.WITH_FILES,
1048 ScopeNames.WITH_ACCOUNT_DETAILS,
1049 ScopeNames.WITH_SCHEDULED_UPDATE
1050 ])
1051 .findOne(options)
1052 }
1053
1054 static async getStats () {
1055 const totalLocalVideos = await VideoModel.count({
1056 where: {
1057 remote: false
1058 }
1059 })
1060 const totalVideos = await VideoModel.count()
1061
1062 let totalLocalVideoViews = await VideoModel.sum('views', {
1063 where: {
1064 remote: false
1065 }
1066 })
1067 // Sequelize could return null...
1068 if (!totalLocalVideoViews) totalLocalVideoViews = 0
1069
1070 return {
1071 totalLocalVideos,
1072 totalLocalVideoViews,
1073 totalVideos
1074 }
1075 }
1076
1077 static incrementViews (id: number, views: number) {
1078 return VideoModel.increment('views', {
1079 by: views,
1080 where: {
1081 id
1082 }
1083 })
1084 }
1085
1086 // threshold corresponds to how many video the field should have to be returned
1087 static getRandomFieldSamples (field: 'category' | 'channelId', threshold: number, count: number) {
1088 const query: IFindOptions<VideoModel> = {
1089 attributes: [ field ],
1090 limit: count,
1091 group: field,
1092 having: Sequelize.where(Sequelize.fn('COUNT', Sequelize.col(field)), {
1093 [Sequelize.Op.gte]: threshold
1094 }) as any, // FIXME: typings
1095 where: {
1096 [field]: {
1097 [Sequelize.Op.not]: null,
1098 },
1099 privacy: VideoPrivacy.PUBLIC,
1100 state: VideoState.PUBLISHED
1101 },
1102 order: [ this.sequelize.random() ]
1103 }
1104
1105 return VideoModel.findAll(query)
1106 .then(rows => rows.map(r => r[field]))
1107 }
1108
1109 private static buildActorWhereWithFilter (filter?: VideoFilter) {
1110 if (filter && filter === 'local') {
1111 return {
1112 serverId: null
1113 }
1114 }
1115
1116 return {}
1117 }
1118
1119 private static getCategoryLabel (id: number) {
1120 return VIDEO_CATEGORIES[id] || 'Misc'
1121 }
1122
1123 private static getLicenceLabel (id: number) {
1124 return VIDEO_LICENCES[id] || 'Unknown'
1125 }
1126
1127 private static getLanguageLabel (id: string) {
1128 return VIDEO_LANGUAGES[id] || 'Unknown'
1129 }
1130
1131 private static getPrivacyLabel (id: number) {
1132 return VIDEO_PRIVACIES[id] || 'Unknown'
1133 }
1134
1135 private static getStateLabel (id: number) {
1136 return VIDEO_STATES[id] || 'Unknown'
1137 }
1138
1139 getOriginalFile () {
1140 if (Array.isArray(this.VideoFiles) === false) return undefined
1141
1142 // The original file is the file that have the higher resolution
1143 return maxBy(this.VideoFiles, file => file.resolution)
1144 }
1145
1146 getVideoFilename (videoFile: VideoFileModel) {
1147 return this.uuid + '-' + videoFile.resolution + videoFile.extname
1148 }
1149
1150 getThumbnailName () {
1151 // We always have a copy of the thumbnail
1152 const extension = '.jpg'
1153 return this.uuid + extension
1154 }
1155
1156 getPreviewName () {
1157 const extension = '.jpg'
1158 return this.uuid + extension
1159 }
1160
1161 getTorrentFileName (videoFile: VideoFileModel) {
1162 const extension = '.torrent'
1163 return this.uuid + '-' + videoFile.resolution + extension
1164 }
1165
1166 isOwned () {
1167 return this.remote === false
1168 }
1169
1170 createPreview (videoFile: VideoFileModel) {
1171 return generateImageFromVideoFile(
1172 this.getVideoFilePath(videoFile),
1173 CONFIG.STORAGE.PREVIEWS_DIR,
1174 this.getPreviewName(),
1175 PREVIEWS_SIZE
1176 )
1177 }
1178
1179 createThumbnail (videoFile: VideoFileModel) {
1180 return generateImageFromVideoFile(
1181 this.getVideoFilePath(videoFile),
1182 CONFIG.STORAGE.THUMBNAILS_DIR,
1183 this.getThumbnailName(),
1184 THUMBNAILS_SIZE
1185 )
1186 }
1187
1188 getTorrentFilePath (videoFile: VideoFileModel) {
1189 return join(CONFIG.STORAGE.TORRENTS_DIR, this.getTorrentFileName(videoFile))
1190 }
1191
1192 getVideoFilePath (videoFile: VideoFileModel) {
1193 return join(CONFIG.STORAGE.VIDEOS_DIR, this.getVideoFilename(videoFile))
1194 }
1195
1196 async createTorrentAndSetInfoHash (videoFile: VideoFileModel) {
1197 const options = {
1198 // Keep the extname, it's used by the client to stream the file inside a web browser
1199 name: `${this.name} ${videoFile.resolution}p${videoFile.extname}`,
1200 createdBy: 'PeerTube',
1201 announceList: [
1202 [ CONFIG.WEBSERVER.WS + '://' + CONFIG.WEBSERVER.HOSTNAME + ':' + CONFIG.WEBSERVER.PORT + '/tracker/socket' ],
1203 [ CONFIG.WEBSERVER.URL + '/tracker/announce' ]
1204 ],
1205 urlList: [
1206 CONFIG.WEBSERVER.URL + STATIC_PATHS.WEBSEED + this.getVideoFilename(videoFile)
1207 ]
1208 }
1209
1210 const torrent = await createTorrentPromise(this.getVideoFilePath(videoFile), options)
1211
1212 const filePath = join(CONFIG.STORAGE.TORRENTS_DIR, this.getTorrentFileName(videoFile))
1213 logger.info('Creating torrent %s.', filePath)
1214
1215 await writeFile(filePath, torrent)
1216
1217 const parsedTorrent = parseTorrent(torrent)
1218 videoFile.infoHash = parsedTorrent.infoHash
1219 }
1220
1221 getEmbedStaticPath () {
1222 return '/videos/embed/' + this.uuid
1223 }
1224
1225 getThumbnailStaticPath () {
1226 return join(STATIC_PATHS.THUMBNAILS, this.getThumbnailName())
1227 }
1228
1229 getPreviewStaticPath () {
1230 return join(STATIC_PATHS.PREVIEWS, this.getPreviewName())
1231 }
1232
1233 toFormattedJSON (options?: {
1234 additionalAttributes: {
1235 state?: boolean,
1236 waitTranscoding?: boolean,
1237 scheduledUpdate?: boolean,
1238 blacklistInfo?: boolean
1239 }
1240 }): Video {
1241 const formattedAccount = this.VideoChannel.Account.toFormattedJSON()
1242 const formattedVideoChannel = this.VideoChannel.toFormattedJSON()
1243
1244 const videoObject: Video = {
1245 id: this.id,
1246 uuid: this.uuid,
1247 name: this.name,
1248 category: {
1249 id: this.category,
1250 label: VideoModel.getCategoryLabel(this.category)
1251 },
1252 licence: {
1253 id: this.licence,
1254 label: VideoModel.getLicenceLabel(this.licence)
1255 },
1256 language: {
1257 id: this.language,
1258 label: VideoModel.getLanguageLabel(this.language)
1259 },
1260 privacy: {
1261 id: this.privacy,
1262 label: VideoModel.getPrivacyLabel(this.privacy)
1263 },
1264 nsfw: this.nsfw,
1265 description: this.getTruncatedDescription(),
1266 isLocal: this.isOwned(),
1267 duration: this.duration,
1268 views: this.views,
1269 likes: this.likes,
1270 dislikes: this.dislikes,
1271 thumbnailPath: this.getThumbnailStaticPath(),
1272 previewPath: this.getPreviewStaticPath(),
1273 embedPath: this.getEmbedStaticPath(),
1274 createdAt: this.createdAt,
1275 updatedAt: this.updatedAt,
1276 publishedAt: this.publishedAt,
1277 account: {
1278 id: formattedAccount.id,
1279 uuid: formattedAccount.uuid,
1280 name: formattedAccount.name,
1281 displayName: formattedAccount.displayName,
1282 url: formattedAccount.url,
1283 host: formattedAccount.host,
1284 avatar: formattedAccount.avatar
1285 },
1286 channel: {
1287 id: formattedVideoChannel.id,
1288 uuid: formattedVideoChannel.uuid,
1289 name: formattedVideoChannel.name,
1290 displayName: formattedVideoChannel.displayName,
1291 url: formattedVideoChannel.url,
1292 host: formattedVideoChannel.host,
1293 avatar: formattedVideoChannel.avatar
1294 }
1295 }
1296
1297 if (options) {
1298 if (options.additionalAttributes.state === true) {
1299 videoObject.state = {
1300 id: this.state,
1301 label: VideoModel.getStateLabel(this.state)
1302 }
1303 }
1304
1305 if (options.additionalAttributes.waitTranscoding === true) {
1306 videoObject.waitTranscoding = this.waitTranscoding
1307 }
1308
1309 if (options.additionalAttributes.scheduledUpdate === true && this.ScheduleVideoUpdate) {
1310 videoObject.scheduledUpdate = {
1311 updateAt: this.ScheduleVideoUpdate.updateAt,
1312 privacy: this.ScheduleVideoUpdate.privacy || undefined
1313 }
1314 }
1315
1316 if (options.additionalAttributes.blacklistInfo === true) {
1317 videoObject.blacklisted = !!this.VideoBlacklist
1318 videoObject.blacklistedReason = this.VideoBlacklist ? this.VideoBlacklist.reason : null
1319 }
1320 }
1321
1322 return videoObject
1323 }
1324
1325 toFormattedDetailsJSON (): VideoDetails {
1326 const formattedJson = this.toFormattedJSON({
1327 additionalAttributes: {
1328 scheduledUpdate: true,
1329 blacklistInfo: true
1330 }
1331 })
1332
1333 const detailsJson = {
1334 support: this.support,
1335 descriptionPath: this.getDescriptionPath(),
1336 channel: this.VideoChannel.toFormattedJSON(),
1337 account: this.VideoChannel.Account.toFormattedJSON(),
1338 tags: map(this.Tags, 'name'),
1339 commentsEnabled: this.commentsEnabled,
1340 waitTranscoding: this.waitTranscoding,
1341 state: {
1342 id: this.state,
1343 label: VideoModel.getStateLabel(this.state)
1344 },
1345 files: []
1346 }
1347
1348 // Format and sort video files
1349 detailsJson.files = this.getFormattedVideoFilesJSON()
1350
1351 return Object.assign(formattedJson, detailsJson)
1352 }
1353
1354 getFormattedVideoFilesJSON (): VideoFile[] {
1355 const { baseUrlHttp, baseUrlWs } = this.getBaseUrls()
1356
1357 return this.VideoFiles
1358 .map(videoFile => {
1359 let resolutionLabel = videoFile.resolution + 'p'
1360
1361 return {
1362 resolution: {
1363 id: videoFile.resolution,
1364 label: resolutionLabel
1365 },
1366 magnetUri: this.generateMagnetUri(videoFile, baseUrlHttp, baseUrlWs),
1367 size: videoFile.size,
1368 fps: videoFile.fps,
1369 torrentUrl: this.getTorrentUrl(videoFile, baseUrlHttp),
1370 torrentDownloadUrl: this.getTorrentDownloadUrl(videoFile, baseUrlHttp),
1371 fileUrl: this.getVideoFileUrl(videoFile, baseUrlHttp),
1372 fileDownloadUrl: this.getVideoFileDownloadUrl(videoFile, baseUrlHttp)
1373 } as VideoFile
1374 })
1375 .sort((a, b) => {
1376 if (a.resolution.id < b.resolution.id) return 1
1377 if (a.resolution.id === b.resolution.id) return 0
1378 return -1
1379 })
1380 }
1381
1382 toActivityPubObject (): VideoTorrentObject {
1383 const { baseUrlHttp, baseUrlWs } = this.getBaseUrls()
1384 if (!this.Tags) this.Tags = []
1385
1386 const tag = this.Tags.map(t => ({
1387 type: 'Hashtag' as 'Hashtag',
1388 name: t.name
1389 }))
1390
1391 let language
1392 if (this.language) {
1393 language = {
1394 identifier: this.language,
1395 name: VideoModel.getLanguageLabel(this.language)
1396 }
1397 }
1398
1399 let category
1400 if (this.category) {
1401 category = {
1402 identifier: this.category + '',
1403 name: VideoModel.getCategoryLabel(this.category)
1404 }
1405 }
1406
1407 let licence
1408 if (this.licence) {
1409 licence = {
1410 identifier: this.licence + '',
1411 name: VideoModel.getLicenceLabel(this.licence)
1412 }
1413 }
1414
1415 const url = []
1416 for (const file of this.VideoFiles) {
1417 url.push({
1418 type: 'Link',
1419 mimeType: VIDEO_EXT_MIMETYPE[file.extname],
1420 href: this.getVideoFileUrl(file, baseUrlHttp),
1421 height: file.resolution,
1422 size: file.size,
1423 fps: file.fps
1424 })
1425
1426 url.push({
1427 type: 'Link',
1428 mimeType: 'application/x-bittorrent',
1429 href: this.getTorrentUrl(file, baseUrlHttp),
1430 height: file.resolution
1431 })
1432
1433 url.push({
1434 type: 'Link',
1435 mimeType: 'application/x-bittorrent;x-scheme-handler/magnet',
1436 href: this.generateMagnetUri(file, baseUrlHttp, baseUrlWs),
1437 height: file.resolution
1438 })
1439 }
1440
1441 // Add video url too
1442 url.push({
1443 type: 'Link',
1444 mimeType: 'text/html',
1445 href: CONFIG.WEBSERVER.URL + '/videos/watch/' + this.uuid
1446 })
1447
1448 const subtitleLanguage = []
1449 for (const caption of this.VideoCaptions) {
1450 subtitleLanguage.push({
1451 identifier: caption.language,
1452 name: VideoCaptionModel.getLanguageLabel(caption.language)
1453 })
1454 }
1455
1456 return {
1457 type: 'Video' as 'Video',
1458 id: this.url,
1459 name: this.name,
1460 duration: this.getActivityStreamDuration(),
1461 uuid: this.uuid,
1462 tag,
1463 category,
1464 licence,
1465 language,
1466 views: this.views,
1467 sensitive: this.nsfw,
1468 waitTranscoding: this.waitTranscoding,
1469 state: this.state,
1470 commentsEnabled: this.commentsEnabled,
1471 published: this.publishedAt.toISOString(),
1472 updated: this.updatedAt.toISOString(),
1473 mediaType: 'text/markdown',
1474 content: this.getTruncatedDescription(),
1475 support: this.support,
1476 subtitleLanguage,
1477 icon: {
1478 type: 'Image',
1479 url: this.getThumbnailUrl(baseUrlHttp),
1480 mediaType: 'image/jpeg',
1481 width: THUMBNAILS_SIZE.width,
1482 height: THUMBNAILS_SIZE.height
1483 },
1484 url,
1485 likes: getVideoLikesActivityPubUrl(this),
1486 dislikes: getVideoDislikesActivityPubUrl(this),
1487 shares: getVideoSharesActivityPubUrl(this),
1488 comments: getVideoCommentsActivityPubUrl(this),
1489 attributedTo: [
1490 {
1491 type: 'Person',
1492 id: this.VideoChannel.Account.Actor.url
1493 },
1494 {
1495 type: 'Group',
1496 id: this.VideoChannel.Actor.url
1497 }
1498 ]
1499 }
1500 }
1501
1502 getTruncatedDescription () {
1503 if (!this.description) return null
1504
1505 const maxLength = CONSTRAINTS_FIELDS.VIDEOS.TRUNCATED_DESCRIPTION.max
1506 return peertubeTruncate(this.description, maxLength)
1507 }
1508
1509 async optimizeOriginalVideofile () {
1510 const videosDirectory = CONFIG.STORAGE.VIDEOS_DIR
1511 const newExtname = '.mp4'
1512 const inputVideoFile = this.getOriginalFile()
1513 const videoInputPath = join(videosDirectory, this.getVideoFilename(inputVideoFile))
1514 const videoTranscodedPath = join(videosDirectory, this.id + '-transcoded' + newExtname)
1515
1516 const transcodeOptions = {
1517 inputPath: videoInputPath,
1518 outputPath: videoTranscodedPath
1519 }
1520
1521 // Could be very long!
1522 await transcode(transcodeOptions)
1523
1524 try {
1525 await remove(videoInputPath)
1526
1527 // Important to do this before getVideoFilename() to take in account the new file extension
1528 inputVideoFile.set('extname', newExtname)
1529
1530 const videoOutputPath = this.getVideoFilePath(inputVideoFile)
1531 await rename(videoTranscodedPath, videoOutputPath)
1532 const stats = await stat(videoOutputPath)
1533 const fps = await getVideoFileFPS(videoOutputPath)
1534
1535 inputVideoFile.set('size', stats.size)
1536 inputVideoFile.set('fps', fps)
1537
1538 await this.createTorrentAndSetInfoHash(inputVideoFile)
1539 await inputVideoFile.save()
1540
1541 } catch (err) {
1542 // Auto destruction...
1543 this.destroy().catch(err => logger.error('Cannot destruct video after transcoding failure.', { err }))
1544
1545 throw err
1546 }
1547 }
1548
1549 async transcodeOriginalVideofile (resolution: VideoResolution, isPortraitMode: boolean) {
1550 const videosDirectory = CONFIG.STORAGE.VIDEOS_DIR
1551 const extname = '.mp4'
1552
1553 // We are sure it's x264 in mp4 because optimizeOriginalVideofile was already executed
1554 const videoInputPath = join(videosDirectory, this.getVideoFilename(this.getOriginalFile()))
1555
1556 const newVideoFile = new VideoFileModel({
1557 resolution,
1558 extname,
1559 size: 0,
1560 videoId: this.id
1561 })
1562 const videoOutputPath = join(videosDirectory, this.getVideoFilename(newVideoFile))
1563
1564 const transcodeOptions = {
1565 inputPath: videoInputPath,
1566 outputPath: videoOutputPath,
1567 resolution,
1568 isPortraitMode
1569 }
1570
1571 await transcode(transcodeOptions)
1572
1573 const stats = await stat(videoOutputPath)
1574 const fps = await getVideoFileFPS(videoOutputPath)
1575
1576 newVideoFile.set('size', stats.size)
1577 newVideoFile.set('fps', fps)
1578
1579 await this.createTorrentAndSetInfoHash(newVideoFile)
1580
1581 await newVideoFile.save()
1582
1583 this.VideoFiles.push(newVideoFile)
1584 }
1585
1586 async importVideoFile (inputFilePath: string) {
1587 const { videoFileResolution } = await getVideoFileResolution(inputFilePath)
1588 const { size } = await stat(inputFilePath)
1589 const fps = await getVideoFileFPS(inputFilePath)
1590
1591 let updatedVideoFile = new VideoFileModel({
1592 resolution: videoFileResolution,
1593 extname: extname(inputFilePath),
1594 size,
1595 fps,
1596 videoId: this.id
1597 })
1598
1599 const currentVideoFile = this.VideoFiles.find(videoFile => videoFile.resolution === updatedVideoFile.resolution)
1600
1601 if (currentVideoFile) {
1602 // Remove old file and old torrent
1603 await this.removeFile(currentVideoFile)
1604 await this.removeTorrent(currentVideoFile)
1605 // Remove the old video file from the array
1606 this.VideoFiles = this.VideoFiles.filter(f => f !== currentVideoFile)
1607
1608 // Update the database
1609 currentVideoFile.set('extname', updatedVideoFile.extname)
1610 currentVideoFile.set('size', updatedVideoFile.size)
1611 currentVideoFile.set('fps', updatedVideoFile.fps)
1612
1613 updatedVideoFile = currentVideoFile
1614 }
1615
1616 const outputPath = this.getVideoFilePath(updatedVideoFile)
1617 await copy(inputFilePath, outputPath)
1618
1619 await this.createTorrentAndSetInfoHash(updatedVideoFile)
1620
1621 await updatedVideoFile.save()
1622
1623 this.VideoFiles.push(updatedVideoFile)
1624 }
1625
1626 getOriginalFileResolution () {
1627 const originalFilePath = this.getVideoFilePath(this.getOriginalFile())
1628
1629 return getVideoFileResolution(originalFilePath)
1630 }
1631
1632 getDescriptionPath () {
1633 return `/api/${API_VERSION}/videos/${this.uuid}/description`
1634 }
1635
1636 removeThumbnail () {
1637 const thumbnailPath = join(CONFIG.STORAGE.THUMBNAILS_DIR, this.getThumbnailName())
1638 return remove(thumbnailPath)
1639 .catch(err => logger.warn('Cannot delete thumbnail %s.', thumbnailPath, { err }))
1640 }
1641
1642 removePreview () {
1643 const previewPath = join(CONFIG.STORAGE.PREVIEWS_DIR + this.getPreviewName())
1644 return remove(previewPath)
1645 .catch(err => logger.warn('Cannot delete preview %s.', previewPath, { err }))
1646 }
1647
1648 removeFile (videoFile: VideoFileModel) {
1649 const filePath = join(CONFIG.STORAGE.VIDEOS_DIR, this.getVideoFilename(videoFile))
1650 return remove(filePath)
1651 .catch(err => logger.warn('Cannot delete file %s.', filePath, { err }))
1652 }
1653
1654 removeTorrent (videoFile: VideoFileModel) {
1655 const torrentPath = join(CONFIG.STORAGE.TORRENTS_DIR, this.getTorrentFileName(videoFile))
1656 return remove(torrentPath)
1657 .catch(err => logger.warn('Cannot delete torrent %s.', torrentPath, { err }))
1658 }
1659
1660 getActivityStreamDuration () {
1661 // https://www.w3.org/TR/activitystreams-vocabulary/#dfn-duration
1662 return 'PT' + this.duration + 'S'
1663 }
1664
1665 isOutdated () {
1666 if (this.isOwned()) return false
1667
1668 const now = Date.now()
1669 const createdAtTime = this.createdAt.getTime()
1670 const updatedAtTime = this.updatedAt.getTime()
1671
1672 return (now - createdAtTime) > ACTIVITY_PUB.VIDEO_REFRESH_INTERVAL &&
1673 (now - updatedAtTime) > ACTIVITY_PUB.VIDEO_REFRESH_INTERVAL
1674 }
1675
1676 private getBaseUrls () {
1677 let baseUrlHttp
1678 let baseUrlWs
1679
1680 if (this.isOwned()) {
1681 baseUrlHttp = CONFIG.WEBSERVER.URL
1682 baseUrlWs = CONFIG.WEBSERVER.WS + '://' + CONFIG.WEBSERVER.HOSTNAME + ':' + CONFIG.WEBSERVER.PORT
1683 } else {
1684 baseUrlHttp = REMOTE_SCHEME.HTTP + '://' + this.VideoChannel.Account.Actor.Server.host
1685 baseUrlWs = REMOTE_SCHEME.WS + '://' + this.VideoChannel.Account.Actor.Server.host
1686 }
1687
1688 return { baseUrlHttp, baseUrlWs }
1689 }
1690
1691 private getThumbnailUrl (baseUrlHttp: string) {
1692 return baseUrlHttp + STATIC_PATHS.THUMBNAILS + this.getThumbnailName()
1693 }
1694
1695 private getTorrentUrl (videoFile: VideoFileModel, baseUrlHttp: string) {
1696 return baseUrlHttp + STATIC_PATHS.TORRENTS + this.getTorrentFileName(videoFile)
1697 }
1698
1699 private getTorrentDownloadUrl (videoFile: VideoFileModel, baseUrlHttp: string) {
1700 return baseUrlHttp + STATIC_DOWNLOAD_PATHS.TORRENTS + this.getTorrentFileName(videoFile)
1701 }
1702
1703 private getVideoFileUrl (videoFile: VideoFileModel, baseUrlHttp: string) {
1704 return baseUrlHttp + STATIC_PATHS.WEBSEED + this.getVideoFilename(videoFile)
1705 }
1706
1707 private getVideoFileDownloadUrl (videoFile: VideoFileModel, baseUrlHttp: string) {
1708 return baseUrlHttp + STATIC_DOWNLOAD_PATHS.VIDEOS + this.getVideoFilename(videoFile)
1709 }
1710
1711 private generateMagnetUri (videoFile: VideoFileModel, baseUrlHttp: string, baseUrlWs: string) {
1712 const xs = this.getTorrentUrl(videoFile, baseUrlHttp)
1713 const announce = [ baseUrlWs + '/tracker/socket', baseUrlHttp + '/tracker/announce' ]
1714 const urlList = [ this.getVideoFileUrl(videoFile, baseUrlHttp) ]
1715
1716 const magnetHash = {
1717 xs,
1718 announce,
1719 urlList,
1720 infoHash: videoFile.infoHash,
1721 name: this.name
1722 }
1723
1724 return magnetUtil.encode(magnetHash)
1725 }
1726 }