2

我目前正在使用 nodejs 服务器来模拟后端。服务器是一个网络服务器,并在不同的请求上返回 json 对象,完美无瑕。现在我必须从另一个域获取 json 对象,所以我必须代理服务器。我在 npm中找到了一个名为request的包。我可以让这个简单的例子工作,但我必须转发整个网页。

我的代理代码如下所示:

var $express = require('express'),
$http = require('http'),
$request = require('request'),
$url = require('url'),
$path = require('path'),
$util = require('util'),
$mime = require('mime');

var app = $express();

app.configure(function(){
  app.set('port', process.env.PORT || 9090);
  app.use($express.bodyParser());
  app.use($express.methodOverride());

  app.use('/', function(req, res){
    var apiUrl = 'http://localhost:9091';
    console.log(apiUrl);
    var url = apiUrl + req.url;
    req.pipe($request(url).pipe(res));
  });  
});

$http.createServer(app).listen(app.get('port'), function () {
  console.log("Express server listening on port " + app.get('port'));

  if (process.argv.length > 2 && process.argv.indexOf('-open') > -1) {
    var open = require("open");
    open('http://localhost:' + app.get('port') + '/', function (error) {
      if (error !== null) {
        console.log("Unable to lauch application in browser. Please install 'Firefox' or 'Chrome'");
      }
    });
  }
})

我正在登录真实服务器并且它运行正常,我可以跟踪获取响应,但正文是空的。我只想通过request.pipe函数从nodejs服务器传递整个网站。有任何想法吗?

4

1 回答 1

3

由于在 Node.js 中,a.pipe(b)返回b(请参阅文档),因此您的代码等效于:

// req.pipe($request(url).pipe(res))
// is equivalent to
$request(url).pipe(res);
req.pipe(res);

由于您只需要一个代理,因此无需通过管道传输(reqres这里将多个可读流传输到一个可写流是没有意义的),只需保留它,您的代理就可以工作:

$request(url).pipe(res);
于 2014-03-10T10:05:55.167 回答