nodejs断点下载
时间: 2023-11-25 20:52:25 浏览: 147
前端使用 node fs模块实现文件断点续传 (下载续传)
为了实现Node.js的断点下载,我们可以使用HTTP请求头中的Range属性。Range属性指定了客户端想要获取的资源的范围,服务器可以根据这个范围返回相应的数据。以下是一个简单的Node.js实现断点下载的例子:
```javascript
const http = require('http');
const fs = require('fs');
const file = 'example.mp4';
const port = 3000;
http.createServer((req, res) => {
const stat = fs.statSync(file);
const fileSize = stat.size;
const range = req.headers.range;
if (range) {
const parts = range.replace(/bytes=/, '').split('-');
const start = parseInt(parts[0], 10);
const end = parts[1] ? parseInt(parts[1], 10) : fileSize - 1;
const chunkSize = end - start + 1;
const fileStream = fs.createReadStream(file, { start, end });
const head = {
'Content-Range': `bytes ${start}-${end}/${fileSize}`,
'Accept-Ranges': 'bytes',
'Content-Length': chunkSize,
'Content-Type': 'video/mp4',
};
res.writeHead(206, head);
fileStream.pipe(res);
} else {
const head = {
'Content-Length': fileSize,
'Content-Type': 'video/mp4',
};
res.writeHead(200, head);
fs.createReadStream(file).pipe(res);
}
}).listen(port, () => {
console.log(`Server running at http://localhost:${port}/`);
});
```
在这个例子中,我们创建了一个HTTP服务器,监听在3000端口。当客户端请求example.mp4文件时,服务器会读取文件的大小,并根据请求头中的Range属性返回相应的数据。如果请求头中没有Range属性,服务器会返回整个文件。
阅读全文