我想发一个HTTP GET请求,然后在最后一个请求完成后立即触发另一个请求。每个请求都接近相同(路径变化很小)。
我无法理解为什么以下内容无效(简化版):
var options = { ... } // host, port etc
var req = request(options, function(res) {
res.on('data', function(chunk) {
data+=chunk;
});
res.on('end', function() {
db.insert(data);
options.path = somewhat_new_path;
req.end(); // doesn't do anything
});
});
req.end();
我知道有许多库等对异步代码进行排序,但我真的很想理解为什么我不能以这种方式实现异步循环。
答案 0 :(得分:0)
req.end()
完成请求。在您完成请求之前,响应将不会开始。因此req.end()
内的res.on('end',function(){})
没有任何意义。
如果您想通过其他路径发出另一个请求,可以执行以下操作:
var http = require('http');
var options = { ... } // host, port etc
makeRequest(options, function() {
db.insert(data);
options.path = somewhat_new_path;
makeRequest(options, function() { //this will make a recursive synchronous call
db.insert(data);
});
});
options.path = another_path;
makeRequest(options, function() { //this will make a asynchronous call
db.insert(data);
});
var makeRequest = function(options, callback) {
http.request(options, function(res) {
res.on('data', function(chunk) {
data+=chunk;
});
res.on('end', callback);
}).end();
}