</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()">
The video is being transcoded, it may not work properly.
</div>
return this.video && this.video.state.id === VideoState.TO_TRANSCODE
}
+ isVideoToImport () {
+ return this.video && this.video.state.id === VideoState.TO_IMPORT
+ }
+
hasVideoScheduledPublication () {
return this.video && this.video.scheduledUpdate !== undefined
}
asyncMiddleware,
asyncRetryTransactionMiddleware,
authenticate,
- videoImportAddValidator,
- videoImportDeleteValidator
+ videoImportAddValidator
} from '../../../middlewares'
import { CONFIG, IMAGE_MIMETYPE_EXT, PREVIEWS_SIZE, sequelizeTypescript, THUMBNAILS_SIZE } from '../../../initializers'
import { getYoutubeDLInfo, YoutubeDLInfo } from '../../../helpers/youtube-dl'
asyncRetryTransactionMiddleware(addVideoImport)
)
-videoImportsRouter.delete('/imports/:id',
- authenticate,
- asyncMiddleware(videoImportDeleteValidator),
- asyncRetryTransactionMiddleware(deleteVideoImport)
-)
-
// ---------------------------------------------------------------------------
export {
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()
-}
}
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')
logger.info('Importing video %s', url)
import { VideoState } from '../../../../shared'
import { JobQueue } from '../index'
import { federateVideoIfNeeded } from '../../activitypub'
+import { VideoModel } from '../../../models/video/video'
export type VideoImportPayload = {
type: 'youtube-dl'
logger.info('Processing video import in job %d.', job.id)
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 videoDestFile: string
+ let videoFile: VideoFileModel
try {
// Download video from youtubeDL
tempVideoPath = await downloadYoutubeDLVideo(videoImport.targetUrl)
fps,
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
- const destination = join(CONFIG.STORAGE.VIDEOS_DIR, videoImport.Video.getVideoFilename(videoFile))
- await renamePromise(tempVideoPath, destination)
+ videoDestFile = join(CONFIG.STORAGE.VIDEOS_DIR, videoImport.Video.getVideoFilename(videoFile))
+ await renamePromise(tempVideoPath, videoDestFile)
+ tempVideoPath = null // This path is not used anymore
// Process thumbnail
if (payload.downloadThumbnail) {
await videoImport.Video.createTorrentAndSetInfoHash(videoFile)
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
- videoImport.Video.duration = duration
- videoImport.Video.state = CONFIG.TRANSCODING.ENABLED ? VideoState.TO_TRANSCODE : VideoState.PUBLISHED
- const videoUpdated = await videoImport.Video.save({ transaction: t })
+ video.duration = duration
+ video.state = CONFIG.TRANSCODING.ENABLED ? VideoState.TO_TRANSCODE : VideoState.PUBLISHED
+ const videoUpdated = await video.save({ transaction: t })
// Now we can federate the video
- await federateVideoIfNeeded(videoImport.Video, true, t)
+ await federateVideoIfNeeded(video, true, t)
// Update video import object
videoImport.state = VideoImportState.SUCCESS
try {
if (tempVideoPath) await unlinkPromise(tempVideoPath)
} 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
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 { logger } from '../../helpers/logger'
import { areValidationErrors } from './utils'
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 { isVideoChannelOfAccountExist, isVideoNameValid, checkUserCanManageVideo } from '../../helpers/custom-validators/videos'
-import { VideoImportModel } from '../../models/video/video-import'
-import { UserRight } from '../../../shared'
+import { isVideoChannelOfAccountExist, isVideoNameValid } from '../../helpers/custom-validators/videos'
const videoImportAddValidator = getCommonVideoAttributes().concat([
body('targetUrl').custom(isVideoImportTargetUrlValid).withMessage('Should have a valid video import target URL'),
}
])
-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 {
- videoImportAddValidator,
- videoImportDeleteValidator
+ videoImportAddValidator
}
// ---------------------------------------------------------------------------
})
}
- static load (id: number) {
- return VideoModel.findById(id)
+ static load (id: number, t?: Sequelize.Transaction) {
+ const options = t ? { transaction: t } : undefined
+
+ return VideoModel.findById(id, options)
}
static loadByUrlAndPopulateAccount (url: string, t?: Sequelize.Transaction) {