2

我想检查编码的 webm 视频是否有错误。到目前为止,我已经设法使用以下方法捕获错误:

ffmpeg -v error -i ../broken.webm -f null - 

输出:

[matroska,webm @ 0x7fba5400a200] Read error at pos. 110050 (0x1ade2)

我想使用 node.js 和fluent-ffmpeg实现相同的输出,但我不知道要传递-v error-f null -使用 js 包装器语法。

我的天真尝试如下所示:

// ffmpeg -v error -i ../broken.webm -f null - 
ffmpeg("../broken.webm")
.on('error', function(err) {
    console.error('An error occurred: ',err.message)
})
.save('-f null -')
.on('end', function() {
    console.log('done !')
})

但我马上得到了一个错误:ffmpeg exited with code 1: Unrecognized option '-f null -'.

关于如何ffmpeg -v error -i ../broken.webm -f null -使用 fluent-ffmpeg 从 node.js 调用的任何想法?

4

1 回答 1

3

您正朝着正确的方向前进,但是还有一些其他条目要添加到您的 ffmpeg 行中来处理您想要的选项。像下面这样的东西应该做你需要的:

var ffmpeg = require('fluent-ffmpeg');
var ff = new ffmpeg();

ff.on('start', function(commandLine) {
  // on start, you can verify the command line to be used
  console.log('The ffmpeg command line is: ' + commandLine);
})
.on('progress', function(data) {
  // do something with progress data if you like
})
.on('end', function() {
  // do something when complete
})
.on('error', function(err) {
  // handle error conditions
  if (err) {
    console.log('Error transcoding file');
  }
})
.addInput('../broken.webm')
.addInputOption('-v error')
.output('outfile')
.outputOptions('-f null -')
.run();

Fluent-ffmpeg 将命令行选项分为 addInputOption 和 outputOptions。如果您有多个输出选项,则可以将它们作为设置数组传递给 outputOptions。

请注意,要使用 outputOptions,我认为您需要指定一个输出文件。如果您不需要它,请将其设为临时文件,然后在完成时删除或输出到空设备。查看https://github.com/fluent-ffmpeg/node-fluent-ffmpeg上的 fluent-ffmpeg 自述文件页面。它详细介绍了这些和其他选项。

尽管可能有更好的方法来验证您的文件,但希望这会让您使用 fluent-ffmpeg。

于 2017-04-11T18:12:50.300 回答