arrays - async.series nested in async.eachSeries loop terminates early sending POST response -
i on recieving end of post call contains array of objects (requestarray). before respond post, need pass array's objects through series of functions, in sequence. chose async library me task i'm having difficulty controlling code's execution flow.
i using global array store results of each function (responsearray). of functions depend on result of prior functions. don't want use async.waterfall() because 1. i'll have rewrite code , 2. may encounter same loop termination issue. below code problematic code.
app.post('/test', function(req, res) { var importarray = req.body; var iteration = 0; async.eachseries(importarray, function(data, callback) { var index = importarray.indexof(data); var element = data.element; exportarray[index] = []; async.series([ function(callback) { process1(data, index, callback); }, function(callback) { process2(element, index, callback); }, function(callback) { process3(element, index, callback); }], function(err, results) { var str = {}; results.foreach(function(result) { if (result) { str += result + ','; } }); //callback(); // callback here = synchronous execution. if (index === req.body.length - 1) { res.send(exportarray); } }); console.log('async.eachseries() callback iteration # = ' + iteration); iteration++; callback(); // callback here = asynchronous execution. }, function(err){ if( err ) { console.log('error'); } else { console.log('all data has been processes successfully.'); } }); });
each function in async.series() returns callback(null, result). after process1() returns callback, async.eachseries() jumps next array entry before, ideal. however, async.eachseries() executes post response before of async.series() results returned. how revise code async.eachseries() finishes execution after of importarray results (exportarray) returned process1 - 3 before send post response?
i suggest ease of following async nature of code rename callbacks slightly. wait until eachseries has finished move res.send
eachseries
final callback passing in results
.
here updated code.
app.post('/test', function(req, res) { var importarray = req.body; var iteration = 0; async.eachseries(importarray, function(data, next) { var index = importarray.indexof(data); var element = data.element; exportarray[index] = []; async.series([ function(cb) { process1(data, index, cb); }, function(cb) { process2(element, index, cb); }, function(cb) { process3(element, index, cb); }], function(err, results) { var str = {}; results.foreach(function(result) { if (result) { str += result + ','; } }); console.log('async.eachseries() callback iteration # = ' + iteration); iteration++; next(null, results); }); }, function(err, results){ if(err) { return console.log('error'); } res.send(exportarray); console.log('all data has been processes successfully.'); }); });
Comments
Post a Comment