1

我正在尝试借助使用 node-http-proxy 创建的代理来修改响应。但是我无法访问响应标头。我想访问响应标头,因为我想修改 javascript 文件并将修改后的 javascript 文件发送到客户端。

这是我的代码:

var httpProxy = require('http-proxy');
var url = require('url');
var i = 0;

httpProxy.createServer(function(req, res, next) {
    var oldwriteHead = res.writeHead;
    res.writeHead = function(code, headers) {
        oldwriteHead.call(res, code, headers);
        console.log(headers); //this is undefined
    };
    next();
}, function(req, res, proxy) {
    var urlObj = url.parse(req.url);

    req.headers.host = urlObj.host;
    req.url = urlObj.path;

    proxy.proxyRequest(req, res, {
        host: urlObj.host,
        port: 80,
        enable: {xforward: true}
    });
}).listen(9000, function() {
    console.log("Waiting for requests...");
});
4

1 回答 1

2

writeHead()不一定必须使用标头数组调用,write()如果需要也可以发送标头。

如果你想访问标题(或设置它们),你可以使用这个:

res.writeHead = function() {
  // To set:
  this.setHeader('your-header', 'your-header-value');

  // To read:
  console.log('Content-type:', this.getHeader('content-type'));

  // Call the original method !!! see text
  oldwriteHead.apply(this, arguments);
};

apply()用来将所有参数传递给旧方法,因为writeHead()实际上可以有 3 个参数,而您的代码只假设有两个。

于 2013-05-28T05:55:20.183 回答