PeerTube/server/core/models/redundancy/video-redundancy.ts

617 lines
16 KiB
TypeScript
Raw Normal View History

2020-01-10 03:11:28 -06:00
import {
2021-12-24 03:14:47 -06:00
CacheFileObject,
RedundancyInformation,
2021-12-24 03:14:47 -06:00
VideoPrivacy,
VideoRedundanciesTarget,
VideoRedundancy,
VideoRedundancyStrategy,
VideoRedundancyStrategyWithManual
} from '@peertube/peertube-models'
import { isTestInstance } from '@peertube/peertube-node-utils'
import { getServerActor } from '@server/models/application/application.js'
import { MActor, MVideoForRedundancyAPI, MVideoRedundancy, MVideoRedundancyAP, MVideoRedundancyVideo } from '@server/types/models/index.js'
import sample from 'lodash-es/sample.js'
import { literal, Op, QueryTypes, Transaction, WhereOptions } from 'sequelize'
import {
AllowNull,
BeforeDestroy,
BelongsTo,
Column,
CreatedAt,
DataType,
ForeignKey,
Is, Scopes,
Table,
UpdatedAt
} from 'sequelize-typescript'
import { isActivityPubUrlValid } from '../../helpers/custom-validators/activitypub/misc.js'
import { logger } from '../../helpers/logger.js'
import { CONFIG } from '../../initializers/config.js'
2023-10-03 05:20:11 -05:00
import { CONSTRAINTS_FIELDS } from '../../initializers/constants.js'
import { ActorModel } from '../actor/actor.js'
import { ServerModel } from '../server/server.js'
2024-02-22 03:12:04 -06:00
import { getSort, getVideoSort, parseAggregateResult, SequelizeModel, throwIfNotValid } from '../shared/index.js'
import { ScheduleVideoUpdateModel } from '../video/schedule-video-update.js'
import { VideoChannelModel } from '../video/video-channel.js'
import { VideoFileModel } from '../video/video-file.js'
import { VideoStreamingPlaylistModel } from '../video/video-streaming-playlist.js'
import { VideoModel } from '../video/video.js'
2018-09-11 09:27:07 -05:00
export enum ScopeNames {
WITH_VIDEO = 'WITH_VIDEO'
}
2019-04-23 02:50:57 -05:00
@Scopes(() => ({
2020-01-31 09:56:52 -06:00
[ScopeNames.WITH_VIDEO]: {
2018-09-11 09:27:07 -05:00
include: [
2019-01-29 01:37:25 -06:00
{
2019-04-23 02:50:57 -05:00
model: VideoStreamingPlaylistModel,
2019-01-29 01:37:25 -06:00
required: false,
2018-09-11 09:27:07 -05:00
include: [
{
2019-04-23 02:50:57 -05:00
model: VideoModel,
2018-09-11 09:27:07 -05:00
required: true
}
]
}
2019-04-23 02:50:57 -05:00
]
2018-09-11 09:27:07 -05:00
}
2019-04-23 02:50:57 -05:00
}))
2018-09-11 09:27:07 -05:00
@Table({
tableName: 'videoRedundancy',
indexes: [
{
fields: [ 'videoStreamingPlaylistId' ]
2018-09-11 09:27:07 -05:00
},
{
fields: [ 'actorId' ]
},
2021-06-01 01:44:47 -05:00
{
fields: [ 'expiresOn' ]
},
2018-09-11 09:27:07 -05:00
{
fields: [ 'url' ],
unique: true
}
]
})
2024-02-22 03:12:04 -06:00
export class VideoRedundancyModel extends SequelizeModel<VideoRedundancyModel> {
2018-09-11 09:27:07 -05:00
@CreatedAt
createdAt: Date
@UpdatedAt
updatedAt: Date
2020-01-10 03:11:28 -06:00
@AllowNull(true)
2018-09-11 09:27:07 -05:00
@Column
expiresOn: Date
@AllowNull(false)
@Column(DataType.STRING(CONSTRAINTS_FIELDS.VIDEOS_REDUNDANCY.URL.max))
fileUrl: string
@AllowNull(false)
@Is('VideoRedundancyUrl', value => throwIfNotValid(value, isActivityPubUrlValid, 'url'))
@Column(DataType.STRING(CONSTRAINTS_FIELDS.VIDEOS_REDUNDANCY.URL.max))
url: string
@AllowNull(true)
@Column
strategy: string // Only used by us
2019-01-29 01:37:25 -06:00
@ForeignKey(() => VideoStreamingPlaylistModel)
@Column
videoStreamingPlaylistId: number
@BelongsTo(() => VideoStreamingPlaylistModel, {
foreignKey: {
allowNull: false
2019-01-29 01:37:25 -06:00
},
onDelete: 'cascade'
})
VideoStreamingPlaylist: Awaited<VideoStreamingPlaylistModel>
2019-01-29 01:37:25 -06:00
2018-09-11 09:27:07 -05:00
@ForeignKey(() => ActorModel)
@Column
actorId: number
@BelongsTo(() => ActorModel, {
foreignKey: {
allowNull: false
},
onDelete: 'cascade'
})
Actor: Awaited<ActorModel>
2018-09-11 09:27:07 -05:00
2018-10-03 09:43:57 -05:00
@BeforeDestroy
static async removeFile (instance: VideoRedundancyModel) {
2018-11-16 04:18:13 -06:00
if (!instance.isOwned()) return
2018-09-11 09:27:07 -05:00
const videoStreamingPlaylist = await VideoStreamingPlaylistModel.loadWithVideo(instance.videoStreamingPlaylistId)
2018-09-11 09:27:07 -05:00
const videoUUID = videoStreamingPlaylist.Video.uuid
logger.info('Removing duplicated video streaming playlist %s.', videoUUID)
2019-01-29 01:37:25 -06:00
videoStreamingPlaylist.Video.removeStreamingPlaylistFiles(videoStreamingPlaylist, true)
.catch(err => logger.error('Cannot delete video streaming playlist files of %s.', videoUUID, { err }))
return undefined
2018-09-11 09:27:07 -05:00
}
static async listLocalByStreamingPlaylistId (videoStreamingPlaylistId: number): Promise<MVideoRedundancyVideo[]> {
const actor = await getServerActor()
2018-09-11 09:27:07 -05:00
const query = {
where: {
actorId: actor.id,
videoStreamingPlaylistId
2018-09-11 09:27:07 -05:00
}
}
return VideoRedundancyModel.scope(ScopeNames.WITH_VIDEO).findAll(query)
2021-02-02 01:48:48 -06:00
}
2019-08-15 04:53:26 -05:00
static async loadLocalByStreamingPlaylistId (videoStreamingPlaylistId: number): Promise<MVideoRedundancyVideo> {
2019-01-29 01:37:25 -06:00
const actor = await getServerActor()
const query = {
where: {
actorId: actor.id,
videoStreamingPlaylistId
}
}
return VideoRedundancyModel.scope(ScopeNames.WITH_VIDEO).findOne(query)
}
2020-12-08 07:30:29 -06:00
static loadByIdWithVideo (id: number, transaction?: Transaction): Promise<MVideoRedundancyVideo> {
2020-01-10 03:11:28 -06:00
const query = {
where: { id },
transaction
}
return VideoRedundancyModel.scope(ScopeNames.WITH_VIDEO).findOne(query)
}
2020-12-08 07:30:29 -06:00
static loadByUrl (url: string, transaction?: Transaction): Promise<MVideoRedundancy> {
2018-09-11 09:27:07 -05:00
const query = {
where: {
url
},
transaction
2018-09-11 09:27:07 -05:00
}
return VideoRedundancyModel.findOne(query)
}
// ---------------------------------------------------------------------------
// Select redundancy candidates
// ---------------------------------------------------------------------------
2018-09-14 02:57:21 -05:00
2018-09-11 09:27:07 -05:00
static async findMostViewToDuplicate (randomizedFactor: number) {
2021-02-01 04:18:50 -06:00
const peertubeActor = await getServerActor()
2018-09-11 09:27:07 -05:00
// On VideoModel!
const query = {
2018-09-14 02:57:21 -05:00
attributes: [ 'id', 'views' ],
2018-09-11 09:27:07 -05:00
limit: randomizedFactor,
2018-09-14 02:57:21 -05:00
order: getVideoSort('-views'),
2018-09-25 11:05:54 -05:00
where: {
...this.buildVideoCandidateWhere(),
2021-02-01 04:18:50 -06:00
...this.buildVideoIdsForDuplication(peertubeActor)
2018-09-25 11:05:54 -05:00
},
2018-09-11 09:27:07 -05:00
include: [
VideoRedundancyModel.buildRedundancyAllowedInclude(),
VideoRedundancyModel.buildStreamingPlaylistRequiredInclude()
2018-09-14 02:57:21 -05:00
]
}
2018-09-14 04:05:38 -05:00
return VideoRedundancyModel.getVideoSample(VideoModel.unscoped().findAll(query))
2018-09-14 02:57:21 -05:00
}
static async findTrendingToDuplicate (randomizedFactor: number) {
2021-02-01 04:18:50 -06:00
const peertubeActor = await getServerActor()
2018-09-14 02:57:21 -05:00
// On VideoModel!
const query = {
attributes: [ 'id', 'views' ],
subQuery: false,
group: 'VideoModel.id',
limit: randomizedFactor,
order: getVideoSort('-trending'),
2018-09-25 11:05:54 -05:00
where: {
...this.buildVideoCandidateWhere(),
2021-02-01 04:18:50 -06:00
...this.buildVideoIdsForDuplication(peertubeActor)
2018-09-25 11:05:54 -05:00
},
2018-09-14 02:57:21 -05:00
include: [
VideoRedundancyModel.buildRedundancyAllowedInclude(),
VideoRedundancyModel.buildStreamingPlaylistRequiredInclude(),
2018-09-14 02:57:21 -05:00
VideoModel.buildTrendingQuery(CONFIG.TRENDING.VIDEOS.INTERVAL_DAYS)
2018-09-11 09:27:07 -05:00
]
}
2018-09-14 04:05:38 -05:00
return VideoRedundancyModel.getVideoSample(VideoModel.unscoped().findAll(query))
}
static async findRecentlyAddedToDuplicate (randomizedFactor: number, minViews: number) {
2021-02-01 04:18:50 -06:00
const peertubeActor = await getServerActor()
2018-09-14 04:05:38 -05:00
// On VideoModel!
const query = {
attributes: [ 'id', 'publishedAt' ],
limit: randomizedFactor,
order: getVideoSort('-publishedAt'),
where: {
...this.buildVideoCandidateWhere(),
...this.buildVideoIdsForDuplication(peertubeActor),
2018-09-14 04:05:38 -05:00
views: {
2020-01-31 09:56:52 -06:00
[Op.gte]: minViews
}
2018-09-14 04:05:38 -05:00
},
include: [
VideoRedundancyModel.buildRedundancyAllowedInclude(),
VideoRedundancyModel.buildStreamingPlaylistRequiredInclude(),
2021-04-07 10:09:49 -05:00
// Required by publishedAt sort
{
model: ScheduleVideoUpdateModel.unscoped(),
required: false
}
2018-09-14 04:05:38 -05:00
]
}
2018-09-11 09:27:07 -05:00
2018-09-14 04:05:38 -05:00
return VideoRedundancyModel.getVideoSample(VideoModel.unscoped().findAll(query))
2018-09-11 09:27:07 -05:00
}
static async isLocalByVideoUUIDExists (uuid: string) {
const actor = await getServerActor()
const query = {
raw: true,
attributes: [ 'id' ],
where: {
actorId: actor.id
},
include: [
{
model: VideoStreamingPlaylistModel.unscoped(),
required: true,
include: [
{
attributes: [],
model: VideoModel.unscoped(),
required: true,
where: {
uuid
}
}
]
}
]
}
return VideoRedundancyModel.findOne(query)
.then(r => !!r)
}
static async getVideoSample (p: Promise<VideoModel[]>) {
const rows = await p
if (rows.length === 0) return undefined
const ids = rows.map(r => r.id)
const id = sample(ids)
return VideoModel.loadWithFiles(id, undefined, !isTestInstance())
}
private static buildVideoCandidateWhere () {
return {
privacy: VideoPrivacy.PUBLIC,
remote: true,
isLive: false
}
}
private static buildRedundancyAllowedInclude () {
return {
attributes: [],
model: VideoChannelModel.unscoped(),
required: true,
include: [
{
attributes: [],
model: ActorModel.unscoped(),
required: true,
include: [
{
attributes: [],
model: ServerModel.unscoped(),
required: true,
where: {
redundancyAllowed: true
}
}
]
}
]
}
}
private static buildStreamingPlaylistRequiredInclude () {
return {
attributes: [],
required: true,
model: VideoStreamingPlaylistModel.unscoped()
}
}
// ---------------------------------------------------------------------------
2019-08-15 04:53:26 -05:00
static async loadOldestLocalExpired (strategy: VideoRedundancyStrategy, expiresAfterMs: number): Promise<MVideoRedundancyVideo> {
const expiredDate = new Date()
expiredDate.setMilliseconds(expiredDate.getMilliseconds() - expiresAfterMs)
const actor = await getServerActor()
const query = {
where: {
actorId: actor.id,
strategy,
createdAt: {
2020-01-31 09:56:52 -06:00
[Op.lt]: expiredDate
}
}
}
return VideoRedundancyModel.scope([ ScopeNames.WITH_VIDEO ]).findOne(query)
}
2021-08-26 04:01:59 -05:00
static async listLocalExpired (): Promise<MVideoRedundancyVideo[]> {
const actor = await getServerActor()
const query = {
where: {
actorId: actor.id,
expiresOn: {
2020-01-31 09:56:52 -06:00
[Op.lt]: new Date()
}
}
}
return VideoRedundancyModel.scope([ ScopeNames.WITH_VIDEO ]).findAll(query)
}
static async listRemoteExpired () {
const actor = await getServerActor()
2018-09-11 09:27:07 -05:00
const query = {
where: {
actorId: {
2019-04-23 02:50:57 -05:00
[Op.ne]: actor.id
},
2018-09-11 09:27:07 -05:00
expiresOn: {
2020-01-31 09:56:52 -06:00
[Op.lt]: new Date(),
[Op.ne]: null
2018-09-11 09:27:07 -05:00
}
}
}
return VideoRedundancyModel.scope([ ScopeNames.WITH_VIDEO ]).findAll(query)
2018-09-11 09:27:07 -05:00
}
static async listLocalOfServer (serverId: number) {
const actor = await getServerActor()
const query = {
where: {
actorId: actor.id
},
include: [
{
model: VideoStreamingPlaylistModel.unscoped(),
required: true,
include: [
{
model: VideoModel,
required: true,
include: [
{
attributes: [],
model: VideoChannelModel.unscoped(),
required: true,
include: [
{
attributes: [],
model: ActorModel.unscoped(),
required: true,
where: {
serverId
}
}
]
}
]
}
]
}
]
}
return VideoRedundancyModel.findAll(query)
}
2020-01-10 03:11:28 -06:00
static listForApi (options: {
2020-01-31 09:56:52 -06:00
start: number
count: number
sort: string
target: VideoRedundanciesTarget
2020-01-10 03:11:28 -06:00
strategy?: string
}) {
const { start, count, sort, target, strategy } = options
2020-01-31 09:56:52 -06:00
const redundancyWhere: WhereOptions = {}
const videosWhere: WhereOptions = {}
2020-01-10 03:11:28 -06:00
if (target === 'my-videos') {
Object.assign(videosWhere, { remote: false })
} else if (target === 'remote-videos') {
Object.assign(videosWhere, { remote: true })
Object.assign(redundancyWhere, { strategy: { [Op.ne]: null } })
}
if (strategy) {
2022-07-13 04:58:01 -05:00
Object.assign(redundancyWhere, { strategy })
2020-01-10 03:11:28 -06:00
}
// /!\ On video model /!\
const findOptions = {
offset: start,
limit: count,
order: getSort(sort),
where: videosWhere,
2020-01-10 03:11:28 -06:00
include: [
{
required: true,
2020-01-10 03:11:28 -06:00
model: VideoStreamingPlaylistModel.unscoped(),
include: [
{
model: VideoRedundancyModel.unscoped(),
required: true,
2020-01-10 03:11:28 -06:00
where: redundancyWhere
},
{
model: VideoFileModel,
required: true
2020-01-10 03:11:28 -06:00
}
]
}
]
2020-01-10 03:11:28 -06:00
}
return Promise.all([
VideoModel.findAll(findOptions),
VideoModel.count({
where: {
...videosWhere,
id: {
[Op.in]: literal(
'(' +
'SELECT "videoId" FROM "videoStreamingPlaylist" ' +
'INNER JOIN "videoRedundancy" ON "videoRedundancy"."videoStreamingPlaylistId" = "videoStreamingPlaylist".id' +
')'
)
}
}
})
2020-01-10 03:11:28 -06:00
]).then(([ data, total ]) => ({ total, data }))
}
static async getStats (strategy: VideoRedundancyStrategyWithManual) {
2018-09-14 07:57:59 -05:00
const actor = await getServerActor()
2021-02-01 04:18:50 -06:00
const sql = `WITH "tmp" AS ` +
`(` +
`SELECT "videoStreamingFile"."size" AS "videoStreamingFileSize", "videoStreamingPlaylist"."videoId" AS "videoStreamingVideoId"` +
2021-02-01 04:18:50 -06:00
`FROM "videoRedundancy" AS "videoRedundancy" ` +
`LEFT JOIN "videoStreamingPlaylist" ON "videoRedundancy"."videoStreamingPlaylistId" = "videoStreamingPlaylist"."id" ` +
`LEFT JOIN "videoFile" AS "videoStreamingFile" ` +
`ON "videoStreamingPlaylist"."id" = "videoStreamingFile"."videoStreamingPlaylistId" ` +
`WHERE "videoRedundancy"."strategy" = :strategy AND "videoRedundancy"."actorId" = :actorId` +
`) ` +
`SELECT ` +
`COALESCE(SUM("videoStreamingFileSize"), '0') AS "totalUsed", ` +
`COUNT(DISTINCT "videoStreamingVideoId") AS "totalVideos", ` +
2021-02-01 04:18:50 -06:00
`COUNT(*) AS "totalVideoFiles" ` +
`FROM "tmp"`
return VideoRedundancyModel.sequelize.query<any>(sql, {
replacements: { strategy, actorId: actor.id },
type: QueryTypes.SELECT
}).then(([ row ]) => ({
totalUsed: parseAggregateResult(row.totalUsed),
totalVideos: row.totalVideos,
totalVideoFiles: row.totalVideoFiles
}))
2018-09-14 07:57:59 -05:00
}
2020-01-10 03:11:28 -06:00
static toFormattedJSONStatic (video: MVideoForRedundancyAPI): VideoRedundancy {
const streamingPlaylistsRedundancies: RedundancyInformation[] = []
2020-01-10 03:11:28 -06:00
for (const playlist of video.VideoStreamingPlaylists) {
const size = playlist.VideoFiles.reduce((a, b) => a + b.size, 0)
for (const redundancy of playlist.RedundancyVideos) {
streamingPlaylistsRedundancies.push({
id: redundancy.id,
fileUrl: redundancy.fileUrl,
strategy: redundancy.strategy,
createdAt: redundancy.createdAt,
updatedAt: redundancy.updatedAt,
expiresOn: redundancy.expiresOn,
size
})
}
}
return {
id: video.id,
name: video.name,
url: video.url,
uuid: video.uuid,
redundancies: {
files: [],
2020-01-10 03:11:28 -06:00
streamingPlaylists: streamingPlaylistsRedundancies
}
}
}
2019-01-29 01:37:25 -06:00
getVideo () {
return this.VideoStreamingPlaylist.Video
2019-01-29 01:37:25 -06:00
}
2021-08-26 04:01:59 -05:00
getVideoUUID () {
return this.getVideo()?.uuid
2021-08-26 04:01:59 -05:00
}
2018-11-16 04:18:13 -06:00
isOwned () {
return !!this.strategy
}
2019-08-21 07:31:57 -05:00
toActivityPubObject (this: MVideoRedundancyAP): CacheFileObject {
2018-09-11 09:27:07 -05:00
return {
id: this.url,
type: 'CacheFile' as 'CacheFile',
object: this.VideoStreamingPlaylist.Video.url,
expires: this.expiresOn ? this.expiresOn.toISOString() : null,
2018-09-11 09:27:07 -05:00
url: {
type: 'Link',
mediaType: 'application/x-mpegURL',
href: this.fileUrl
}
2018-09-11 09:27:07 -05:00
}
}
2018-09-14 02:57:21 -05:00
// Don't include video files we already duplicated
2021-02-01 04:18:50 -06:00
private static buildVideoIdsForDuplication (peertubeActor: MActor) {
2019-04-23 02:50:57 -05:00
const notIn = literal(
2018-09-11 09:27:07 -05:00
'(' +
2021-02-01 04:18:50 -06:00
`SELECT "videoStreamingPlaylist"."videoId" AS "videoId" FROM "videoRedundancy" ` +
`INNER JOIN "videoStreamingPlaylist" ON "videoStreamingPlaylist"."id" = "videoRedundancy"."videoStreamingPlaylistId" ` +
`WHERE "videoRedundancy"."actorId" = ${peertubeActor.id} ` +
2018-09-11 09:27:07 -05:00
')'
)
2018-09-14 02:57:21 -05:00
return {
2021-02-01 04:18:50 -06:00
id: {
[Op.notIn]: notIn
2018-09-14 02:57:21 -05:00
}
}
}
2018-09-11 09:27:07 -05:00
}