我有一个数组,每个索引都包含文件名。我想一次下载这些文件(同步)。我知道'Async
'模块。但我想知道Lodash
或Underscore
或Bluebird
库中的任何函数是否支持此功能。
答案 0 :(得分:5)
您可以使用bluebird的Promise.mapSeries
:
var files = [
'file1',
'file2'
];
var result = Promise.mapSeries(files, function(file) {
return downloadFile(file); // << the return must be a promise
});
根据您用来下载文件的内容,您可能需要建立一个承诺。
更新1
仅使用nodejs的downloadFile()
函数的例子:
var http = require('http');
var path = require('path');
var fs = require('fs');
function downloadFile(file) {
console.time('downloaded in');
var name = path.basename(file);
return new Promise(function (resolve, reject) {
http.get(file, function (res) {
res.on('data', function (chunk) {
fs.appendFileSync(name, chunk);
});
res.on('end', function () {
console.timeEnd('downloaded in');
resolve(name);
});
});
});
}
更新2
正如Gorgi Kosev所说,使用循环建立一系列承诺也是有效的:
var p = Promise.resolve();
files.forEach(function(file) {
p = p.then(downloadFile.bind(null, file));
});
p.then(_ => console.log('done'));
承诺链只会让您获得链中最后一个承诺的结果,而mapSeries()
会为您提供一个包含每个承诺结果的数组。
答案 1 :(得分:1)
使用Bluebird,有类似于你的情况,答案如下: How to chain a variable number of promises in Q, in order?
这似乎是一个不错的解决方案,但在我看来,async.eachSeries(我知道你说你不想要&#39; async&#39;解决方案)可读性更低,但是你可以重新考虑。