PeerTube/server/models/video/video.ts

1512 lines
41 KiB
TypeScript
Raw Normal View History

2017-11-23 17:36:15 +01:00
import * as Bluebird from 'bluebird'
import { maxBy } from 'lodash'
2017-11-10 17:27:49 +01:00
import * as magnetUtil from 'magnet-uri'
2017-06-05 21:53:49 +02:00
import * as parseTorrent from 'parse-torrent'
import { join } from 'path'
2017-05-22 20:58:25 +02:00
import * as Sequelize from 'sequelize'
2017-12-12 17:53:50 +01:00
import {
AllowNull,
BeforeDestroy,
BelongsTo,
BelongsToMany,
Column,
CreatedAt,
DataType,
Default,
ForeignKey,
HasMany,
HasOne,
IFindOptions,
2018-08-31 17:18:13 +02:00
IIncludeOptions,
Is,
IsInt,
IsUUID,
Min,
Model,
Scopes,
Table,
2018-08-31 17:18:13 +02:00
UpdatedAt
2017-12-12 17:53:50 +01:00
} from 'sequelize-typescript'
import { VideoPrivacy, VideoState } from '../../../shared'
2017-12-12 17:53:50 +01:00
import { VideoTorrentObject } from '../../../shared/models/activitypub/objects'
import { Video, VideoDetails, VideoFile } from '../../../shared/models/videos'
2018-03-13 10:24:28 +01:00
import { VideoFilter } from '../../../shared/models/videos/video-query.type'
2018-08-27 16:23:34 +02:00
import { createTorrentPromise, peertubeTruncate } from '../../helpers/core-utils'
2017-12-28 11:16:08 +01:00
import { isActivityPubUrlValid } from '../../helpers/custom-validators/activitypub/misc'
2018-09-11 16:27:07 +02:00
import { isArray, isBooleanValid } from '../../helpers/custom-validators/misc'
2017-12-12 17:53:50 +01:00
import {
isVideoCategoryValid,
isVideoDescriptionValid,
isVideoDurationValid,
isVideoLanguageValid,
isVideoLicenceValid,
isVideoNameValid,
isVideoPrivacyValid,
isVideoStateValid,
2018-03-12 11:06:15 +01:00
isVideoSupportValid
2017-12-12 17:53:50 +01:00
} from '../../helpers/custom-validators/videos'
import { generateImageFromVideoFile, getVideoFileResolution } from '../../helpers/ffmpeg-utils'
2017-12-28 11:16:08 +01:00
import { logger } from '../../helpers/logger'
import { getServerActor } from '../../helpers/utils'
2017-05-15 22:22:03 +02:00
import {
2018-08-22 16:15:35 +02:00
ACTIVITY_PUB,
API_VERSION,
CONFIG,
CONSTRAINTS_FIELDS,
PREVIEWS_SIZE,
REMOTE_SCHEME,
2018-05-29 18:30:11 +02:00
STATIC_DOWNLOAD_PATHS,
STATIC_PATHS,
THUMBNAILS_SIZE,
VIDEO_CATEGORIES,
VIDEO_LANGUAGES,
VIDEO_LICENCES,
VIDEO_PRIVACIES,
VIDEO_STATES
2017-12-12 17:53:50 +01:00
} from '../../initializers'
2017-12-14 17:38:41 +01:00
import { sendDeleteVideo } from '../../lib/activitypub/send'
2017-12-12 17:53:50 +01:00
import { AccountModel } from '../account/account'
import { AccountVideoRateModel } from '../account/account-video-rate'
2017-12-14 17:38:41 +01:00
import { ActorModel } from '../activitypub/actor'
2018-02-16 11:19:54 +01:00
import { AvatarModel } from '../avatar/avatar'
2017-12-12 17:53:50 +01:00
import { ServerModel } from '../server/server'
2018-08-31 17:18:13 +02:00
import { buildTrigramSearchIndex, createSimilarityAttribute, getVideoSort, throwIfNotValid } from '../utils'
2017-12-12 17:53:50 +01:00
import { TagModel } from './tag'
import { VideoAbuseModel } from './video-abuse'
import { VideoChannelModel } from './video-channel'
2017-12-28 11:16:08 +01:00
import { VideoCommentModel } from './video-comment'
2017-12-12 17:53:50 +01:00
import { VideoFileModel } from './video-file'
import { VideoShareModel } from './video-share'
import { VideoTagModel } from './video-tag'
import { ScheduleVideoUpdateModel } from './schedule-video-update'
2018-07-12 19:02:00 +02:00
import { VideoCaptionModel } from './video-caption'
2018-08-13 16:57:13 +02:00
import { VideoBlacklistModel } from './video-blacklist'
import { remove, writeFile } from 'fs-extra'
2018-08-31 17:18:13 +02:00
import { VideoViewModel } from './video-views'
2018-09-11 16:27:07 +02:00
import { VideoRedundancyModel } from '../redundancy/video-redundancy'
import {
videoFilesModelToFormattedJSON,
VideoFormattingJSONOptions,
videoModelToActivityPubObject,
videoModelToFormattedDetailsJSON,
videoModelToFormattedJSON
} from './video-format-utils'
import * as validator from 'validator'
2017-12-12 17:53:50 +01:00
2018-07-19 16:17:54 +02:00
// FIXME: Define indexes here because there is an issue with TS and Sequelize.literal when called directly in the annotation
const indexes: Sequelize.DefineIndexesOptions[] = [
buildTrigramSearchIndex('video_name_trigram', 'name'),
2018-07-23 20:13:30 +02:00
{ fields: [ 'createdAt' ] },
{ fields: [ 'publishedAt' ] },
{ fields: [ 'duration' ] },
{ fields: [ 'category' ] },
{ fields: [ 'licence' ] },
{ fields: [ 'nsfw' ] },
{ fields: [ 'language' ] },
{ fields: [ 'waitTranscoding' ] },
{ fields: [ 'state' ] },
{ fields: [ 'remote' ] },
{ fields: [ 'views' ] },
{ fields: [ 'likes' ] },
{ fields: [ 'channelId' ] },
2018-07-19 16:17:54 +02:00
{
2018-07-23 20:13:30 +02:00
fields: [ 'uuid' ],
unique: true
2018-07-19 16:17:54 +02:00
},
{
2018-09-03 18:05:12 +02:00
fields: [ 'url' ],
2018-07-19 16:17:54 +02:00
unique: true
}
]
export enum ScopeNames {
AVAILABLE_FOR_LIST_IDS = 'AVAILABLE_FOR_LIST_IDS',
FOR_API = 'FOR_API',
2018-01-04 11:19:16 +01:00
WITH_ACCOUNT_DETAILS = 'WITH_ACCOUNT_DETAILS',
2017-12-14 10:07:57 +01:00
WITH_TAGS = 'WITH_TAGS',
WITH_FILES = 'WITH_FILES',
2018-08-14 09:08:47 +02:00
WITH_SCHEDULED_UPDATE = 'WITH_SCHEDULED_UPDATE',
WITH_BLACKLISTED = 'WITH_BLACKLISTED'
2017-12-14 10:07:57 +01:00
}
type ForAPIOptions = {
ids: number[]
withFiles?: boolean
}
type AvailableForListIDsOptions = {
actorId: number
includeLocalVideos: boolean
filter?: VideoFilter
categoryOneOf?: number[]
nsfw?: boolean
licenceOneOf?: number[]
languageOneOf?: string[]
tagsOneOf?: string[]
tagsAllOf?: string[]
withFiles?: boolean
accountId?: number
2018-07-20 14:35:18 +02:00
videoChannelId?: number
2018-08-31 17:18:13 +02:00
trendingDays?: number
2018-07-20 14:35:18 +02:00
}
2017-12-14 10:07:57 +01:00
@Scopes({
2018-09-03 18:05:12 +02:00
[ ScopeNames.FOR_API ]: (options: ForAPIOptions) => {
2018-04-24 15:10:54 +02:00
const accountInclude = {
2018-04-25 14:32:19 +02:00
attributes: [ 'id', 'name' ],
2018-04-24 15:10:54 +02:00
model: AccountModel.unscoped(),
required: true,
include: [
{
2018-04-25 14:32:19 +02:00
attributes: [ 'id', 'uuid', 'preferredUsername', 'url', 'serverId', 'avatarId' ],
2018-04-24 15:10:54 +02:00
model: ActorModel.unscoped(),
required: true,
include: [
{
attributes: [ 'host' ],
model: ServerModel.unscoped(),
required: false
},
{
model: AvatarModel.unscoped(),
required: false
}
]
}
]
}
2018-04-24 17:05:32 +02:00
const videoChannelInclude = {
2018-05-11 15:10:13 +02:00
attributes: [ 'name', 'description', 'id' ],
2018-04-24 17:05:32 +02:00
model: VideoChannelModel.unscoped(),
required: true,
include: [
2018-05-11 15:10:13 +02:00
{
attributes: [ 'uuid', 'preferredUsername', 'url', 'serverId', 'avatarId' ],
model: ActorModel.unscoped(),
required: true,
include: [
{
attributes: [ 'host' ],
model: ServerModel.unscoped(),
required: false
},
{
model: AvatarModel.unscoped(),
required: false
}
]
},
2018-04-24 17:05:32 +02:00
accountInclude
]
}
const query: IFindOptions<VideoModel> = {
where: {
id: {
2018-09-03 18:05:12 +02:00
[ Sequelize.Op.any ]: options.ids
}
},
include: [ videoChannelInclude ]
}
if (options.withFiles === true) {
query.include.push({
model: VideoFileModel.unscoped(),
required: true
})
}
return query
},
2018-09-03 18:05:12 +02:00
[ ScopeNames.AVAILABLE_FOR_LIST_IDS ]: (options: AvailableForListIDsOptions) => {
const query: IFindOptions<VideoModel> = {
2018-09-14 11:09:34 +02:00
raw: true,
attributes: [ 'id' ],
where: {
id: {
2018-09-03 18:05:12 +02:00
[ Sequelize.Op.and ]: [
2018-08-31 11:44:48 +02:00
{
[ Sequelize.Op.notIn ]: Sequelize.literal(
'(SELECT "videoBlacklist"."videoId" FROM "videoBlacklist")'
)
}
]
},
// Always list public videos
privacy: VideoPrivacy.PUBLIC,
// Always list published videos, or videos that are being transcoded but on which we don't want to wait for transcoding
[ Sequelize.Op.or ]: [
{
state: VideoState.PUBLISHED
},
{
[ Sequelize.Op.and ]: {
state: VideoState.TO_TRANSCODE,
waitTranscoding: false
}
}
]
2017-12-14 17:38:41 +01:00
},
2018-09-03 18:05:12 +02:00
include: []
}
if (options.filter || options.accountId || options.videoChannelId) {
const videoChannelInclude: IIncludeOptions = {
attributes: [],
model: VideoChannelModel.unscoped(),
required: true
}
if (options.videoChannelId) {
videoChannelInclude.where = {
id: options.videoChannelId
}
}
if (options.filter || options.accountId) {
const accountInclude: IIncludeOptions = {
attributes: [],
model: AccountModel.unscoped(),
required: true
}
if (options.filter) {
accountInclude.include = [
{
attributes: [],
model: ActorModel.unscoped(),
required: true,
where: VideoModel.buildActorWhereWithFilter(options.filter)
}
]
}
if (options.accountId) {
accountInclude.where = { id: options.accountId }
}
videoChannelInclude.include = [ accountInclude ]
}
query.include.push(videoChannelInclude)
}
2018-08-24 15:36:50 +02:00
if (options.actorId) {
let localVideosReq = ''
if (options.includeLocalVideos === true) {
localVideosReq = ' UNION ALL ' +
'SELECT "video"."id" AS "id" FROM "video" ' +
'INNER JOIN "videoChannel" ON "videoChannel"."id" = "video"."channelId" ' +
'INNER JOIN "account" ON "account"."id" = "videoChannel"."accountId" ' +
'INNER JOIN "actor" ON "account"."actorId" = "actor"."id" ' +
'WHERE "actor"."serverId" IS NULL'
}
// Force actorId to be a number to avoid SQL injections
const actorIdNumber = parseInt(options.actorId.toString(), 10)
2018-09-03 18:05:12 +02:00
query.where[ 'id' ][ Sequelize.Op.and ].push({
2018-08-31 11:44:48 +02:00
[ Sequelize.Op.in ]: Sequelize.literal(
'(' +
2018-09-03 18:05:12 +02:00
'SELECT "videoShare"."videoId" AS "id" FROM "videoShare" ' +
'INNER JOIN "actorFollow" ON "actorFollow"."targetActorId" = "videoShare"."actorId" ' +
'WHERE "actorFollow"."actorId" = ' + actorIdNumber +
' UNION ALL ' +
'SELECT "video"."id" AS "id" FROM "video" ' +
'INNER JOIN "videoChannel" ON "videoChannel"."id" = "video"."channelId" ' +
'INNER JOIN "account" ON "account"."id" = "videoChannel"."accountId" ' +
'INNER JOIN "actor" ON "account"."actorId" = "actor"."id" ' +
'INNER JOIN "actorFollow" ON "actorFollow"."targetActorId" = "actor"."id" ' +
'WHERE "actorFollow"."actorId" = ' + actorIdNumber +
localVideosReq +
2018-08-31 11:44:48 +02:00
')'
)
})
2018-08-24 15:36:50 +02:00
}
2018-04-24 17:05:32 +02:00
if (options.withFiles === true) {
2018-09-03 18:05:12 +02:00
query.where[ 'id' ][ Sequelize.Op.and ].push({
2018-08-31 11:44:48 +02:00
[ Sequelize.Op.in ]: Sequelize.literal(
'(SELECT "videoId" FROM "videoFile")'
)
})
}
2018-07-20 14:35:18 +02:00
// FIXME: issues with sequelize count when making a join on n:m relation, so we just make a IN()
if (options.tagsAllOf || options.tagsOneOf) {
const createTagsIn = (tags: string[]) => {
return tags.map(t => VideoModel.sequelize.escape(t))
.join(', ')
}
if (options.tagsOneOf) {
2018-09-03 18:05:12 +02:00
query.where[ 'id' ][ Sequelize.Op.and ].push({
[ Sequelize.Op.in ]: Sequelize.literal(
2018-08-31 11:44:48 +02:00
'(' +
2018-07-20 14:35:18 +02:00
'SELECT "videoId" FROM "videoTag" ' +
'INNER JOIN "tag" ON "tag"."id" = "videoTag"."tagId" ' +
'WHERE "tag"."name" IN (' + createTagsIn(options.tagsOneOf) + ')' +
2018-08-31 11:44:48 +02:00
')'
)
})
2018-07-20 14:35:18 +02:00
}
if (options.tagsAllOf) {
2018-09-03 18:05:12 +02:00
query.where[ 'id' ][ Sequelize.Op.and ].push({
[ Sequelize.Op.in ]: Sequelize.literal(
2018-07-20 14:35:18 +02:00
'(' +
2018-08-31 11:44:48 +02:00
'SELECT "videoId" FROM "videoTag" ' +
'INNER JOIN "tag" ON "tag"."id" = "videoTag"."tagId" ' +
'WHERE "tag"."name" IN (' + createTagsIn(options.tagsAllOf) + ')' +
'GROUP BY "videoTag"."videoId" HAVING COUNT(*) = ' + options.tagsAllOf.length +
2018-07-20 14:35:18 +02:00
')'
2018-08-31 11:44:48 +02:00
)
})
2018-07-20 14:35:18 +02:00
}
}
if (options.nsfw === true || options.nsfw === false) {
2018-09-03 18:05:12 +02:00
query.where[ 'nsfw' ] = options.nsfw
2018-07-20 14:35:18 +02:00
}
if (options.categoryOneOf) {
2018-09-03 18:05:12 +02:00
query.where[ 'category' ] = {
[ Sequelize.Op.or ]: options.categoryOneOf
2018-07-20 14:35:18 +02:00
}
}
if (options.licenceOneOf) {
2018-09-03 18:05:12 +02:00
query.where[ 'licence' ] = {
[ Sequelize.Op.or ]: options.licenceOneOf
2018-07-20 14:35:18 +02:00
}
}
2018-07-20 14:35:18 +02:00
if (options.languageOneOf) {
2018-09-03 18:05:12 +02:00
query.where[ 'language' ] = {
[ Sequelize.Op.or ]: options.languageOneOf
2018-07-20 14:35:18 +02:00
}
}
2018-08-31 17:18:13 +02:00
if (options.trendingDays) {
2018-09-14 09:57:21 +02:00
query.include.push(VideoModel.buildTrendingQuery(options.trendingDays))
2018-08-31 17:18:13 +02:00
query.subQuery = false
}
return query
},
2018-09-03 18:05:12 +02:00
[ ScopeNames.WITH_ACCOUNT_DETAILS ]: {
2017-12-14 10:07:57 +01:00
include: [
{
2018-01-11 14:30:27 +01:00
model: () => VideoChannelModel.unscoped(),
2017-12-14 10:07:57 +01:00
required: true,
include: [
2018-01-11 14:30:27 +01:00
{
attributes: {
exclude: [ 'privateKey', 'publicKey' ]
},
2018-01-18 17:44:04 +01:00
model: () => ActorModel.unscoped(),
required: true,
include: [
{
attributes: [ 'host' ],
model: () => ServerModel.unscoped(),
required: false
},
{
model: () => AvatarModel.unscoped(),
required: false
2018-01-18 17:44:04 +01:00
}
]
2018-01-11 14:30:27 +01:00
},
2017-12-14 10:07:57 +01:00
{
2018-01-18 17:44:04 +01:00
model: () => AccountModel.unscoped(),
2017-12-14 10:07:57 +01:00
required: true,
include: [
{
2018-01-18 17:44:04 +01:00
model: () => ActorModel.unscoped(),
2018-01-11 14:30:27 +01:00
attributes: {
exclude: [ 'privateKey', 'publicKey' ]
},
2017-12-14 17:38:41 +01:00
required: true,
include: [
{
2018-01-18 17:44:04 +01:00
attributes: [ 'host' ],
model: () => ServerModel.unscoped(),
2017-12-14 17:38:41 +01:00
required: false
2018-02-16 11:19:54 +01:00
},
{
model: () => AvatarModel.unscoped(),
required: false
2017-12-14 17:38:41 +01:00
}
]
2017-12-14 10:07:57 +01:00
}
]
}
]
}
]
},
2018-09-03 18:05:12 +02:00
[ ScopeNames.WITH_TAGS ]: {
2017-12-14 10:07:57 +01:00
include: [ () => TagModel ]
},
2018-09-03 18:05:12 +02:00
[ ScopeNames.WITH_BLACKLISTED ]: {
2018-08-14 09:08:47 +02:00
include: [
{
attributes: [ 'id', 'reason' ],
model: () => VideoBlacklistModel,
required: false
}
]
},
2018-09-03 18:05:12 +02:00
[ ScopeNames.WITH_FILES ]: {
2017-12-14 10:07:57 +01:00
include: [
{
model: () => VideoFileModel.unscoped(),
2018-09-11 16:27:07 +02:00
required: false,
include: [
{
attributes: [ 'fileUrl' ],
2018-09-11 16:27:07 +02:00
model: () => VideoRedundancyModel.unscoped(),
required: false
}
]
2017-12-14 10:07:57 +01:00
}
]
},
2018-09-03 18:05:12 +02:00
[ ScopeNames.WITH_SCHEDULED_UPDATE ]: {
include: [
{
model: () => ScheduleVideoUpdateModel.unscoped(),
required: false
}
]
2017-12-14 10:07:57 +01:00
}
})
2017-12-12 17:53:50 +01:00
@Table({
tableName: 'video',
2018-07-19 16:17:54 +02:00
indexes
2017-12-12 17:53:50 +01:00
})
export class VideoModel extends Model<VideoModel> {
@AllowNull(false)
@Default(DataType.UUIDV4)
@IsUUID(4)
@Column(DataType.UUID)
uuid: string
@AllowNull(false)
@Is('VideoName', value => throwIfNotValid(value, isVideoNameValid, 'name'))
@Column
name: string
@AllowNull(true)
@Default(null)
@Is('VideoCategory', value => throwIfNotValid(value, isVideoCategoryValid, 'category'))
@Column
category: number
@AllowNull(true)
@Default(null)
@Is('VideoLicence', value => throwIfNotValid(value, isVideoLicenceValid, 'licence'))
@Column
licence: number
@AllowNull(true)
@Default(null)
@Is('VideoLanguage', value => throwIfNotValid(value, isVideoLanguageValid, 'language'))
2018-04-23 14:39:52 +02:00
@Column(DataType.STRING(CONSTRAINTS_FIELDS.VIDEOS.LANGUAGE.max))
language: string
2017-12-12 17:53:50 +01:00
@AllowNull(false)
@Is('VideoPrivacy', value => throwIfNotValid(value, isVideoPrivacyValid, 'privacy'))
@Column
privacy: number
@AllowNull(false)
2018-01-03 10:12:36 +01:00
@Is('VideoNSFW', value => throwIfNotValid(value, isBooleanValid, 'NSFW boolean'))
2017-12-12 17:53:50 +01:00
@Column
nsfw: boolean
@AllowNull(true)
@Default(null)
@Is('VideoDescription', value => throwIfNotValid(value, isVideoDescriptionValid, 'description'))
@Column(DataType.STRING(CONSTRAINTS_FIELDS.VIDEOS.DESCRIPTION.max))
description: string
@AllowNull(true)
@Default(null)
@Is('VideoSupport', value => throwIfNotValid(value, isVideoSupportValid, 'support'))
@Column(DataType.STRING(CONSTRAINTS_FIELDS.VIDEOS.SUPPORT.max))
support: string
2017-12-12 17:53:50 +01:00
@AllowNull(false)
@Is('VideoDuration', value => throwIfNotValid(value, isVideoDurationValid, 'duration'))
@Column
duration: number
@AllowNull(false)
@Default(0)
@IsInt
@Min(0)
@Column
views: number
@AllowNull(false)
@Default(0)
@IsInt
@Min(0)
@Column
likes: number
@AllowNull(false)
@Default(0)
@IsInt
@Min(0)
@Column
dislikes: number
@AllowNull(false)
@Column
remote: boolean
@AllowNull(false)
@Is('VideoUrl', value => throwIfNotValid(value, isActivityPubUrlValid, 'url'))
@Column(DataType.STRING(CONSTRAINTS_FIELDS.VIDEOS.URL.max))
url: string
2018-01-03 10:12:36 +01:00
@AllowNull(false)
@Column
commentsEnabled: boolean
@AllowNull(false)
@Column
waitTranscoding: boolean
@AllowNull(false)
@Default(null)
@Is('VideoState', value => throwIfNotValid(value, isVideoStateValid, 'state'))
@Column
state: VideoState
2017-12-12 17:53:50 +01:00
@CreatedAt
createdAt: Date
@UpdatedAt
updatedAt: Date
@AllowNull(false)
@Default(Sequelize.NOW)
@Column
publishedAt: Date
2017-12-12 17:53:50 +01:00
@ForeignKey(() => VideoChannelModel)
@Column
channelId: number
@BelongsTo(() => VideoChannelModel, {
2016-12-11 21:50:51 +01:00
foreignKey: {
2017-12-14 17:38:41 +01:00
allowNull: true
2016-12-11 21:50:51 +01:00
},
2018-04-25 10:21:38 +02:00
hooks: true
2016-12-11 21:50:51 +01:00
})
2017-12-12 17:53:50 +01:00
VideoChannel: VideoChannelModel
2016-12-24 16:59:17 +01:00
2017-12-12 17:53:50 +01:00
@BelongsToMany(() => TagModel, {
2016-12-24 16:59:17 +01:00
foreignKey: 'videoId',
2017-12-12 17:53:50 +01:00
through: () => VideoTagModel,
onDelete: 'CASCADE'
2016-12-24 16:59:17 +01:00
})
2017-12-12 17:53:50 +01:00
Tags: TagModel[]
2017-01-04 20:59:23 +01:00
2017-12-12 17:53:50 +01:00
@HasMany(() => VideoAbuseModel, {
2017-01-04 20:59:23 +01:00
foreignKey: {
name: 'videoId',
allowNull: false
},
onDelete: 'cascade'
})
2017-12-12 17:53:50 +01:00
VideoAbuses: VideoAbuseModel[]
2017-12-12 17:53:50 +01:00
@HasMany(() => VideoFileModel, {
foreignKey: {
name: 'videoId',
allowNull: false
},
2018-09-11 16:27:07 +02:00
hooks: true,
onDelete: 'cascade'
})
2017-12-12 17:53:50 +01:00
VideoFiles: VideoFileModel[]
2017-11-21 18:23:10 +01:00
2017-12-12 17:53:50 +01:00
@HasMany(() => VideoShareModel, {
2017-11-21 18:23:10 +01:00
foreignKey: {
name: 'videoId',
allowNull: false
},
onDelete: 'cascade'
})
2017-12-12 17:53:50 +01:00
VideoShares: VideoShareModel[]
2017-11-23 16:55:13 +01:00
2017-12-12 17:53:50 +01:00
@HasMany(() => AccountVideoRateModel, {
2017-11-23 16:55:13 +01:00
foreignKey: {
name: 'videoId',
allowNull: false
},
onDelete: 'cascade'
})
2017-12-12 17:53:50 +01:00
AccountVideoRates: AccountVideoRateModel[]
2016-11-11 15:20:03 +01:00
2017-12-28 11:16:08 +01:00
@HasMany(() => VideoCommentModel, {
foreignKey: {
name: 'videoId',
allowNull: false
},
onDelete: 'cascade',
hooks: true
2017-12-28 11:16:08 +01:00
})
VideoComments: VideoCommentModel[]
2018-08-31 17:18:13 +02:00
@HasMany(() => VideoViewModel, {
foreignKey: {
name: 'videoId',
allowNull: false
},
onDelete: 'cascade',
hooks: true
})
VideoViews: VideoViewModel[]
@HasOne(() => ScheduleVideoUpdateModel, {
foreignKey: {
name: 'videoId',
allowNull: false
},
onDelete: 'cascade'
})
ScheduleVideoUpdate: ScheduleVideoUpdateModel
2018-08-13 16:57:13 +02:00
@HasOne(() => VideoBlacklistModel, {
foreignKey: {
name: 'videoId',
allowNull: false
},
onDelete: 'cascade'
})
VideoBlacklist: VideoBlacklistModel
2018-07-12 19:02:00 +02:00
@HasMany(() => VideoCaptionModel, {
foreignKey: {
name: 'videoId',
allowNull: false
},
onDelete: 'cascade',
hooks: true,
2018-09-03 18:05:12 +02:00
[ 'separate' as any ]: true
2018-07-12 19:02:00 +02:00
})
VideoCaptions: VideoCaptionModel[]
@BeforeDestroy
static async sendDelete (instance: VideoModel, options) {
if (instance.isOwned()) {
if (!instance.VideoChannel) {
instance.VideoChannel = await instance.$get('VideoChannel', {
include: [
{
model: AccountModel,
include: [ ActorModel ]
}
],
transaction: options.transaction
}) as VideoChannelModel
}
return sendDeleteVideo(instance, options.transaction)
}
return undefined
}
2018-04-25 10:21:38 +02:00
@BeforeDestroy
2018-07-12 19:02:00 +02:00
static async removeFiles (instance: VideoModel) {
const tasks: Promise<any>[] = []
2016-11-11 15:20:03 +01:00
2018-07-30 17:02:40 +02:00
logger.info('Removing files of video %s.', instance.url)
2018-04-25 10:21:38 +02:00
tasks.push(instance.removeThumbnail())
2017-12-12 17:53:50 +01:00
if (instance.isOwned()) {
if (!Array.isArray(instance.VideoFiles)) {
instance.VideoFiles = await instance.$get('VideoFiles') as VideoFileModel[]
}
tasks.push(instance.removePreview())
2017-12-12 17:53:50 +01:00
// Remove physical files and torrents
instance.VideoFiles.forEach(file => {
tasks.push(instance.removeFile(file))
tasks.push(instance.removeTorrent(file))
})
}
2018-04-25 10:21:38 +02:00
// Do not wait video deletion because we could be in a transaction
Promise.all(tasks)
2018-09-03 18:05:12 +02:00
.catch(err => {
logger.error('Some errors when removing files of video %s in before destroy hook.', instance.uuid, { err })
})
2018-04-25 10:21:38 +02:00
return undefined
2017-12-12 17:53:50 +01:00
}
2016-11-11 15:20:03 +01:00
2017-12-12 17:53:50 +01:00
static list () {
2017-12-14 10:07:57 +01:00
return VideoModel.scope(ScopeNames.WITH_FILES).findAll()
2017-12-12 17:53:50 +01:00
}
2016-11-11 15:20:03 +01:00
2017-12-14 17:38:41 +01:00
static listAllAndSharedByActorForOutbox (actorId: number, start: number, count: number) {
2017-12-12 17:53:50 +01:00
function getRawQuery (select: string) {
const queryVideo = 'SELECT ' + select + ' FROM "video" AS "Video" ' +
'INNER JOIN "videoChannel" AS "VideoChannel" ON "VideoChannel"."id" = "Video"."channelId" ' +
2017-12-14 17:38:41 +01:00
'INNER JOIN "account" AS "Account" ON "Account"."id" = "VideoChannel"."accountId" ' +
'WHERE "Account"."actorId" = ' + actorId
2017-12-12 17:53:50 +01:00
const queryVideoShare = 'SELECT ' + select + ' FROM "videoShare" AS "VideoShare" ' +
'INNER JOIN "video" AS "Video" ON "Video"."id" = "VideoShare"."videoId" ' +
2017-12-14 17:38:41 +01:00
'WHERE "VideoShare"."actorId" = ' + actorId
2017-12-12 17:53:50 +01:00
return `(${queryVideo}) UNION (${queryVideoShare})`
}
2017-12-12 17:53:50 +01:00
const rawQuery = getRawQuery('"Video"."id"')
const rawCountQuery = getRawQuery('COUNT("Video"."id") as "total"')
const query = {
distinct: true,
offset: start,
limit: count,
2018-08-31 17:18:13 +02:00
order: getVideoSort('createdAt', [ 'Tags', 'name', 'ASC' ]),
2017-12-12 17:53:50 +01:00
where: {
id: {
2018-09-03 18:05:12 +02:00
[ Sequelize.Op.in ]: Sequelize.literal('(' + rawQuery + ')')
},
2018-09-03 18:05:12 +02:00
[ Sequelize.Op.or ]: [
{ privacy: VideoPrivacy.PUBLIC },
{ privacy: VideoPrivacy.UNLISTED }
]
2017-12-12 17:53:50 +01:00
},
include: [
2018-07-12 19:02:00 +02:00
{
attributes: [ 'language' ],
model: VideoCaptionModel.unscoped(),
required: false
},
2017-12-12 17:53:50 +01:00
{
attributes: [ 'id', 'url' ],
model: VideoShareModel.unscoped(),
2017-12-12 17:53:50 +01:00
required: false,
2018-05-28 12:13:00 +02:00
// We only want videos shared by this actor
where: {
2018-09-03 18:05:12 +02:00
[ Sequelize.Op.and ]: [
2018-05-28 12:13:00 +02:00
{
id: {
2018-09-03 18:05:12 +02:00
[ Sequelize.Op.not ]: null
2018-05-28 12:13:00 +02:00
}
},
{
actorId
}
]
},
2017-12-14 17:38:41 +01:00
include: [
{
attributes: [ 'id', 'url' ],
model: ActorModel.unscoped()
2017-12-14 17:38:41 +01:00
}
]
2017-12-12 17:53:50 +01:00
},
{
model: VideoChannelModel.unscoped(),
2017-12-12 17:53:50 +01:00
required: true,
include: [
{
attributes: [ 'name' ],
model: AccountModel.unscoped(),
required: true,
include: [
{
2018-05-28 12:13:00 +02:00
attributes: [ 'id', 'url', 'followersUrl' ],
model: ActorModel.unscoped(),
required: true
}
]
},
{
2018-05-28 12:13:00 +02:00
attributes: [ 'id', 'url', 'followersUrl' ],
model: ActorModel.unscoped(),
2017-12-12 17:53:50 +01:00
required: true
}
]
},
VideoFileModel,
TagModel
2017-12-12 17:53:50 +01:00
]
}
2017-12-12 17:53:50 +01:00
return Bluebird.all([
// FIXME: typing issue
VideoModel.findAll(query as any),
VideoModel.sequelize.query(rawCountQuery, { type: Sequelize.QueryTypes.SELECT })
]).then(([ rows, totals ]) => {
// totals: totalVideos + totalVideoShares
let totalVideos = 0
let totalVideoShares = 0
2018-09-03 18:05:12 +02:00
if (totals[ 0 ]) totalVideos = parseInt(totals[ 0 ].total, 10)
if (totals[ 1 ]) totalVideoShares = parseInt(totals[ 1 ].total, 10)
2017-12-12 17:53:50 +01:00
const total = totalVideos + totalVideoShares
return {
data: rows,
total: total
}
})
}
2018-08-13 16:57:13 +02:00
static listUserVideosForApi (accountId: number, start: number, count: number, sort: string, withFiles = false) {
const query: IFindOptions<VideoModel> = {
2017-12-12 17:53:50 +01:00
offset: start,
limit: count,
2018-08-31 17:18:13 +02:00
order: getVideoSort(sort),
2017-12-12 17:53:50 +01:00
include: [
{
model: VideoChannelModel,
required: true,
include: [
{
model: AccountModel,
where: {
2018-04-17 10:56:27 +02:00
id: accountId
2017-12-12 17:53:50 +01:00
},
required: true
}
]
},
{
model: ScheduleVideoUpdateModel,
required: false
2018-08-13 16:57:13 +02:00
},
{
model: VideoBlacklistModel,
required: false
2017-12-14 10:07:57 +01:00
}
2017-12-12 17:53:50 +01:00
]
}
2017-10-16 10:05:49 +02:00
if (withFiles === true) {
query.include.push({
model: VideoFileModel.unscoped(),
required: true
})
}
2017-12-12 17:53:50 +01:00
return VideoModel.findAndCountAll(query).then(({ rows, count }) => {
return {
data: rows,
total: count
}
})
}
2018-04-24 17:05:32 +02:00
static async listForApi (options: {
2018-04-24 15:10:54 +02:00
start: number,
count: number,
sort: string,
2018-07-20 14:35:18 +02:00
nsfw: boolean,
includeLocalVideos: boolean,
2018-04-24 17:05:32 +02:00
withFiles: boolean,
2018-07-20 14:35:18 +02:00
categoryOneOf?: number[],
licenceOneOf?: number[],
languageOneOf?: string[],
tagsOneOf?: string[],
tagsAllOf?: string[],
2018-04-24 15:10:54 +02:00
filter?: VideoFilter,
2018-04-24 17:05:32 +02:00
accountId?: number,
videoChannelId?: number,
actorId?: number
2018-08-31 17:18:13 +02:00
trendingDays?: number
2018-09-14 11:52:23 +02:00
}, countVideos = true) {
2018-08-31 17:18:13 +02:00
const query: IFindOptions<VideoModel> = {
2018-04-24 17:05:32 +02:00
offset: options.start,
limit: options.count,
2018-08-31 17:18:13 +02:00
order: getVideoSort(options.sort)
}
let trendingDays: number
if (options.sort.endsWith('trending')) {
trendingDays = CONFIG.TRENDING.VIDEOS.INTERVAL_DAYS
query.group = 'VideoModel.id'
2017-12-12 17:53:50 +01:00
}
2018-08-24 15:36:50 +02:00
// actorId === null has a meaning, so just check undefined
const actorId = options.actorId !== undefined ? options.actorId : (await getServerActor()).id
const queryOptions = {
actorId,
nsfw: options.nsfw,
categoryOneOf: options.categoryOneOf,
licenceOneOf: options.licenceOneOf,
languageOneOf: options.languageOneOf,
tagsOneOf: options.tagsOneOf,
tagsAllOf: options.tagsAllOf,
filter: options.filter,
withFiles: options.withFiles,
accountId: options.accountId,
videoChannelId: options.videoChannelId,
2018-08-31 17:18:13 +02:00
includeLocalVideos: options.includeLocalVideos,
trendingDays
2018-04-24 17:05:32 +02:00
}
2018-09-14 11:52:23 +02:00
return VideoModel.getAvailableForApi(query, queryOptions, countVideos)
}
2018-07-20 18:31:49 +02:00
static async searchAndPopulateAccountAndServer (options: {
includeLocalVideos: boolean
search?: string
2018-07-20 18:31:49 +02:00
start?: number
count?: number
sort?: string
startDate?: string // ISO 8601
endDate?: string // ISO 8601
nsfw?: boolean
categoryOneOf?: number[]
licenceOneOf?: number[]
languageOneOf?: string[]
tagsOneOf?: string[]
tagsAllOf?: string[]
durationMin?: number // seconds
durationMax?: number // seconds
}) {
2018-09-03 18:05:12 +02:00
const whereAnd = []
2018-07-20 14:35:18 +02:00
if (options.startDate || options.endDate) {
2018-09-03 18:05:12 +02:00
const publishedAtRange = {}
2018-07-20 14:35:18 +02:00
2018-09-03 18:05:12 +02:00
if (options.startDate) publishedAtRange[ Sequelize.Op.gte ] = options.startDate
if (options.endDate) publishedAtRange[ Sequelize.Op.lte ] = options.endDate
2018-07-20 14:35:18 +02:00
whereAnd.push({ publishedAt: publishedAtRange })
}
if (options.durationMin || options.durationMax) {
2018-09-03 18:05:12 +02:00
const durationRange = {}
2018-07-20 14:35:18 +02:00
2018-09-03 18:05:12 +02:00
if (options.durationMin) durationRange[ Sequelize.Op.gte ] = options.durationMin
if (options.durationMax) durationRange[ Sequelize.Op.lte ] = options.durationMax
2018-07-20 14:35:18 +02:00
whereAnd.push({ duration: durationRange })
}
const attributesInclude = []
2018-07-27 15:20:10 +02:00
const escapedSearch = VideoModel.sequelize.escape(options.search)
const escapedLikeSearch = VideoModel.sequelize.escape('%' + options.search + '%')
if (options.search) {
whereAnd.push(
{
2018-07-27 15:20:10 +02:00
id: {
[ Sequelize.Op.in ]: Sequelize.literal(
'(' +
2018-09-03 18:05:12 +02:00
'SELECT "video"."id" FROM "video" ' +
'WHERE ' +
'lower(immutable_unaccent("video"."name")) % lower(immutable_unaccent(' + escapedSearch + ')) OR ' +
'lower(immutable_unaccent("video"."name")) LIKE lower(immutable_unaccent(' + escapedLikeSearch + '))' +
'UNION ALL ' +
'SELECT "video"."id" FROM "video" LEFT JOIN "videoTag" ON "videoTag"."videoId" = "video"."id" ' +
'INNER JOIN "tag" ON "tag"."id" = "videoTag"."tagId" ' +
'WHERE "tag"."name" = ' + escapedSearch +
2018-07-27 15:20:10 +02:00
')'
)
}
}
)
attributesInclude.push(createSimilarityAttribute('VideoModel.name', options.search))
}
// Cannot search on similarity if we don't have a search
if (!options.search) {
attributesInclude.push(
Sequelize.literal('0 as similarity')
)
}
2018-07-20 14:35:18 +02:00
const query: IFindOptions<VideoModel> = {
2018-07-19 16:17:54 +02:00
attributes: {
include: attributesInclude
2018-07-19 16:17:54 +02:00
},
2018-07-20 14:35:18 +02:00
offset: options.start,
limit: options.count,
2018-08-31 17:18:13 +02:00
order: getVideoSort(options.sort),
2018-07-20 14:35:18 +02:00
where: {
[ Sequelize.Op.and ]: whereAnd
}
}
const serverActor = await getServerActor()
const queryOptions = {
actorId: serverActor.id,
includeLocalVideos: options.includeLocalVideos,
nsfw: options.nsfw,
categoryOneOf: options.categoryOneOf,
licenceOneOf: options.licenceOneOf,
languageOneOf: options.languageOneOf,
tagsOneOf: options.tagsOneOf,
tagsAllOf: options.tagsAllOf
2018-04-24 17:05:32 +02:00
}
return VideoModel.getAvailableForApi(query, queryOptions)
}
static load (id: number | string, t?: Sequelize.Transaction) {
const where = VideoModel.buildWhereIdOrUUID(id)
const options = {
where,
transaction: t
2017-12-12 17:53:50 +01:00
}
2017-10-16 10:05:49 +02:00
return VideoModel.findOne(options)
2017-12-12 17:53:50 +01:00
}
2017-10-16 10:05:49 +02:00
static loadOnlyId (id: number | string, t?: Sequelize.Transaction) {
const where = VideoModel.buildWhereIdOrUUID(id)
2017-12-12 17:53:50 +01:00
const options = {
attributes: [ 'id' ],
where,
transaction: t
2017-12-12 17:53:50 +01:00
}
2017-10-24 19:41:09 +02:00
return VideoModel.findOne(options)
}
static loadWithFile (id: number, t?: Sequelize.Transaction, logging?: boolean) {
return VideoModel.scope(ScopeNames.WITH_FILES)
.findById(id, { transaction: t, logging })
2017-12-12 17:53:50 +01:00
}
2017-10-24 19:41:09 +02:00
static loadByUUIDWithFile (uuid: string) {
2017-12-20 11:05:10 +01:00
const options = {
where: {
uuid
}
}
return VideoModel
.scope([ ScopeNames.WITH_FILES ])
.findOne(options)
}
2018-09-19 11:16:23 +02:00
static loadByUrl (url: string, transaction?: Sequelize.Transaction) {
const query: IFindOptions<VideoModel> = {
where: {
url
2018-09-19 11:16:23 +02:00
},
transaction
}
2018-09-19 11:16:23 +02:00
return VideoModel.findOne(query)
}
static loadByUrlAndPopulateAccount (url: string, transaction?: Sequelize.Transaction) {
const query: IFindOptions<VideoModel> = {
where: {
url
},
transaction
}
return VideoModel.scope([ ScopeNames.WITH_ACCOUNT_DETAILS, ScopeNames.WITH_FILES ]).findOne(query)
}
static loadAndPopulateAccountAndServerAndTags (id: number | string, t?: Sequelize.Transaction) {
const where = VideoModel.buildWhereIdOrUUID(id)
2017-12-12 17:53:50 +01:00
const options = {
order: [ [ 'Tags', 'name', 'ASC' ] ],
where,
transaction: t
2017-12-12 17:53:50 +01:00
}
2017-10-31 11:52:52 +01:00
2017-12-14 10:07:57 +01:00
return VideoModel
2018-08-14 09:08:47 +02:00
.scope([
ScopeNames.WITH_TAGS,
ScopeNames.WITH_BLACKLISTED,
ScopeNames.WITH_FILES,
ScopeNames.WITH_ACCOUNT_DETAILS,
ScopeNames.WITH_SCHEDULED_UPDATE
])
2017-12-28 11:16:08 +01:00
.findOne(options)
}
2018-02-28 18:04:46 +01:00
static async getStats () {
const totalLocalVideos = await VideoModel.count({
where: {
remote: false
}
})
const totalVideos = await VideoModel.count()
let totalLocalVideoViews = await VideoModel.sum('views', {
where: {
remote: false
}
})
// Sequelize could return null...
if (!totalLocalVideoViews) totalLocalVideoViews = 0
return {
totalLocalVideos,
totalLocalVideoViews,
totalVideos
}
}
2018-08-29 16:26:25 +02:00
static incrementViews (id: number, views: number) {
return VideoModel.increment('views', {
by: views,
where: {
id
}
})
}
2018-08-30 14:58:00 +02:00
// threshold corresponds to how many video the field should have to be returned
2018-09-14 11:52:23 +02:00
static async getRandomFieldSamples (field: 'category' | 'channelId', threshold: number, count: number) {
const actorId = (await getServerActor()).id
const scopeOptions = {
actorId,
includeLocalVideos: true
}
2018-08-30 14:58:00 +02:00
const query: IFindOptions<VideoModel> = {
attributes: [ field ],
limit: count,
group: field,
having: Sequelize.where(Sequelize.fn('COUNT', Sequelize.col(field)), {
2018-09-03 18:05:12 +02:00
[ Sequelize.Op.gte ]: threshold
2018-08-30 14:58:00 +02:00
}) as any, // FIXME: typings
order: [ this.sequelize.random() ]
}
2018-09-14 11:52:23 +02:00
return VideoModel.scope({ method: [ ScopeNames.AVAILABLE_FOR_LIST_IDS, scopeOptions ] })
.findAll(query)
2018-09-03 18:05:12 +02:00
.then(rows => rows.map(r => r[ field ]))
2018-08-30 14:58:00 +02:00
}
2018-09-14 09:57:21 +02:00
static buildTrendingQuery (trendingDays: number) {
return {
attributes: [],
subQuery: false,
model: VideoViewModel,
required: false,
where: {
startDate: {
[ Sequelize.Op.gte ]: new Date(new Date().getTime() - (24 * 3600 * 1000) * trendingDays)
}
}
}
}
2018-03-13 10:24:28 +01:00
private static buildActorWhereWithFilter (filter?: VideoFilter) {
if (filter && filter === 'local') {
return {
serverId: null
}
}
return {}
}
2018-09-14 11:52:23 +02:00
private static async getAvailableForApi (query: IFindOptions<VideoModel>, options: AvailableForListIDsOptions, countVideos = true) {
const idsScope = {
method: [
ScopeNames.AVAILABLE_FOR_LIST_IDS, options
]
}
2018-09-03 18:05:12 +02:00
// Remove trending sort on count, because it uses a group by
const countOptions = Object.assign({}, options, { trendingDays: undefined })
const countQuery = Object.assign({}, query, { attributes: undefined, group: undefined })
const countScope = {
method: [
ScopeNames.AVAILABLE_FOR_LIST_IDS, countOptions
]
}
const [ count, rowsId ] = await Promise.all([
2018-09-14 11:52:23 +02:00
countVideos ? VideoModel.scope(countScope).count(countQuery) : Promise.resolve(undefined),
2018-09-03 18:05:12 +02:00
VideoModel.scope(idsScope).findAll(query)
])
const ids = rowsId.map(r => r.id)
if (ids.length === 0) return { data: [], total: count }
const apiScope = {
method: [ ScopeNames.FOR_API, { ids, withFiles: options.withFiles } as ForAPIOptions ]
}
2018-08-31 11:44:48 +02:00
const secondQuery = {
offset: 0,
limit: query.limit,
2018-08-31 17:18:13 +02:00
attributes: query.attributes,
order: [ // Keep original order
Sequelize.literal(
ids.map(id => `"VideoModel".id = ${id} DESC`).join(', ')
)
]
2018-08-31 11:44:48 +02:00
}
const rows = await VideoModel.scope(apiScope).findAll(secondQuery)
return {
data: rows,
total: count
}
}
2018-03-13 10:24:28 +01:00
static getCategoryLabel (id: number) {
2018-09-03 18:05:12 +02:00
return VIDEO_CATEGORIES[ id ] || 'Misc'
2018-03-19 10:24:12 +01:00
}
static getLicenceLabel (id: number) {
2018-09-03 18:05:12 +02:00
return VIDEO_LICENCES[ id ] || 'Unknown'
2018-03-19 10:24:12 +01:00
}
static getLanguageLabel (id: string) {
2018-09-03 18:05:12 +02:00
return VIDEO_LANGUAGES[ id ] || 'Unknown'
2018-03-19 10:24:12 +01:00
}
static getPrivacyLabel (id: number) {
2018-09-03 18:05:12 +02:00
return VIDEO_PRIVACIES[ id ] || 'Unknown'
}
static getStateLabel (id: number) {
2018-09-03 18:05:12 +02:00
return VIDEO_STATES[ id ] || 'Unknown'
}
static buildWhereIdOrUUID (id: number | string) {
return validator.isInt('' + id) ? { id } : { uuid: id }
}
2017-12-12 17:53:50 +01:00
getOriginalFile () {
if (Array.isArray(this.VideoFiles) === false) return undefined
2017-12-12 17:53:50 +01:00
// The original file is the file that have the higher resolution
return maxBy(this.VideoFiles, file => file.resolution)
2017-11-09 17:51:58 +01:00
}
2017-12-12 17:53:50 +01:00
getVideoFilename (videoFile: VideoFileModel) {
return this.uuid + '-' + videoFile.resolution + videoFile.extname
}
2017-12-12 17:53:50 +01:00
getThumbnailName () {
// We always have a copy of the thumbnail
const extension = '.jpg'
return this.uuid + extension
2016-12-29 19:07:05 +01:00
}
2017-12-12 17:53:50 +01:00
getPreviewName () {
const extension = '.jpg'
return this.uuid + extension
}
2016-12-29 19:07:05 +01:00
2017-12-12 17:53:50 +01:00
getTorrentFileName (videoFile: VideoFileModel) {
const extension = '.torrent'
return this.uuid + '-' + videoFile.resolution + extension
}
2017-12-12 17:53:50 +01:00
isOwned () {
return this.remote === false
2017-10-30 10:16:27 +01:00
}
2017-12-12 17:53:50 +01:00
createPreview (videoFile: VideoFileModel) {
return generateImageFromVideoFile(
this.getVideoFilePath(videoFile),
CONFIG.STORAGE.PREVIEWS_DIR,
this.getPreviewName(),
2018-02-27 11:29:24 +01:00
PREVIEWS_SIZE
2017-12-12 17:53:50 +01:00
)
}
2017-10-30 10:16:27 +01:00
2017-12-12 17:53:50 +01:00
createThumbnail (videoFile: VideoFileModel) {
return generateImageFromVideoFile(
this.getVideoFilePath(videoFile),
CONFIG.STORAGE.THUMBNAILS_DIR,
this.getThumbnailName(),
2018-02-27 11:29:24 +01:00
THUMBNAILS_SIZE
2017-12-12 17:53:50 +01:00
)
}
2018-05-29 18:30:11 +02:00
getTorrentFilePath (videoFile: VideoFileModel) {
return join(CONFIG.STORAGE.TORRENTS_DIR, this.getTorrentFileName(videoFile))
}
2017-12-12 17:53:50 +01:00
getVideoFilePath (videoFile: VideoFileModel) {
return join(CONFIG.STORAGE.VIDEOS_DIR, this.getVideoFilename(videoFile))
}
2018-04-19 15:13:41 +02:00
async createTorrentAndSetInfoHash (videoFile: VideoFileModel) {
2017-12-12 17:53:50 +01:00
const options = {
2018-04-19 15:37:44 +02:00
// Keep the extname, it's used by the client to stream the file inside a web browser
name: `${this.name} ${videoFile.resolution}p${videoFile.extname}`,
2018-04-19 15:13:41 +02:00
createdBy: 'PeerTube',
2017-12-12 17:53:50 +01:00
announceList: [
2018-01-19 08:44:30 +01:00
[ CONFIG.WEBSERVER.WS + '://' + CONFIG.WEBSERVER.HOSTNAME + ':' + CONFIG.WEBSERVER.PORT + '/tracker/socket' ],
[ CONFIG.WEBSERVER.URL + '/tracker/announce' ]
2017-12-12 17:53:50 +01:00
],
2018-09-11 16:27:07 +02:00
urlList: [ CONFIG.WEBSERVER.URL + STATIC_PATHS.WEBSEED + this.getVideoFilename(videoFile) ]
2017-12-12 17:53:50 +01:00
}
2017-12-12 17:53:50 +01:00
const torrent = await createTorrentPromise(this.getVideoFilePath(videoFile), options)
2017-11-09 17:51:58 +01:00
2017-12-12 17:53:50 +01:00
const filePath = join(CONFIG.STORAGE.TORRENTS_DIR, this.getTorrentFileName(videoFile))
logger.info('Creating torrent %s.', filePath)
2017-11-09 17:51:58 +01:00
2018-08-27 16:23:34 +02:00
await writeFile(filePath, torrent)
2017-11-09 17:51:58 +01:00
2017-12-12 17:53:50 +01:00
const parsedTorrent = parseTorrent(torrent)
videoFile.infoHash = parsedTorrent.infoHash
}
2017-11-09 17:51:58 +01:00
2018-07-12 19:02:00 +02:00
getEmbedStaticPath () {
2017-12-12 17:53:50 +01:00
return '/videos/embed/' + this.uuid
}
2017-11-09 17:51:58 +01:00
2018-07-12 19:02:00 +02:00
getThumbnailStaticPath () {
2017-12-12 17:53:50 +01:00
return join(STATIC_PATHS.THUMBNAILS, this.getThumbnailName())
2017-11-09 17:51:58 +01:00
}
2018-07-12 19:02:00 +02:00
getPreviewStaticPath () {
2017-12-12 17:53:50 +01:00
return join(STATIC_PATHS.PREVIEWS, this.getPreviewName())
}
toFormattedJSON (options?: VideoFormattingJSONOptions): Video {
return videoModelToFormattedJSON(this, options)
}
toFormattedDetailsJSON (): VideoDetails {
return videoModelToFormattedDetailsJSON(this)
}
getFormattedVideoFilesJSON (): VideoFile[] {
return videoFilesModelToFormattedJSON(this, this.VideoFiles)
2017-12-12 17:53:50 +01:00
}
2017-11-09 17:51:58 +01:00
2017-12-12 17:53:50 +01:00
toActivityPubObject (): VideoTorrentObject {
return videoModelToActivityPubObject(this)
2017-12-12 17:53:50 +01:00
}
getTruncatedDescription () {
if (!this.description) return null
const maxLength = CONSTRAINTS_FIELDS.VIDEOS.TRUNCATED_DESCRIPTION.max
2018-03-28 11:00:02 +02:00
return peertubeTruncate(this.description, maxLength)
}
2018-02-27 15:57:28 +01:00
getOriginalFileResolution () {
2017-12-12 17:53:50 +01:00
const originalFilePath = this.getVideoFilePath(this.getOriginalFile())
2017-11-10 14:34:45 +01:00
2018-02-27 15:57:28 +01:00
return getVideoFileResolution(originalFilePath)
2017-12-12 17:53:50 +01:00
}
2017-11-10 14:34:45 +01:00
getDescriptionAPIPath () {
2017-12-12 17:53:50 +01:00
return `/api/${API_VERSION}/videos/${this.uuid}/description`
2016-12-11 21:50:51 +01:00
}
2017-12-12 17:53:50 +01:00
removeThumbnail () {
const thumbnailPath = join(CONFIG.STORAGE.THUMBNAILS_DIR, this.getThumbnailName())
2018-08-27 16:23:34 +02:00
return remove(thumbnailPath)
2018-08-02 17:48:50 +02:00
.catch(err => logger.warn('Cannot delete thumbnail %s.', thumbnailPath, { err }))
2016-12-11 21:50:51 +01:00
}
2017-12-12 17:53:50 +01:00
removePreview () {
2018-08-02 17:48:50 +02:00
const previewPath = join(CONFIG.STORAGE.PREVIEWS_DIR + this.getPreviewName())
2018-08-27 16:23:34 +02:00
return remove(previewPath)
2018-08-02 17:48:50 +02:00
.catch(err => logger.warn('Cannot delete preview %s.', previewPath, { err }))
2016-12-24 16:59:17 +01:00
}
2017-12-12 17:53:50 +01:00
removeFile (videoFile: VideoFileModel) {
const filePath = join(CONFIG.STORAGE.VIDEOS_DIR, this.getVideoFilename(videoFile))
2018-08-27 16:23:34 +02:00
return remove(filePath)
2018-08-02 17:48:50 +02:00
.catch(err => logger.warn('Cannot delete file %s.', filePath, { err }))
2016-12-11 21:50:51 +01:00
}
2017-12-12 17:53:50 +01:00
removeTorrent (videoFile: VideoFileModel) {
const torrentPath = join(CONFIG.STORAGE.TORRENTS_DIR, this.getTorrentFileName(videoFile))
2018-08-27 16:23:34 +02:00
return remove(torrentPath)
2018-08-02 17:48:50 +02:00
.catch(err => logger.warn('Cannot delete torrent %s.', torrentPath, { err }))
}
2018-08-22 16:15:35 +02:00
isOutdated () {
if (this.isOwned()) return false
const now = Date.now()
const createdAtTime = this.createdAt.getTime()
const updatedAtTime = this.updatedAt.getTime()
return (now - createdAtTime) > ACTIVITY_PUB.VIDEO_REFRESH_INTERVAL &&
(now - updatedAtTime) > ACTIVITY_PUB.VIDEO_REFRESH_INTERVAL
}
2018-09-11 16:27:07 +02:00
getBaseUrls () {
2017-12-12 17:53:50 +01:00
let baseUrlHttp
let baseUrlWs
2016-12-24 16:59:17 +01:00
2017-12-12 17:53:50 +01:00
if (this.isOwned()) {
baseUrlHttp = CONFIG.WEBSERVER.URL
baseUrlWs = CONFIG.WEBSERVER.WS + '://' + CONFIG.WEBSERVER.HOSTNAME + ':' + CONFIG.WEBSERVER.PORT
} else {
2017-12-14 17:38:41 +01:00
baseUrlHttp = REMOTE_SCHEME.HTTP + '://' + this.VideoChannel.Account.Actor.Server.host
baseUrlWs = REMOTE_SCHEME.WS + '://' + this.VideoChannel.Account.Actor.Server.host
}
2017-12-12 17:53:50 +01:00
return { baseUrlHttp, baseUrlWs }
}
2018-09-11 16:27:07 +02:00
generateMagnetUri (videoFile: VideoFileModel, baseUrlHttp: string, baseUrlWs: string) {
const xs = this.getTorrentUrl(videoFile, baseUrlHttp)
const announce = [ baseUrlWs + '/tracker/socket', baseUrlHttp + '/tracker/announce' ]
let urlList = [ this.getVideoFileUrl(videoFile, baseUrlHttp) ]
const redundancies = videoFile.RedundancyVideos
if (isArray(redundancies)) urlList = urlList.concat(redundancies.map(r => r.fileUrl))
const magnetHash = {
xs,
announce,
urlList,
infoHash: videoFile.infoHash,
name: this.name
}
return magnetUtil.encode(magnetHash)
}
getThumbnailUrl (baseUrlHttp: string) {
2017-12-12 17:53:50 +01:00
return baseUrlHttp + STATIC_PATHS.THUMBNAILS + this.getThumbnailName()
}
2018-09-11 16:27:07 +02:00
getTorrentUrl (videoFile: VideoFileModel, baseUrlHttp: string) {
2017-12-12 17:53:50 +01:00
return baseUrlHttp + STATIC_PATHS.TORRENTS + this.getTorrentFileName(videoFile)
}
2017-11-09 17:51:58 +01:00
2018-09-11 16:27:07 +02:00
getTorrentDownloadUrl (videoFile: VideoFileModel, baseUrlHttp: string) {
2018-05-29 18:30:11 +02:00
return baseUrlHttp + STATIC_DOWNLOAD_PATHS.TORRENTS + this.getTorrentFileName(videoFile)
}
2018-09-11 16:27:07 +02:00
getVideoFileUrl (videoFile: VideoFileModel, baseUrlHttp: string) {
2017-12-12 17:53:50 +01:00
return baseUrlHttp + STATIC_PATHS.WEBSEED + this.getVideoFilename(videoFile)
}
2018-09-11 16:27:07 +02:00
getVideoFileDownloadUrl (videoFile: VideoFileModel, baseUrlHttp: string) {
2018-05-29 18:30:11 +02:00
return baseUrlHttp + STATIC_DOWNLOAD_PATHS.VIDEOS + this.getVideoFilename(videoFile)
}
}