4

我正在使用caolan 的“异步”模块来打开文件名数组(在本例中为模板文件名)。

根据文档,我正在使用async.forEach(),因此一旦所有操作完成,我就可以触发回调。

一个简单的测试用例是:

var async = require('async')
var fs = require('fs')

file_names = ['one','two','three'] // all these files actually exist

async.forEach(file_names, 
    function(file_name) {
        console.log(file_name)
        fs.readFile(file_name, function(error, data) {
            if ( error) {   
                console.log('oh no file missing')   
                return error
            } else {
                console.log('woo '+file_name+' found')
            }       
        })
    }, function(error) {
        if ( error) {   
            console.log('oh no errors!')
        } else {
            console.log('YAAAAAAY')
        }
    }
)

输出如下:

one
two
three
woo one found
woo two found
woo three found

即,似乎最终的回调没有触发。我需要做什么才能使最终的回调触发?

4

2 回答 2

10

在所有项目上运行的函数必须接受回调,并将其结果传递给回调。见下文(我还分离了 fileName 以提高可读性):

var async = require('async')
var fs = require('fs')

var fileNames= ['one','two','three']


// This callback was missing in the question.
var readAFile = function(fileName, callback) {
    console.log(fileName)
    fs.readFile(fileName, function(error, data) {
        if ( error) {   
            console.log('oh no file missing')   
            return callback(error)
        } else {
            console.log('woo '+fileName+' found')
            return callback()
        }       
    })
}

async.forEach(fileNames, readAFile, function(error) {
    if ( error) {   
        console.log('oh no errors!')
    } else {
        console.log('YAAAAAAY')
    }
})

回报:

one
two
three
woo one found
woo two found
woo three found
YAAAAAAY
于 2012-02-27T19:42:12.670 回答
1

在我看来,这是最好的方法。结果参数将有一个包含文件数据的字符串数组,并且所有文件都将被并行读取。

var async = require('async')
    fs    = require('fs');

async.map(['one','two','three'], function(fname,cb) {
  fs.readFile(fname, {encoding:'utf8'}, cb);
}, function(err,results) {
  console.log(err ? err : results);
});
于 2014-08-15T14:36:00.357 回答