1
0
Fork 0
peertube/server/models/video/video.ts

896 lines
23 KiB
TypeScript
Raw Normal View History

2017-06-05 19:53:49 +00:00
import * as safeBuffer from 'safe-buffer'
2017-05-15 20:22:03 +00:00
const Buffer = safeBuffer.Buffer
2017-06-05 19:53:49 +00:00
import * as ffmpeg from 'fluent-ffmpeg'
import * as magnetUtil from 'magnet-uri'
import { map } from 'lodash'
2017-06-05 19:53:49 +00:00
import * as parseTorrent from 'parse-torrent'
2017-05-15 20:22:03 +00:00
import { join } from 'path'
2017-05-22 18:58:25 +00:00
import * as Sequelize from 'sequelize'
import * as Promise from 'bluebird'
2017-05-15 20:22:03 +00:00
import { TagInstance } from './tag-interface'
2017-05-15 20:22:03 +00:00
import {
logger,
isVideoNameValid,
isVideoCategoryValid,
isVideoLicenceValid,
isVideoLanguageValid,
isVideoNSFWValid,
isVideoDescriptionValid,
isVideoDurationValid,
readFileBufferPromise,
unlinkPromise,
renamePromise,
writeFilePromise,
createTorrentPromise
2017-06-16 07:45:46 +00:00
} from '../../helpers'
2017-05-15 20:22:03 +00:00
import {
CONFIG,
REMOTE_SCHEME,
STATIC_PATHS,
VIDEO_CATEGORIES,
VIDEO_LICENCES,
VIDEO_LANGUAGES,
THUMBNAILS_SIZE,
VIDEO_FILE_RESOLUTIONS
2017-06-16 07:45:46 +00:00
} from '../../initializers'
import { removeVideoToFriends } from '../../lib'
import { VideoFileInstance } from './video-file-interface'
2017-06-16 07:45:46 +00:00
import { addMethodsToModel, getSort } from '../utils'
2017-05-22 18:58:25 +00:00
import {
VideoInstance,
VideoAttributes,
VideoMethods
} from './video-interface'
let Video: Sequelize.Model<VideoInstance, VideoAttributes>
let generateMagnetUri: VideoMethods.GenerateMagnetUri
let getVideoFilename: VideoMethods.GetVideoFilename
let getThumbnailName: VideoMethods.GetThumbnailName
let getPreviewName: VideoMethods.GetPreviewName
let getTorrentFileName: VideoMethods.GetTorrentFileName
2017-05-22 18:58:25 +00:00
let isOwned: VideoMethods.IsOwned
2017-08-25 09:45:31 +00:00
let toFormattedJSON: VideoMethods.ToFormattedJSON
2017-05-22 18:58:25 +00:00
let toAddRemoteJSON: VideoMethods.ToAddRemoteJSON
let toUpdateRemoteJSON: VideoMethods.ToUpdateRemoteJSON
let transcodeVideofile: VideoMethods.TranscodeVideofile
let createPreview: VideoMethods.CreatePreview
let createThumbnail: VideoMethods.CreateThumbnail
let getVideoFilePath: VideoMethods.GetVideoFilePath
let createTorrentAndSetInfoHash: VideoMethods.CreateTorrentAndSetInfoHash
2017-05-22 18:58:25 +00:00
let generateThumbnailFromData: VideoMethods.GenerateThumbnailFromData
let getDurationFromFile: VideoMethods.GetDurationFromFile
let list: VideoMethods.List
let listForApi: VideoMethods.ListForApi
let loadByHostAndUUID: VideoMethods.LoadByHostAndUUID
2017-05-22 18:58:25 +00:00
let listOwnedAndPopulateAuthorAndTags: VideoMethods.ListOwnedAndPopulateAuthorAndTags
let listOwnedByAuthor: VideoMethods.ListOwnedByAuthor
let load: VideoMethods.Load
let loadByUUID: VideoMethods.LoadByUUID
2017-05-22 18:58:25 +00:00
let loadAndPopulateAuthor: VideoMethods.LoadAndPopulateAuthor
let loadAndPopulateAuthorAndPodAndTags: VideoMethods.LoadAndPopulateAuthorAndPodAndTags
let loadByUUIDAndPopulateAuthorAndPodAndTags: VideoMethods.LoadByUUIDAndPopulateAuthorAndPodAndTags
2017-05-22 18:58:25 +00:00
let searchAndPopulateAuthorAndPodAndTags: VideoMethods.SearchAndPopulateAuthorAndPodAndTags
let removeThumbnail: VideoMethods.RemoveThumbnail
let removePreview: VideoMethods.RemovePreview
let removeFile: VideoMethods.RemoveFile
let removeTorrent: VideoMethods.RemoveTorrent
2017-05-22 18:58:25 +00:00
2017-06-11 15:35:32 +00:00
export default function (sequelize: Sequelize.Sequelize, DataTypes: Sequelize.DataTypes) {
Video = sequelize.define<VideoInstance, VideoAttributes>('Video',
2016-12-11 20:50:51 +00:00
{
uuid: {
2016-12-11 20:50:51 +00:00
type: DataTypes.UUID,
defaultValue: DataTypes.UUIDV4,
allowNull: false,
2016-12-28 14:49:23 +00:00
validate: {
isUUID: 4
}
},
2016-12-11 20:50:51 +00:00
name: {
2016-12-28 14:49:23 +00:00
type: DataTypes.STRING,
allowNull: false,
validate: {
2017-07-11 15:04:57 +00:00
nameValid: value => {
2017-05-15 20:22:03 +00:00
const res = isVideoNameValid(value)
2016-12-28 14:49:23 +00:00
if (res === false) throw new Error('Video name is not valid.')
}
}
2016-11-11 10:52:24 +00:00
},
2017-03-22 20:15:55 +00:00
category: {
type: DataTypes.INTEGER,
allowNull: false,
validate: {
2017-07-11 15:04:57 +00:00
categoryValid: value => {
2017-05-15 20:22:03 +00:00
const res = isVideoCategoryValid(value)
2017-03-22 20:15:55 +00:00
if (res === false) throw new Error('Video category is not valid.')
}
}
},
2017-03-27 18:53:11 +00:00
licence: {
type: DataTypes.INTEGER,
allowNull: false,
2017-04-07 10:13:37 +00:00
defaultValue: null,
2017-03-27 18:53:11 +00:00
validate: {
2017-07-11 15:04:57 +00:00
licenceValid: value => {
2017-05-15 20:22:03 +00:00
const res = isVideoLicenceValid(value)
2017-03-27 18:53:11 +00:00
if (res === false) throw new Error('Video licence is not valid.')
}
}
},
2017-04-07 10:13:37 +00:00
language: {
type: DataTypes.INTEGER,
allowNull: true,
validate: {
2017-07-11 15:04:57 +00:00
languageValid: value => {
2017-05-15 20:22:03 +00:00
const res = isVideoLanguageValid(value)
2017-04-07 10:13:37 +00:00
if (res === false) throw new Error('Video language is not valid.')
}
}
},
2017-03-28 19:19:46 +00:00
nsfw: {
type: DataTypes.BOOLEAN,
allowNull: false,
validate: {
2017-07-11 15:04:57 +00:00
nsfwValid: value => {
2017-05-15 20:22:03 +00:00
const res = isVideoNSFWValid(value)
2017-03-28 19:19:46 +00:00
if (res === false) throw new Error('Video nsfw attribute is not valid.')
}
}
},
2016-12-11 20:50:51 +00:00
description: {
2016-12-28 14:49:23 +00:00
type: DataTypes.STRING,
allowNull: false,
validate: {
2017-07-11 15:04:57 +00:00
descriptionValid: value => {
2017-05-15 20:22:03 +00:00
const res = isVideoDescriptionValid(value)
2016-12-28 14:49:23 +00:00
if (res === false) throw new Error('Video description is not valid.')
}
}
2016-12-11 20:50:51 +00:00
},
duration: {
2016-12-28 14:49:23 +00:00
type: DataTypes.INTEGER,
allowNull: false,
validate: {
2017-07-11 15:04:57 +00:00
durationValid: value => {
2017-05-15 20:22:03 +00:00
const res = isVideoDurationValid(value)
2016-12-28 14:49:23 +00:00
if (res === false) throw new Error('Video duration is not valid.')
}
}
},
views: {
type: DataTypes.INTEGER,
allowNull: false,
defaultValue: 0,
validate: {
min: 0,
isInt: true
}
2017-03-08 20:35:43 +00:00
},
likes: {
type: DataTypes.INTEGER,
allowNull: false,
defaultValue: 0,
validate: {
min: 0,
isInt: true
}
},
dislikes: {
type: DataTypes.INTEGER,
allowNull: false,
defaultValue: 0,
validate: {
min: 0,
isInt: true
}
},
remote: {
type: DataTypes.BOOLEAN,
allowNull: false,
defaultValue: false
}
2016-12-11 20:50:51 +00:00
},
{
2016-12-29 08:33:28 +00:00
indexes: [
{
fields: [ 'authorId' ]
},
{
fields: [ 'name' ]
},
{
fields: [ 'createdAt' ]
},
{
fields: [ 'duration' ]
},
{
fields: [ 'views' ]
2017-03-08 20:35:43 +00:00
},
{
fields: [ 'likes' ]
},
{
fields: [ 'uuid' ]
2016-12-29 08:33:28 +00:00
}
],
2016-12-11 20:50:51 +00:00
hooks: {
afterDestroy
}
}
)
2017-05-22 18:58:25 +00:00
const classMethods = [
associate,
generateThumbnailFromData,
getDurationFromFile,
list,
listForApi,
listOwnedAndPopulateAuthorAndTags,
listOwnedByAuthor,
load,
loadAndPopulateAuthor,
loadAndPopulateAuthorAndPodAndTags,
loadByHostAndUUID,
loadByUUID,
loadByUUIDAndPopulateAuthorAndPodAndTags,
searchAndPopulateAuthorAndPodAndTags
2017-05-22 18:58:25 +00:00
]
const instanceMethods = [
createPreview,
createThumbnail,
createTorrentAndSetInfoHash,
2017-05-22 18:58:25 +00:00
generateMagnetUri,
getPreviewName,
getThumbnailName,
getTorrentFileName,
getVideoFilename,
getVideoFilePath,
2017-05-22 18:58:25 +00:00
isOwned,
removeFile,
removePreview,
removeThumbnail,
removeTorrent,
2017-05-22 18:58:25 +00:00
toAddRemoteJSON,
2017-08-25 09:45:31 +00:00
toFormattedJSON,
2017-05-22 18:58:25 +00:00
toUpdateRemoteJSON,
transcodeVideofile
2017-05-22 18:58:25 +00:00
]
addMethodsToModel(Video, classMethods, instanceMethods)
2016-12-11 20:50:51 +00:00
return Video
}
// ------------------------------ METHODS ------------------------------
2016-12-11 20:50:51 +00:00
function associate (models) {
2017-05-22 18:58:25 +00:00
Video.belongsTo(models.Author, {
2016-12-11 20:50:51 +00:00
foreignKey: {
name: 'authorId',
allowNull: false
},
onDelete: 'cascade'
})
2016-12-24 15:59:17 +00:00
2017-05-22 18:58:25 +00:00
Video.belongsToMany(models.Tag, {
2016-12-24 15:59:17 +00:00
foreignKey: 'videoId',
through: models.VideoTag,
onDelete: 'cascade'
})
2017-01-04 19:59:23 +00:00
2017-05-22 18:58:25 +00:00
Video.hasMany(models.VideoAbuse, {
2017-01-04 19:59:23 +00:00
foreignKey: {
name: 'videoId',
allowNull: false
},
onDelete: 'cascade'
})
Video.hasMany(models.VideoFile, {
foreignKey: {
name: 'videoId',
allowNull: false
},
onDelete: 'cascade'
})
2016-12-11 20:50:51 +00:00
}
function afterDestroy (video: VideoInstance) {
const tasks = []
2016-11-11 14:20:03 +00:00
tasks.push(
video.removeThumbnail()
)
2016-11-11 14:20:03 +00:00
if (video.isOwned()) {
const removeVideoToFriendsParams = {
uuid: video.uuid
}
2016-11-11 14:20:03 +00:00
tasks.push(
video.removePreview(),
removeVideoToFriends(removeVideoToFriendsParams)
)
// TODO: check files is populated
video.VideoFiles.forEach(file => {
video.removeFile(file),
video.removeTorrent(file)
})
2016-11-11 14:20:03 +00:00
}
return Promise.all(tasks)
}
getVideoFilename = function (this: VideoInstance, videoFile: VideoFileInstance) {
// return this.uuid + '-' + VIDEO_FILE_RESOLUTIONS[videoFile.resolution] + videoFile.extname
return this.uuid + videoFile.extname
2016-11-11 14:20:03 +00:00
}
getThumbnailName = function (this: VideoInstance) {
2016-11-11 14:20:03 +00:00
// We always have a copy of the thumbnail
const extension = '.jpg'
return this.uuid + extension
}
getPreviewName = function (this: VideoInstance) {
2016-11-11 14:20:03 +00:00
const extension = '.jpg'
return this.uuid + extension
2016-11-11 14:20:03 +00:00
}
getTorrentFileName = function (this: VideoInstance, videoFile: VideoFileInstance) {
2016-11-11 14:20:03 +00:00
const extension = '.torrent'
// return this.uuid + '-' + VIDEO_FILE_RESOLUTIONS[videoFile.resolution] + extension
return this.uuid + extension
}
isOwned = function (this: VideoInstance) {
return this.remote === false
}
createPreview = function (this: VideoInstance, videoFile: VideoFileInstance) {
return generateImage(this, this.getVideoFilePath(videoFile), CONFIG.STORAGE.PREVIEWS_DIR, this.getPreviewName(), null)
}
createThumbnail = function (this: VideoInstance, videoFile: VideoFileInstance) {
return generateImage(this, this.getVideoFilePath(videoFile), CONFIG.STORAGE.THUMBNAILS_DIR, this.getThumbnailName(), THUMBNAILS_SIZE)
}
getVideoFilePath = function (this: VideoInstance, videoFile: VideoFileInstance) {
return join(CONFIG.STORAGE.VIDEOS_DIR, this.getVideoFilename(videoFile))
}
createTorrentAndSetInfoHash = function (this: VideoInstance, videoFile: VideoFileInstance) {
const options = {
announceList: [
[ CONFIG.WEBSERVER.WS + '://' + CONFIG.WEBSERVER.HOSTNAME + ':' + CONFIG.WEBSERVER.PORT + '/tracker/socket' ]
],
urlList: [
CONFIG.WEBSERVER.URL + STATIC_PATHS.WEBSEED + this.getVideoFilename(videoFile)
]
}
return createTorrentPromise(this.getVideoFilePath(videoFile), options)
.then(torrent => {
const filePath = join(CONFIG.STORAGE.TORRENTS_DIR, this.getTorrentFileName(videoFile))
return writeFilePromise(filePath, torrent).then(() => torrent)
})
.then(torrent => {
const parsedTorrent = parseTorrent(torrent)
videoFile.infoHash = parsedTorrent.infoHash
})
}
generateMagnetUri = function (this: VideoInstance, videoFile: VideoFileInstance) {
let baseUrlHttp
let baseUrlWs
if (this.isOwned()) {
baseUrlHttp = CONFIG.WEBSERVER.URL
baseUrlWs = CONFIG.WEBSERVER.WS + '://' + CONFIG.WEBSERVER.HOSTNAME + ':' + CONFIG.WEBSERVER.PORT
} else {
baseUrlHttp = REMOTE_SCHEME.HTTP + '://' + this.Author.Pod.host
baseUrlWs = REMOTE_SCHEME.WS + '://' + this.Author.Pod.host
}
const xs = baseUrlHttp + STATIC_PATHS.TORRENTS + this.getTorrentFileName(videoFile)
const announce = [ baseUrlWs + '/tracker/socket' ]
const urlList = [ baseUrlHttp + STATIC_PATHS.WEBSEED + this.getVideoFilename(videoFile) ]
const magnetHash = {
xs,
announce,
urlList,
infoHash: videoFile.infoHash,
name: this.name
}
return magnetUtil.encode(magnetHash)
}
2017-08-25 09:45:31 +00:00
toFormattedJSON = function (this: VideoInstance) {
2016-12-11 20:50:51 +00:00
let podHost
if (this.Author.Pod) {
podHost = this.Author.Pod.host
} else {
// It means it's our video
2017-05-15 20:22:03 +00:00
podHost = CONFIG.WEBSERVER.HOST
2016-12-11 20:50:51 +00:00
}
2017-03-22 20:15:55 +00:00
// Maybe our pod is not up to date and there are new categories since our version
2017-05-15 20:22:03 +00:00
let categoryLabel = VIDEO_CATEGORIES[this.category]
2017-03-22 20:15:55 +00:00
if (!categoryLabel) categoryLabel = 'Misc'
2017-03-27 18:53:11 +00:00
// Maybe our pod is not up to date and there are new licences since our version
2017-05-15 20:22:03 +00:00
let licenceLabel = VIDEO_LICENCES[this.licence]
2017-03-27 18:53:11 +00:00
if (!licenceLabel) licenceLabel = 'Unknown'
2017-04-07 10:13:37 +00:00
// Language is an optional attribute
2017-05-15 20:22:03 +00:00
let languageLabel = VIDEO_LANGUAGES[this.language]
2017-04-07 10:13:37 +00:00
if (!languageLabel) languageLabel = 'Unknown'
const json = {
2016-12-11 20:50:51 +00:00
id: this.id,
uuid: this.uuid,
name: this.name,
2017-03-22 20:15:55 +00:00
category: this.category,
categoryLabel,
2017-03-27 18:53:11 +00:00
licence: this.licence,
licenceLabel,
2017-04-07 10:13:37 +00:00
language: this.language,
languageLabel,
2017-03-28 19:19:46 +00:00
nsfw: this.nsfw,
description: this.description,
2016-12-11 20:50:51 +00:00
podHost,
isLocal: this.isOwned(),
2016-12-11 20:50:51 +00:00
author: this.Author.name,
duration: this.duration,
views: this.views,
2017-03-08 20:35:43 +00:00
likes: this.likes,
dislikes: this.dislikes,
tags: map<TagInstance, string>(this.Tags, 'name'),
2017-05-15 20:22:03 +00:00
thumbnailPath: join(STATIC_PATHS.THUMBNAILS, this.getThumbnailName()),
2017-07-12 09:56:02 +00:00
previewPath: join(STATIC_PATHS.PREVIEWS, this.getPreviewName()),
createdAt: this.createdAt,
updatedAt: this.updatedAt,
files: []
}
this.VideoFiles.forEach(videoFile => {
let resolutionLabel = VIDEO_FILE_RESOLUTIONS[videoFile.resolution]
if (!resolutionLabel) resolutionLabel = 'Unknown'
const videoFileJson = {
resolution: videoFile.resolution,
resolutionLabel,
magnetUri: this.generateMagnetUri(videoFile),
size: videoFile.size
}
json.files.push(videoFileJson)
})
return json
}
toAddRemoteJSON = function (this: VideoInstance) {
// Get thumbnail data to send to the other pod
2017-05-15 20:22:03 +00:00
const thumbnailPath = join(CONFIG.STORAGE.THUMBNAILS_DIR, this.getThumbnailName())
return readFileBufferPromise(thumbnailPath).then(thumbnailData => {
const remoteVideo = {
uuid: this.uuid,
2017-05-22 18:58:25 +00:00
name: this.name,
category: this.category,
licence: this.licence,
language: this.language,
nsfw: this.nsfw,
description: this.description,
author: this.Author.name,
duration: this.duration,
thumbnailData: thumbnailData.toString('binary'),
tags: map<TagInstance, string>(this.Tags, 'name'),
2017-05-22 18:58:25 +00:00
createdAt: this.createdAt,
updatedAt: this.updatedAt,
views: this.views,
likes: this.likes,
dislikes: this.dislikes,
files: []
}
this.VideoFiles.forEach(videoFile => {
remoteVideo.files.push({
infoHash: videoFile.infoHash,
resolution: videoFile.resolution,
extname: videoFile.extname,
size: videoFile.size
})
})
return remoteVideo
})
}
toUpdateRemoteJSON = function (this: VideoInstance) {
2016-12-29 18:07:05 +00:00
const json = {
uuid: this.uuid,
2016-12-29 18:07:05 +00:00
name: this.name,
2017-03-22 20:15:55 +00:00
category: this.category,
2017-03-27 18:53:11 +00:00
licence: this.licence,
2017-04-07 10:13:37 +00:00
language: this.language,
2017-03-28 19:19:46 +00:00
nsfw: this.nsfw,
2016-12-29 18:07:05 +00:00
description: this.description,
author: this.Author.name,
duration: this.duration,
tags: map<TagInstance, string>(this.Tags, 'name'),
2016-12-29 18:07:05 +00:00
createdAt: this.createdAt,
updatedAt: this.updatedAt,
2017-03-08 20:35:43 +00:00
views: this.views,
likes: this.likes,
dislikes: this.dislikes,
files: []
2016-12-29 18:07:05 +00:00
}
this.VideoFiles.forEach(videoFile => {
json.files.push({
infoHash: videoFile.infoHash,
resolution: videoFile.resolution,
extname: videoFile.extname,
size: videoFile.size
})
})
2016-12-29 18:07:05 +00:00
return json
}
transcodeVideofile = function (this: VideoInstance, inputVideoFile: VideoFileInstance) {
2017-05-15 20:22:03 +00:00
const videosDirectory = CONFIG.STORAGE.VIDEOS_DIR
const newExtname = '.mp4'
const videoInputPath = join(videosDirectory, this.getVideoFilename(inputVideoFile))
const videoOutputPath = join(videosDirectory, this.id + '-transcoded' + newExtname)
return new Promise<void>((res, rej) => {
ffmpeg(videoInputPath)
.output(videoOutputPath)
.videoCodec('libx264')
.outputOption('-threads ' + CONFIG.TRANSCODING.THREADS)
.outputOption('-movflags faststart')
.on('error', rej)
.on('end', () => {
return unlinkPromise(videoInputPath)
.then(() => {
// Important to do this before getVideoFilename() to take in account the new file extension
inputVideoFile.set('extname', newExtname)
return renamePromise(videoOutputPath, this.getVideoFilePath(inputVideoFile))
})
.then(() => {
return this.createTorrentAndSetInfoHash(inputVideoFile)
})
.then(() => {
return inputVideoFile.save()
})
.then(() => {
return res()
})
.catch(err => {
2017-09-04 18:07:54 +00:00
// Auto destruction...
this.destroy().catch(err => logger.error('Cannot destruct video after transcoding failure.', err))
return rej(err)
})
})
.run()
})
}
removeThumbnail = function (this: VideoInstance) {
const thumbnailPath = join(CONFIG.STORAGE.THUMBNAILS_DIR, this.getThumbnailName())
return unlinkPromise(thumbnailPath)
}
removePreview = function (this: VideoInstance) {
// Same name than video thumbnail
return unlinkPromise(CONFIG.STORAGE.PREVIEWS_DIR + this.getPreviewName())
}
removeFile = function (this: VideoInstance, videoFile: VideoFileInstance) {
const filePath = join(CONFIG.STORAGE.VIDEOS_DIR, this.getVideoFilename(videoFile))
return unlinkPromise(filePath)
}
removeTorrent = function (this: VideoInstance, videoFile: VideoFileInstance) {
2017-09-04 18:07:54 +00:00
const torrentPath = join(CONFIG.STORAGE.TORRENTS_DIR, this.getTorrentFileName(videoFile))
return unlinkPromise(torrentPath)
}
// ------------------------------ STATICS ------------------------------
generateThumbnailFromData = function (video: VideoInstance, thumbnailData: string) {
2016-11-16 20:16:41 +00:00
// Creating the thumbnail for a remote video
const thumbnailName = video.getThumbnailName()
2017-05-15 20:22:03 +00:00
const thumbnailPath = join(CONFIG.STORAGE.THUMBNAILS_DIR, thumbnailName)
return writeFilePromise(thumbnailPath, Buffer.from(thumbnailData, 'binary')).then(() => {
return thumbnailName
2016-11-16 20:16:41 +00:00
})
}
getDurationFromFile = function (videoPath: string) {
return new Promise<number>((res, rej) => {
2017-07-11 15:04:57 +00:00
ffmpeg.ffprobe(videoPath, (err, metadata) => {
if (err) return rej(err)
return res(Math.floor(metadata.format.duration))
})
})
}
list = function () {
const query = {
include: [ Video['sequelize'].models.VideoFile ]
}
return Video.findAll(query)
2016-12-25 08:44:57 +00:00
}
listForApi = function (start: number, count: number, sort: string) {
2017-08-25 16:36:49 +00:00
// Exclude blacklisted videos from the list
2016-12-11 20:50:51 +00:00
const query = {
2017-05-22 18:58:25 +00:00
distinct: true,
2016-12-11 20:50:51 +00:00
offset: start,
limit: count,
2017-05-22 18:58:25 +00:00
order: [ getSort(sort), [ Video['sequelize'].models.Tag, 'name', 'ASC' ] ],
2016-12-11 20:50:51 +00:00
include: [
{
2017-05-22 18:58:25 +00:00
model: Video['sequelize'].models.Author,
include: [ { model: Video['sequelize'].models.Pod, required: false } ]
2016-12-24 15:59:17 +00:00
},
Video['sequelize'].models.Tag,
Video['sequelize'].models.VideoFile
Add ability for an administrator to remove any video (#61) * Add ability for an admin to remove every video on the pod. * Server: add BlacklistedVideos relation. * Server: Insert in BlacklistedVideos relation upon deletion of a video. * Server: Modify BlacklistedVideos schema to add Pod id information. * Server: Moving insertion of a blacklisted video from the `afterDestroy` hook into the process of deletion of a video. To avoid inserting a video when it is removed on its origin pod. When a video is removed on its origin pod, the `afterDestroy` hook is fire, but no request is made on the delete('/:videoId') interface. Hence, we insert into `BlacklistedVideos` only on request on delete('/:videoId') (if requirements for insertion are met). * Server: Add removeVideoFromBlacklist hook on deletion of a video. We are going to proceed in another way :). We will add a new route : /:videoId/blacklist to blacklist a video. We do not blacklist a video upon its deletion now (to distinguish a video blacklist from a regular video delete) When we blacklist a video, the video remains in the DB, so we don't have any concern about its update. It just doesn't appear in the video list. When we remove a video, we then have to remove it from the blacklist too. We could also remove a video from the blacklist to 'unremove' it and make it appear again in the video list (will be another feature). * Server: Add handler for new route post(/:videoId/blacklist) * Client: Add isBlacklistable method * Client: Update isRemovableBy method. * Client: Move 'Delete video' feature from the video-list to the video-watch module. * Server: Exclude blacklisted videos from the video list * Server: Use findAll() in BlacklistedVideos.list() method * Server: Fix addVideoToBlacklist function. * Client: Add blacklist feature. * Server: Use JavaScript Standard Style. * Server: In checkUserCanDeleteVideo, move the callback call inside the db callback function * Server: Modify BlacklistVideo relation * Server: Modifiy Videos methods. * Server: Add checkVideoIsBlacklistable method * Server: Rewrite addVideoToBlacklist method * Server: Fix checkVideoIsBlacklistable method * Server: Add return to addVideoToBlacklist method
2017-04-26 19:22:10 +00:00
],
2017-05-22 18:58:25 +00:00
where: createBaseVideosWhere()
2016-12-11 20:50:51 +00:00
}
return Video.findAndCountAll(query).then(({ rows, count }) => {
return {
data: rows,
total: count
}
2016-12-11 20:50:51 +00:00
})
}
loadByHostAndUUID = function (fromHost: string, uuid: string) {
2016-12-11 20:50:51 +00:00
const query = {
where: {
uuid
2016-12-11 20:50:51 +00:00
},
include: [
{
model: Video['sequelize'].models.VideoFile
},
2016-12-11 20:50:51 +00:00
{
2017-05-22 18:58:25 +00:00
model: Video['sequelize'].models.Author,
2016-12-11 20:50:51 +00:00
include: [
{
2017-05-22 18:58:25 +00:00
model: Video['sequelize'].models.Pod,
2016-12-24 15:59:17 +00:00
required: true,
2016-12-11 20:50:51 +00:00
where: {
host: fromHost
}
}
]
}
]
}
return Video.findOne(query)
}
listOwnedAndPopulateAuthorAndTags = function () {
2016-12-11 20:50:51 +00:00
const query = {
where: {
remote: false
2016-12-11 20:50:51 +00:00
},
include: [
Video['sequelize'].models.VideoFile,
Video['sequelize'].models.Author,
Video['sequelize'].models.Tag
]
2016-12-11 20:50:51 +00:00
}
return Video.findAll(query)
}
listOwnedByAuthor = function (author: string) {
2016-12-11 20:50:51 +00:00
const query = {
where: {
remote: false
2016-12-11 20:50:51 +00:00
},
include: [
{
model: Video['sequelize'].models.VideoFile
},
2016-12-11 20:50:51 +00:00
{
2017-05-22 18:58:25 +00:00
model: Video['sequelize'].models.Author,
2016-12-11 20:50:51 +00:00
where: {
name: author
}
}
]
}
return Video.findAll(query)
}
load = function (id: number) {
return Video.findById(id)
2016-12-11 20:50:51 +00:00
}
loadByUUID = function (uuid: string) {
const query = {
where: {
uuid
},
include: [ Video['sequelize'].models.VideoFile ]
}
return Video.findOne(query)
}
loadAndPopulateAuthor = function (id: number) {
2016-12-11 20:50:51 +00:00
const options = {
include: [ Video['sequelize'].models.VideoFile, Video['sequelize'].models.Author ]
2016-12-11 20:50:51 +00:00
}
return Video.findById(id, options)
2016-12-11 20:50:51 +00:00
}
loadAndPopulateAuthorAndPodAndTags = function (id: number) {
2016-12-11 20:50:51 +00:00
const options = {
include: [
{
2017-05-22 18:58:25 +00:00
model: Video['sequelize'].models.Author,
include: [ { model: Video['sequelize'].models.Pod, required: false } ]
2016-12-24 15:59:17 +00:00
},
Video['sequelize'].models.Tag,
Video['sequelize'].models.VideoFile
2016-12-11 20:50:51 +00:00
]
}
return Video.findById(id, options)
}
loadByUUIDAndPopulateAuthorAndPodAndTags = function (uuid: string) {
const options = {
where: {
uuid
},
include: [
{
model: Video['sequelize'].models.Author,
include: [ { model: Video['sequelize'].models.Pod, required: false } ]
},
Video['sequelize'].models.Tag,
Video['sequelize'].models.VideoFile
]
}
return Video.findOne(options)
}
searchAndPopulateAuthorAndPodAndTags = function (value: string, field: string, start: number, count: number, sort: string) {
2017-07-11 08:59:13 +00:00
const podInclude: Sequelize.IncludeOptions = {
2017-05-22 18:58:25 +00:00
model: Video['sequelize'].models.Pod,
2016-12-24 15:59:17 +00:00
required: false
2016-12-11 20:50:51 +00:00
}
2016-12-24 15:59:17 +00:00
2017-07-11 08:59:13 +00:00
const authorInclude: Sequelize.IncludeOptions = {
2017-05-22 18:58:25 +00:00
model: Video['sequelize'].models.Author,
2016-12-11 20:50:51 +00:00
include: [
podInclude
]
}
2017-07-11 08:59:13 +00:00
const tagInclude: Sequelize.IncludeOptions = {
2017-05-22 18:58:25 +00:00
model: Video['sequelize'].models.Tag
2016-12-24 15:59:17 +00:00
}
const videoFileInclude: Sequelize.IncludeOptions = {
model: Video['sequelize'].models.VideoFile
}
2017-08-25 16:36:49 +00:00
const query: Sequelize.FindOptions<VideoAttributes> = {
2017-05-22 18:58:25 +00:00
distinct: true,
where: createBaseVideosWhere(),
2016-12-11 20:50:51 +00:00
offset: start,
limit: count,
2017-05-22 18:58:25 +00:00
order: [ getSort(sort), [ Video['sequelize'].models.Tag, 'name', 'ASC' ] ]
2016-12-11 20:50:51 +00:00
}
// Make an exact search with the magnet
2016-11-11 14:24:36 +00:00
if (field === 'magnetUri') {
videoFileInclude.where = {
infoHash: magnetUtil.decode(value).infoHash
}
2016-11-11 14:24:36 +00:00
} else if (field === 'tags') {
2017-05-22 18:58:25 +00:00
const escapedValue = Video['sequelize'].escape('%' + value + '%')
2017-07-11 08:59:13 +00:00
query.where['id'].$in = Video['sequelize'].literal(
`(SELECT "VideoTags"."videoId"
FROM "Tags"
INNER JOIN "VideoTags" ON "Tags"."id" = "VideoTags"."tagId"
2017-07-06 16:01:02 +00:00
WHERE name ILIKE ${escapedValue}
)`
Add ability for an administrator to remove any video (#61) * Add ability for an admin to remove every video on the pod. * Server: add BlacklistedVideos relation. * Server: Insert in BlacklistedVideos relation upon deletion of a video. * Server: Modify BlacklistedVideos schema to add Pod id information. * Server: Moving insertion of a blacklisted video from the `afterDestroy` hook into the process of deletion of a video. To avoid inserting a video when it is removed on its origin pod. When a video is removed on its origin pod, the `afterDestroy` hook is fire, but no request is made on the delete('/:videoId') interface. Hence, we insert into `BlacklistedVideos` only on request on delete('/:videoId') (if requirements for insertion are met). * Server: Add removeVideoFromBlacklist hook on deletion of a video. We are going to proceed in another way :). We will add a new route : /:videoId/blacklist to blacklist a video. We do not blacklist a video upon its deletion now (to distinguish a video blacklist from a regular video delete) When we blacklist a video, the video remains in the DB, so we don't have any concern about its update. It just doesn't appear in the video list. When we remove a video, we then have to remove it from the blacklist too. We could also remove a video from the blacklist to 'unremove' it and make it appear again in the video list (will be another feature). * Server: Add handler for new route post(/:videoId/blacklist) * Client: Add isBlacklistable method * Client: Update isRemovableBy method. * Client: Move 'Delete video' feature from the video-list to the video-watch module. * Server: Exclude blacklisted videos from the video list * Server: Use findAll() in BlacklistedVideos.list() method * Server: Fix addVideoToBlacklist function. * Client: Add blacklist feature. * Server: Use JavaScript Standard Style. * Server: In checkUserCanDeleteVideo, move the callback call inside the db callback function * Server: Modify BlacklistVideo relation * Server: Modifiy Videos methods. * Server: Add checkVideoIsBlacklistable method * Server: Rewrite addVideoToBlacklist method * Server: Fix checkVideoIsBlacklistable method * Server: Add return to addVideoToBlacklist method
2017-04-26 19:22:10 +00:00
)
2016-12-24 15:59:17 +00:00
} else if (field === 'host') {
// FIXME: Include our pod? (not stored in the database)
podInclude.where = {
host: {
2017-07-06 16:01:02 +00:00
$iLike: '%' + value + '%'
2016-12-11 20:50:51 +00:00
}
}
2016-12-24 15:59:17 +00:00
podInclude.required = true
2016-12-11 20:50:51 +00:00
} else if (field === 'author') {
2016-12-24 15:59:17 +00:00
authorInclude.where = {
name: {
2017-07-06 16:01:02 +00:00
$iLike: '%' + value + '%'
2016-12-11 20:50:51 +00:00
}
}
2016-12-24 15:59:17 +00:00
// authorInclude.or = true
} else {
2016-12-11 20:50:51 +00:00
query.where[field] = {
2017-07-06 16:01:02 +00:00
$iLike: '%' + value + '%'
2016-12-11 20:50:51 +00:00
}
}
2016-12-24 15:59:17 +00:00
query.include = [
authorInclude, tagInclude, videoFileInclude
2016-12-24 15:59:17 +00:00
]
return Video.findAndCountAll(query).then(({ rows, count }) => {
return {
data: rows,
total: count
}
2016-12-11 20:50:51 +00:00
})
}
// ---------------------------------------------------------------------------
function createBaseVideosWhere () {
return {
id: {
2017-05-22 18:58:25 +00:00
$notIn: Video['sequelize'].literal(
'(SELECT "BlacklistedVideos"."videoId" FROM "BlacklistedVideos")'
)
}
}
}
function generateImage (video: VideoInstance, videoPath: string, folder: string, imageName: string, size: string) {
2017-07-11 08:59:13 +00:00
const options = {
2016-11-11 14:20:03 +00:00
filename: imageName,
count: 1,
folder
}
2017-06-10 20:15:25 +00:00
if (size) {
2017-07-11 08:59:13 +00:00
options['size'] = size
}
return new Promise<string>((res, rej) => {
ffmpeg(videoPath)
.on('error', rej)
2017-07-11 15:04:57 +00:00
.on('end', () => res(imageName))
.thumbnail(options)
})
}