PHP、JS如何获取视频总时长与码率等信息
使用ffmpeg
请注意:这篇文章中会用到passthru,可能部分虚拟主机会将此命令禁用。
代码如下(需要在服务器安装ffmpeg):
define('FFMPEG_PATH', '/usr/local/ffmpeg2/bin/ffmpeg -i "%s" 2>&1');
function getVideoInfo($file) {
$command = sprintf(FFMPEG_PATH, $file);
ob_start();
passthru($command);
$info = ob_get_contents();
ob_end_clean();
$data = array();
if (preg_match("/Duration: (.*?), start: (.*?), bitrate: (\d*) kb\/s/", $info, $match)) {
$data['duration'] = $match[1]; //播放时间
$arr_duration = explode(':', $match[1]);
//转换播放时间为秒数
$data['seconds'] = $arr_duration[0] * 3600 + $arr_duration[1] * 60 + $arr_duration[2];
$data['start'] = $match[2]; //开始时间
$data['bitrate'] = $match[3]; //码率(kb)
}
if (preg_match("/Video: (.*?), (.*?), (.*?)[,\s]/", $info, $match)) {
$data['vcodec'] = $match[1]; //视频编码格式
$data['vformat'] = $match[2]; //视频格式
$data['resolution'] = $match[3]; //视频分辨率
$arr_resolution = explode('x', $match[3]);
$data['width'] = $arr_resolution[0];
$data['height'] = $arr_resolution[1];
}
if (preg_match("/Audio: (\w*), (\d*) Hz/", $info, $match)) {
$data['acodec'] = $match[1]; //音频编码
$data['asamplerate'] = $match[2]; //音频采样频率
}
if (isset($data['seconds']) && isset($data['start'])) {
$data['play_time'] = $data['seconds'] + $data['start']; //实际播放时间
}
$data['size'] = filesize($file); //文件大小
return $data;
}
//用法
$video_info = getVideoInfo('video.mp4');
print_r($video_info);
?>
使用getID3
PHP不用任何组件,直接获取音频和视频文件的时长、大小、宽度高度等信息(getID3)
使用getID3就可以实现该功能,win和linux下都通用
github地址:https://github.com/JamesHeinrich/getID3
require('./getID3-master/getid3/getid3.php');
$getID3 = new \getID3();
$ThisFileInfo = @$getID3->analyze($destName); //分析文件,$path为音频文件的地址(文件绝对路径)
$fileduration= $ThisFileInfo['playtime_seconds']; //这个获得的便是音频文件的时长
if($fileduration<61){
$msg = array('errno'=>0, 'msg'=>'视频上传成功','data'=>$data);
}else{
unlink($destName);
$msg = array('errno'=>2, 'msg'=>'视频时长不能超过60秒');
}
使用JS
如果能使用JS解决的话,是不是就不必使用PHP了?如果在客户端可以解决的问题,就在客户端解决。当然使用JS毕竟能力有限。
获取视频真实宽高
var video = document.querySelector('video');
video.addEventListener('canplay', function () {
this.width = this.videoWidth;
this.height = this.videoHeight;
});
知识点
- canplay 事件,视频达到可以播放时触发;
- videoWidth 和 videoHeight 属性为视频真实宽高,这两个属性为只读属性,赋值不会生效;
- width 和 height 属性为视频在页面上显示的尺寸,可以在元素设置或JS赋值;
- width 和 height 属性优先级低于样式,同时使用样式和属性设置宽高,最后生效的是样式;
video-canplay事件:http://www.w3school.com.cn/tags/av_event_canplay.asp
获取视频播放秒数
<video @canplay="videoCanplay"></video>
computed: {
// 将时间秒转化为分
videoDurationMin() {
if (this.videoDuration > 0) {
let min = Math.floor(this.videoDuration / 60 * 100) / 100;
return `约 ${min}分钟`;
} else {
return '视频时长计算中...'
}
}
}
methods: {
videoCanplay(e) {
this.videoDuration = e.target.duration;
}
}