使用 Node 将视频文件流式传输到 html5 视频播放器.js以便视频控件继续工作?
Tl;Dr - 问题:
使用 Node.js 处理将视频文件流式传输到 html5 视频播放器的正确方法是什么.js以便视频控件继续工作?
我认为这与处理标头的方式有关。无论如何,这是背景信息。代码有点长,但是,它非常简单。
使用Node将小视频文件流式传输到HTML5视频很容易
我学会了如何轻松地将小视频文件流式传输到HTML5视频播放器。通过此设置,控件无需我进行任何工作即可工作,并且视频流完美无缺。带有示例视频的完整工作代码的工作副本在此处,可在Google Docs上下载。
客户:
<html>
<title>Welcome</title>
<body>
<video controls>
<source src="movie.mp4" type="video/mp4"/>
<source src="movie.webm" type="video/webm"/>
<source src="movie.ogg" type="video/ogg"/>
<!-- fallback -->
Your browser does not support the <code>video</code> element.
</video>
</body>
</html>
服务器:
// Declare Vars & Read Files
var fs = require('fs'),
http = require('http'),
url = require('url'),
path = require('path');
var movie_webm, movie_mp4, movie_ogg;
// ... [snip] ... (Read index page)
fs.readFile(path.resolve(__dirname,"movie.mp4"), function (err, data) {
if (err) {
throw err;
}
movie_mp4 = data;
});
// ... [snip] ... (Read two other formats for the video)
// Serve & Stream Video
http.createServer(function (req, res) {
// ... [snip] ... (Serve client files)
var total;
if (reqResource == "/movie.mp4") {
total = movie_mp4.length;
}
// ... [snip] ... handle two other formats for the video
var range = req.headers.range;
var positions = range.replace(/bytes=/, "").split("-");
var start = parseInt(positions[0], 10);
var end = positions[1] ? parseInt(positions[1], 10) : total - 1;
var chunksize = (end - start) + 1;
if (reqResource == "/movie.mp4") {
res.writeHead(206, {
"Content-Range": "bytes " + start + "-" + end + "/" + total,
"Accept-Ranges": "bytes",
"Content-Length": chunksize,
"Content-Type": "video/mp4"
});
res.end(movie_mp4.slice(start, end + 1), "binary");
}
// ... [snip] ... handle two other formats for the video
}).listen(8888);
但此方法仅限于大小< 1GB 的文件。
流式传输(任何大小)视频文件fs.createReadStream
通过利用,服务器可以读取流中的文件,而不是一次将其全部读取到内存中。这听起来像是做事的正确方法,语法非常简单:fs.createReadStream()
服务器代码段:
movieStream = fs.createReadStream(pathToFile);
movieStream.on('open', function () {
res.writeHead(206, {
"Content-Range": "bytes " + start + "-" + end + "/" + total,
"Accept-Ranges": "bytes",
"Content-Length": chunksize,
"Content-Type": "video/mp4"
});
// This just pipes the read stream to the response object (which goes
//to the client)
movieStream.pipe(res);
});
movieStream.on('error', function (err) {
res.end(err);
});
这流视频就好了!但是视频控件不再起作用。