Remove ability to delete video imports

Users should remove the linked video instead
pull/904/merge
Chocobozzz 2018-08-03 09:43:00 +02:00
parent d7f83948a1
commit 516df59b3b
7 changed files with 42 additions and 58 deletions

View File

@ -8,6 +8,10 @@
</div> </div>
</div> </div>
<div i18n class="alert alert-warning" *ngIf="isVideoToImport()">
The video is being imported, it will be available when the import is finished.
</div>
<div i18n class="alert alert-warning" *ngIf="isVideoToTranscode()"> <div i18n class="alert alert-warning" *ngIf="isVideoToTranscode()">
The video is being transcoded, it may not work properly. The video is being transcoded, it may not work properly.
</div> </div>

View File

@ -289,6 +289,10 @@ export class VideoWatchComponent implements OnInit, OnDestroy {
return this.video && this.video.state.id === VideoState.TO_TRANSCODE return this.video && this.video.state.id === VideoState.TO_TRANSCODE
} }
isVideoToImport () {
return this.video && this.video.state.id === VideoState.TO_IMPORT
}
hasVideoScheduledPublication () { hasVideoScheduledPublication () {
return this.video && this.video.scheduledUpdate !== undefined return this.video && this.video.scheduledUpdate !== undefined
} }

View File

@ -4,8 +4,7 @@ import {
asyncMiddleware, asyncMiddleware,
asyncRetryTransactionMiddleware, asyncRetryTransactionMiddleware,
authenticate, authenticate,
videoImportAddValidator, videoImportAddValidator
videoImportDeleteValidator
} from '../../../middlewares' } from '../../../middlewares'
import { CONFIG, IMAGE_MIMETYPE_EXT, PREVIEWS_SIZE, sequelizeTypescript, THUMBNAILS_SIZE } from '../../../initializers' import { CONFIG, IMAGE_MIMETYPE_EXT, PREVIEWS_SIZE, sequelizeTypescript, THUMBNAILS_SIZE } from '../../../initializers'
import { getYoutubeDLInfo, YoutubeDLInfo } from '../../../helpers/youtube-dl' import { getYoutubeDLInfo, YoutubeDLInfo } from '../../../helpers/youtube-dl'
@ -39,12 +38,6 @@ videoImportsRouter.post('/imports',
asyncRetryTransactionMiddleware(addVideoImport) asyncRetryTransactionMiddleware(addVideoImport)
) )
videoImportsRouter.delete('/imports/:id',
authenticate,
asyncMiddleware(videoImportDeleteValidator),
asyncRetryTransactionMiddleware(deleteVideoImport)
)
// --------------------------------------------------------------------------- // ---------------------------------------------------------------------------
export { export {
@ -145,15 +138,3 @@ async function addVideoImport (req: express.Request, res: express.Response) {
return res.json(videoImport.toFormattedJSON()) return res.json(videoImport.toFormattedJSON())
} }
async function deleteVideoImport (req: express.Request, res: express.Response) {
await sequelizeTypescript.transaction(async t => {
const videoImport = res.locals.videoImport
const video = videoImport.Video
await videoImport.destroy({ transaction: t })
await video.destroy({ transaction: t })
})
return res.status(204).end()
}

View File

@ -30,7 +30,7 @@ function getYoutubeDLInfo (url: string): Promise<YoutubeDLInfo> {
} }
function downloadYoutubeDLVideo (url: string) { function downloadYoutubeDLVideo (url: string) {
const hash = crypto.createHash('sha256').update(url).digest('base64') const hash = crypto.createHash('sha256').update(url).digest('hex')
const path = join(CONFIG.STORAGE.VIDEOS_DIR, hash + '-import.mp4') const path = join(CONFIG.STORAGE.VIDEOS_DIR, hash + '-import.mp4')
logger.info('Importing video %s', url) logger.info('Importing video %s', url)

View File

@ -12,6 +12,7 @@ import { doRequestAndSaveToFile } from '../../../helpers/requests'
import { VideoState } from '../../../../shared' import { VideoState } from '../../../../shared'
import { JobQueue } from '../index' import { JobQueue } from '../index'
import { federateVideoIfNeeded } from '../../activitypub' import { federateVideoIfNeeded } from '../../activitypub'
import { VideoModel } from '../../../models/video/video'
export type VideoImportPayload = { export type VideoImportPayload = {
type: 'youtube-dl' type: 'youtube-dl'
@ -26,9 +27,13 @@ async function processVideoImport (job: Bull.Job) {
logger.info('Processing video import in job %d.', job.id) logger.info('Processing video import in job %d.', job.id)
const videoImport = await VideoImportModel.loadAndPopulateVideo(payload.videoImportId) const videoImport = await VideoImportModel.loadAndPopulateVideo(payload.videoImportId)
if (!videoImport) throw new Error('Cannot import video %s: the video import entry does not exist anymore.') if (!videoImport || !videoImport.Video) {
throw new Error('Cannot import video %s: the video import or video linked to this import does not exist anymore.')
}
let tempVideoPath: string let tempVideoPath: string
let videoDestFile: string
let videoFile: VideoFileModel
try { try {
// Download video from youtubeDL // Download video from youtubeDL
tempVideoPath = await downloadYoutubeDLVideo(videoImport.targetUrl) tempVideoPath = await downloadYoutubeDLVideo(videoImport.targetUrl)
@ -47,11 +52,14 @@ async function processVideoImport (job: Bull.Job) {
fps, fps,
videoId: videoImport.videoId videoId: videoImport.videoId
} }
const videoFile = new VideoFileModel(videoFileData) videoFile = new VideoFileModel(videoFileData)
// Import if the import fails, to clean files
videoImport.Video.VideoFiles = [ videoFile ]
// Move file // Move file
const destination = join(CONFIG.STORAGE.VIDEOS_DIR, videoImport.Video.getVideoFilename(videoFile)) videoDestFile = join(CONFIG.STORAGE.VIDEOS_DIR, videoImport.Video.getVideoFilename(videoFile))
await renamePromise(tempVideoPath, destination) await renamePromise(tempVideoPath, videoDestFile)
tempVideoPath = null // This path is not used anymore
// Process thumbnail // Process thumbnail
if (payload.downloadThumbnail) { if (payload.downloadThumbnail) {
@ -77,15 +85,21 @@ async function processVideoImport (job: Bull.Job) {
await videoImport.Video.createTorrentAndSetInfoHash(videoFile) await videoImport.Video.createTorrentAndSetInfoHash(videoFile)
const videoImportUpdated: VideoImportModel = await sequelizeTypescript.transaction(async t => { const videoImportUpdated: VideoImportModel = await sequelizeTypescript.transaction(async t => {
await videoFile.save({ transaction: t }) // Refresh video
const video = await VideoModel.load(videoImport.videoId, t)
if (!video) throw new Error('Video linked to import ' + videoImport.videoId + ' does not exist anymore.')
videoImport.Video = video
const videoFileCreated = await videoFile.save({ transaction: t })
video.VideoFiles = [ videoFileCreated ]
// Update video DB object // Update video DB object
videoImport.Video.duration = duration video.duration = duration
videoImport.Video.state = CONFIG.TRANSCODING.ENABLED ? VideoState.TO_TRANSCODE : VideoState.PUBLISHED video.state = CONFIG.TRANSCODING.ENABLED ? VideoState.TO_TRANSCODE : VideoState.PUBLISHED
const videoUpdated = await videoImport.Video.save({ transaction: t }) const videoUpdated = await video.save({ transaction: t })
// Now we can federate the video // Now we can federate the video
await federateVideoIfNeeded(videoImport.Video, true, t) await federateVideoIfNeeded(video, true, t)
// Update video import object // Update video import object
videoImport.state = VideoImportState.SUCCESS videoImport.state = VideoImportState.SUCCESS
@ -112,7 +126,7 @@ async function processVideoImport (job: Bull.Job) {
try { try {
if (tempVideoPath) await unlinkPromise(tempVideoPath) if (tempVideoPath) await unlinkPromise(tempVideoPath)
} catch (errUnlink) { } catch (errUnlink) {
logger.error('Cannot cleanup files after a video import error.', { err: errUnlink }) logger.warn('Cannot cleanup files after a video import error.', { err: errUnlink })
} }
videoImport.error = err.message videoImport.error = err.message

View File

@ -1,14 +1,12 @@
import * as express from 'express' import * as express from 'express'
import { body, param } from 'express-validator/check' import { body } from 'express-validator/check'
import { isIdValid } from '../../helpers/custom-validators/misc' import { isIdValid } from '../../helpers/custom-validators/misc'
import { logger } from '../../helpers/logger' import { logger } from '../../helpers/logger'
import { areValidationErrors } from './utils' import { areValidationErrors } from './utils'
import { getCommonVideoAttributes } from './videos' import { getCommonVideoAttributes } from './videos'
import { isVideoImportTargetUrlValid, isVideoImportExist } from '../../helpers/custom-validators/video-imports' import { isVideoImportTargetUrlValid } from '../../helpers/custom-validators/video-imports'
import { cleanUpReqFiles } from '../../helpers/utils' import { cleanUpReqFiles } from '../../helpers/utils'
import { isVideoChannelOfAccountExist, isVideoNameValid, checkUserCanManageVideo } from '../../helpers/custom-validators/videos' import { isVideoChannelOfAccountExist, isVideoNameValid } from '../../helpers/custom-validators/videos'
import { VideoImportModel } from '../../models/video/video-import'
import { UserRight } from '../../../shared'
const videoImportAddValidator = getCommonVideoAttributes().concat([ const videoImportAddValidator = getCommonVideoAttributes().concat([
body('targetUrl').custom(isVideoImportTargetUrlValid).withMessage('Should have a valid video import target URL'), body('targetUrl').custom(isVideoImportTargetUrlValid).withMessage('Should have a valid video import target URL'),
@ -31,29 +29,10 @@ const videoImportAddValidator = getCommonVideoAttributes().concat([
} }
]) ])
const videoImportDeleteValidator = [
param('id').custom(isIdValid).not().isEmpty().withMessage('Should have a valid id'),
async (req: express.Request, res: express.Response, next: express.NextFunction) => {
logger.debug('Checking videoImportDeleteValidator parameters', { parameters: req.body })
if (areValidationErrors(req, res)) return
if (!await isVideoImportExist(req.params.id, res)) return
const user = res.locals.oauth.token.User
const videoImport: VideoImportModel = res.locals.videoImport
if (!await checkUserCanManageVideo(user, videoImport.Video, UserRight.UPDATE_ANY_VIDEO, res)) return
return next()
}
]
// --------------------------------------------------------------------------- // ---------------------------------------------------------------------------
export { export {
videoImportAddValidator, videoImportAddValidator
videoImportDeleteValidator
} }
// --------------------------------------------------------------------------- // ---------------------------------------------------------------------------

View File

@ -957,8 +957,10 @@ export class VideoModel extends Model<VideoModel> {
}) })
} }
static load (id: number) { static load (id: number, t?: Sequelize.Transaction) {
return VideoModel.findById(id) const options = t ? { transaction: t } : undefined
return VideoModel.findById(id, options)
} }
static loadByUrlAndPopulateAccount (url: string, t?: Sequelize.Transaction) { static loadByUrlAndPopulateAccount (url: string, t?: Sequelize.Transaction) {