php通过调用ffmpeg获取视频信息函数代码,可以获取到视频播放时长

来源:http://www.kindcent.com/blog/view/php-ffmpeg

通过passthru函数调用系统 ffmpeg命令,解析返回的字符串,提取出视频信息。PHP和Perl有很大的不一样,调用方法也不一样,实际返回的数据和上一篇Perl调用的并不完全一样,因为用在不同的地方,要去掉或添加其他信息,可自行修改。参考了网上比较流行的代码。ffmpeg中有个start时间,这个时间为开始的延时时间,通过time命令测试后发现,文件的时间播放时间 = duration + start 。

// 定义 FFmpeg的路径,因为一般情况下系统路径会不一致,所以,最好在网站的全局配置文件里定义好

// 另外,重定向符号在FreeBSD等csh系统中为 >&

define('KC_FFMPEG_PATH', '/usr/local/bin/ffmpeg -i "%s" 2>&1');

//本人经过测试,windows的命令也适用,如下(ffmpeg.exe放在c:\windows\system32,如果没有放在system32,需要指明路径)

//define('KC_FFMPEG_PATH', 'ffmpeg -i "%s" 2>&1');

function video_info($file) {

ob_start();

passthru(sprintf(KC_FFMPEG_PATH, $file));

$info = ob_get_contents();

ob_end_clean();

// 通过使用输出缓冲,获取到ffmpeg所有输出的内容。

$ret = array();

// Duration: 01:24:12.73, start: 0.000000, bitrate: 456 kb/s

if (preg_match("/Duration: (.*?), start: (.*?), bitrate: (\d*) kb\/s/", $info, $match)) {

$ret['duration'] = $match[1]; // 提取出播放时间

$da = explode(':', $match[1]);

$ret['seconds'] = $da[0] * 3600 + $da[1] * 60 + $da[2]; // 转换为秒

$ret['start'] = $match[2]; // 开始时间

$ret['bitrate'] = $match[3]; // bitrate 码率 单位 kb

}

// Stream #0.1: Video: rv40, yuv420p, 512x384, 355 kb/s, 12.05 fps, 12 tbr, 1k tbn, 12 tbc

if (preg_match("/Video: (.*?), (.*?), (.*?)[,\s]/", $info, $match)) {

$ret['vcodec'] = $match[1]; // 编码格式

$ret['vformat'] = $match[2]; // 视频格式

$ret['resolution'] = $match[3]; // 分辨率

$a = explode('x', $match[3]);

$ret['width'] = $a[0];

$ret['height'] = $a[1];

}

// Stream #0.0: Audio: cook, 44100 Hz, stereo, s16, 96 kb/s

if (preg_match("/Audio: (\w*), (\d*) Hz/", $info, $match)) {

$ret['acodec'] = $match[1]; // 音频编码

$ret['asamplerate'] = $match[2]; // 音频采样频率

}

if (isset($ret['seconds']) && isset($ret['start'])) {

$ret['play_time'] = $ret['seconds'] + $ret['start']; // 实际播放时间

}

$ret['size'] = filesize($file); // 文件大小

return $ret;

}

// 调用方法:

print_r( video_info('test.mpg'));

//输出的结果:

$ret = array (

'duration' => '02:07:42.58',

'seconds' => 7662.58,

'start' => '0.000000',

'bitrate' => '843',

'vcodec' => 'rv40',

'vformat' => 'yuv420p',

'resolution' => '800x452',

'width' => '800',

'height' => '452',

'acodec' => 'cook',

'asamplerate' => '44100',

'play_time' => 7662.58,

'size' => 807562411,

);