我试图关注[node school] [1]的练习。有一个练习需要收集三个流,并且只在完成所有三个流时打印输出。不使用任何第三方模块。
有人可以指出为什么我的方法不起作用吗?它陷入无限循环:
var http = require('http');
var concat = require('concat-stream');
var count = 3;
var str1, str2, str3;
http.get(process.argv[2], function (response) {
response.pipe(concat(function(data) {
str1 = data.toString();
--count;
}));
});
http.get(process.argv[3], function (response) {
response.pipe(concat(function(data) {
str2 = data.toString();
--count;
}));
});
http.get(process.argv[4], function (response) {
response.pipe(concat(function(data) {
str3 = data.toString();
--count;
}));
});
function foo() {
if (count > 0) {
process.nextTick(foo);
} else {
console.log(str1);
console.log(str2);
console.log(str3);
}
};
foo();
答案 0 :(得分:0)
http.get()
回调直到事件循环的下一个滴答或更晚才能运行。 process.nextTick()
在事件循环的前面放置了一些东西,在已经存在的回调之前。
你的递归例程永远不会停止递归,因为它正在等待那些回调递减计数器,但它们永远不会触发。
如果您为process.nextTick()
换出setImmediate()
,可能会有效。 (我没有测试过,如果你这样做,嘿,让我知道它是否有效。)
但我会说完全摆脱递归。这不是必需的。你可以(例如)做这样的事情:
var count = 0;
var httpGet = function (index) {
http.get(process.argv[2 + index], function (response) {
// Do stuff here
// This next bit will probably end up inside the callback provided to concat
count++;
if (count === 3) {
// Print results here
}
})
};
for (var i = 0; i < 3; i++) {
httpGet(i);
}