我正在尝试在node.js中获取带有HTTP请求的HTML文件的来源 - 我的问题是它返回两次数据。这是我的代码:
var req = http.request(options, function(res) {
res.setEncoding('utf8');
res.on('data', function (chunk) {
if(chunk.length > 1000) {
console.log(chunk.length);
}
});
req.on('error', function(e) {
console.log("error" + e.message);
});
});
req.end();
然后返回:
5637
3703
地狱!当我只是console.log(chunk)时,它返回所有数据,好像它是一个大字符串,当我在res.on('data'中添加类似console.log(“data starts here”)的东西时,它返回整个字符串,其中“data starts here”位于中间的某个位置,暗示它只是被拆分。
我做的每个测试都返回2个值,这真的很烦人。我可以做“if(chunk.length> 4000)”,但考虑到我所获得的页面的性质,这可能会改变。我怎样才能使所有数据在一个大块中返回?
答案 0 :(得分:2)
这些不是“2个数据主体”,它们是同一个主体的2个块(件),你必须将它们连接起来。
var req = http.request(options, function(res) {
var body = '';
res.setEncoding('utf8');
// Streams2 API
res.on('readable', function () {
var chunk = this.read() || '';
body += chunk;
console.log('chunk: ' + Buffer.byteLength(chunk) + ' bytes');
});
res.on('end', function () {
console.log('body: ' + Buffer.byteLength(body) + ' bytes');
});
req.on('error', function(e) {
console.log("error" + e.message);
});
});
req.end();