我正在使用出色的Request库在Node中下载我正在使用的小型命令行工具中的文件。Request非常适合拉入单个文件,完全没有问题,但不适用于ZIP。
例如,我正在尝试下载URL上的Twitter Bootstrap存档:
http://twitter.github.com/bootstrap/assets/bootstrap.zip
该代码的相关部分是:
var fileUrl = "http://twitter.github.com/bootstrap/assets/bootstrap.zip"; var output = "bootstrap.zip"; request(fileUrl, function(err, resp, body) { if(err) throw err; fs.writeFile(output, body, function(err) { console.log("file written!"); } }
我也尝试将编码设置为“二进制”,但没有运气。实际的zip约为74KB,但是通过上述代码下载时约为134KB,并在Finder中双击以提取它,我得到了错误:
无法将“引导程序”提取到“ nodetest”(错误21-是目录)
我感觉这是一个编码问题,但不确定从这里开始。
是的,问题出在编码上。当您等待整个传输完成时body,默认情况下将其强制为字符串。您可以通过将选项设置为来告诉request您一个Buffer替代encoding项null:
body
request
Buffer
encoding
null
var fileUrl = "http://twitter.github.com/bootstrap/assets/bootstrap.zip"; var output = "bootstrap.zip"; request({url: fileUrl, encoding: null}, function(err, resp, body) { if(err) throw err; fs.writeFile(output, body, function(err) { console.log("file written!"); }); });
另一个更优雅的解决方案是使用pipe()将响应指向文件可写流:
pipe()
request('http://twitter.github.com/bootstrap/assets/bootstrap.zip') .pipe(fs.createWriteStream('bootstrap.zip')) .on('close', function () { console.log('File written!'); });
一个班轮总是赢:)
pipe()返回目标流(在这种情况下为WriteStream),因此您可以侦听其close事件以在写入文件时得到通知。
close