I had an async.queue implementation on my node js app but the queue.drain function recently stopped firing at all.
I suspected the issue was related to await statements I have inside task functions but I also am able to reproduce the issue using the sample on async docs
JavaScript
x
16
16
1
const async = require('async')
2
3
var q = async.queue(function(task, callback) {
4
console.log('hello ' + task.name);
5
callback();
6
}, 1);
7
8
q.drain(function() {
9
console.log('all items have been processed');
10
});
11
12
q.push({name: 'bar'});
13
q.push({name: 'foo'}, function(err) {
14
console.log('finished processing foo');
15
});
16
This will output the following on my console but not the drain statement. So is there something I am missing?
hello bar
hello foo
finished processing foo
Advertisement
Answer
Interestingly, converting the drain function into an arrow function resolved the issue.
JavaScript
1
8
1
q.drain = function () {
2
console.log('all items have been processed');
3
}
4
5
q.drain(() => {
6
console.log('all items have been processed');
7
}
8