如何使用Node.js中的http.request限制响应长度

时间:2013-03-26 11:36:43

标签: node.js http

所以在这个(简化的)代码中,当有人点击我的节点服务器时,我向另一个网站发出GET请求并将HTML页面标题打印到控制台。工作正常:

var http = require("http");
var cheerio = require('cheerio');

var port = 8081;
s = http.createServer(function (req, res) {
var opts = {
    method: 'GET',
    port: 80,
    hostname: "pwoing.com",
    path: "/"
};
http.request(opts, function(response) {
    console.log("Content-length: ", response.headers['content-length']);
    var str = '';
    response.on('data', function (chunk) {
        str += chunk;
    });
    response.on('end', function() {
        dom = cheerio.load(str);
        var title = dom('title');
        console.log("PAGE TITLE: ",title.html());
    });
}).end();
res.end("Done.");
}).listen(port, '127.0.0.1');

但是,在实际的应用中,用户可以指定要点击的网址。这意味着我的节点服务器可能正在下载20GB的电影文件或其他什么。不好。内容长度标头不能用于停止它,因为它不是由所有服务器传输的。那么问题是:

如果收到前10KB,我怎么能告诉它停止GET请求?

干杯!

1 个答案:

答案 0 :(得分:13)

一旦您阅读了足够的数据,您就可以中止请求:

  http.request(opts, function(response) {
    var request = this;
    console.log("Content-length: ", response.headers['content-length']);
    var str = '';
    response.on('data', function (chunk) {
      str += chunk;
      if (str.length > 10000)
      {
        request.abort();
      }
    });
    response.on('end', function() {
      console.log('done', str.length);
      ...
    });
  }).end();

这将在#em> 10.000字节处中止请求,因为数据以各种大小的块的形式到达。