196

为了避免同域 AJAX 问题,我希望我的 node.js Web 服务器将所有请求从 URL 转发/api/BLABLA到另一台服务器,例如other_domain.com:3000/BLABLA,并以透明方式向用户返回此远程服务器返回的相同内容。

所有其他 URL(旁边/api/*)将直接提供,无需代理。

如何使用 node.js + express.js 实现这一点?你能举一个简单的代码例子吗?

(Web 服务器和远程3000服务器都在我的控制之下,都运行 node.js 和 express.js)


到目前为止,我发现了这个https://github.com/http-party/node-http-proxy,但是阅读那里的文档并没有让我更聪明。我结束了

var proxy = new httpProxy.RoutingProxy();
app.all("/api/*", function(req, res) {
    console.log("old request url " + req.url)
    req.url = '/' + req.url.split('/').slice(2).join('/'); // remove the '/api' part
    console.log("new request url " + req.url)
    proxy.proxyRequest(req, res, {
        host: "other_domain.com",
        port: 3000
    });
});

但是没有任何东西返回到原始 Web 服务器(或最终用户),所以没有运气。

4

10 回答 10

237

request自 2020 年 2 月起已被弃用,由于历史原因,我将在下面留下答案,但请考虑移至本期中列出的替代方案。

档案

我做了类似的事情,但我使用了request代替:

var request = require('request');
app.get('/', function(req,res) {
  //modify the url in any way you want
  var newurl = 'http://google.com/';
  request(newurl).pipe(res);
});

我希望这会有所帮助,我花了一段时间才意识到我可以做到这一点:)

于 2013-06-04T17:56:10.470 回答
111

我找到了一个更短且非常简单的解决方案,它可以无缝工作,并且还可以使用身份验证,使用express-http-proxy

const url = require('url');
const proxy = require('express-http-proxy');

// New hostname+path as specified by question:
const apiProxy = proxy('other_domain.com:3000/BLABLA', {
    proxyReqPathResolver: req => url.parse(req.baseUrl).path
});

然后简单地说:

app.use('/api/*', apiProxy);

注意:正如@MaxPRafferty 所述,使用req.originalUrl代替baseUrl来保留查询字符串:

    forwardPath: req => url.parse(req.baseUrl).path

更新:正如安德鲁所提到的(谢谢!),有一个使用相同原理的现成解决方案:

npm i --save http-proxy-middleware

接着:

const proxy = require('http-proxy-middleware')
var apiProxy = proxy('/api', {target: 'http://www.example.org/api'});
app.use(apiProxy)

文档:Github 上的 http-proxy-middleware

我知道我加入这个聚会迟到了,但我希望这对某人有所帮助。

于 2015-09-24T08:40:35.093 回答
65

您想使用http.request创建一个对远程 API 的类似请求并返回其响应。

像这样的东西:

const http = require('http');
// or use import http from 'http';


/* your app config here */

app.post('/api/BLABLA', (oreq, ores) => {
  const options = {
    // host to forward to
    host: 'www.google.com',
    // port to forward to
    port: 80,
    // path to forward to
    path: '/api/BLABLA',
    // request method
    method: 'POST',
    // headers to send
    headers: oreq.headers,
  };

  const creq = http
    .request(options, pres => {
      // set encoding
      pres.setEncoding('utf8');

      // set http status code based on proxied response
      ores.writeHead(pres.statusCode);

      // wait for data
      pres.on('data', chunk => {
        ores.write(chunk);
      });

      pres.on('close', () => {
        // closed, let's end client request as well
        ores.end();
      });

      pres.on('end', () => {
        // finished, let's finish client request as well
        ores.end();
      });
    })
    .on('error', e => {
      // we got an error
      console.log(e.message);
      try {
        // attempt to set error message and http status
        ores.writeHead(500);
        ores.write(e.message);
      } catch (e) {
        // ignore
      }
      ores.end();
    });

  creq.end();
});

注意:我还没有真正尝试过上面的方法,所以它可能包含解析错误,希望这会给你一个关于如何让它工作的提示。

于 2012-05-03T16:47:48.633 回答
50

扩展trigoman的答案(他的全部学分)以使用 POST(也可以使用 PUT 等):

app.use('/api', function(req, res) {
  var url = 'YOUR_API_BASE_URL'+ req.url;
  var r = null;
  if(req.method === 'POST') {
     r = request.post({uri: url, json: req.body});
  } else {
     r = request(url);
  }

  req.pipe(r).pipe(res);
});
于 2014-03-11T13:01:00.050 回答
25

我使用以下设置将所有内容定向/rest到后端服务器(端口 8080),并将所有其他请求定向到前端服务器(端口 3001 上的 webpack 服务器)。它支持所有 HTTP 方法,不会丢失任何请求元信息并支持 websockets(我需要热重载)

var express  = require('express');
var app      = express();
var httpProxy = require('http-proxy');
var apiProxy = httpProxy.createProxyServer();
var backend = 'http://localhost:8080',
    frontend = 'http://localhost:3001';

app.all("/rest/*", function(req, res) {
  apiProxy.web(req, res, {target: backend});
});

app.all("/*", function(req, res) {
    apiProxy.web(req, res, {target: frontend});
});

var server = require('http').createServer(app);
server.on('upgrade', function (req, socket, head) {
  apiProxy.ws(req, socket, head, {target: frontend});
});
server.listen(3000);
于 2016-05-07T08:14:06.680 回答
16

首先安装 express 和 http-proxy-middleware

npm install express http-proxy-middleware --save

然后在你的 server.js

const express = require('express');
const proxy = require('http-proxy-middleware');

const app = express();
app.use(express.static('client'));

// Add middleware for http proxying 
const apiProxy = proxy('/api', { target: 'http://localhost:8080' });
app.use('/api', apiProxy);

// Render your site
const renderIndex = (req, res) => {
  res.sendFile(path.resolve(__dirname, 'client/index.html'));
}
app.get('/*', renderIndex);

app.listen(3000, () => {
  console.log('Listening on: http://localhost:3000');
});

在此示例中,我们在端口 3000 上为站点提供服务,但是当请求以 /api 结尾时,我们将其重定向到 localhost:8080。

http://localhost:3000/api/login重定向到http://localhost:8080/api/login

于 2017-01-17T16:52:33.683 回答
6

好的,这是使用 require('request') npm 模块和环境变量 * 而不是硬编码代理的准备复制粘贴答案):

咖啡脚本

app.use (req, res, next) ->                                                 
  r = false
  method = req.method.toLowerCase().replace(/delete/, 'del')
  switch method
    when 'get', 'post', 'del', 'put'
      r = request[method](
        uri: process.env.PROXY_URL + req.url
        json: req.body)
    else
      return res.send('invalid method')
  req.pipe(r).pipe res

javascript:

app.use(function(req, res, next) {
  var method, r;
  method = req.method.toLowerCase().replace(/delete/,"del");
  switch (method) {
    case "get":
    case "post":
    case "del":
    case "put":
      r = request[method]({
        uri: process.env.PROXY_URL + req.url,
        json: req.body
      });
      break;
    default:
      return res.send("invalid method");
  }
  return req.pipe(r).pipe(res);
});
于 2015-04-20T15:50:51.997 回答
2

我找到了一个更短的解决方案,它完全符合我的要求https://github.com/http-party/node-http-proxy

安装后http-proxy

npm install http-proxy --save

在你的 server/index/app.js 中像下面这样使用它

var proxyServer = require('http-route-proxy');
app.use('/api/BLABLA/', proxyServer.connect({
  to: 'other_domain.com:3000/BLABLA',
  https: true,
  route: ['/']
}));

为了避免这个问题,我真的花了好几天的时间到处寻找,尝试了很多解决方案,但除了这个之外,它们都没有奏效。

希望它也能帮助别人:)

于 2016-10-18T20:39:25.293 回答
1

我认为你应该使用cors npm

const app = express();
const cors = require('cors');
var corsOptions = {
    origin: 'http://localhost:3000',
    optionsSuccessStatus: 200 // some legacy browsers (IE11, various SmartTVs) choke on 204
}
app.use(cors(corsOptions));

https://www.npmjs.com/package/cors

于 2021-04-06T02:01:07.820 回答
0

我没有快递样品,但有一个普通http-proxy包装的。我用于博客的代理的一个非常精简的版本。

简而言之,所有 nodejs http 代理包都工作在 http 协议级别,而不是 tcp(socket) 级别。对于 express 和所有 express 中间件也是如此。它们都不能做透明代理,也不能做 NAT,这意味着将传入流量源 IP 保留在发送到后端 Web 服务器的数据包中。

但是,Web 服务器可以从 http x-forwarded 标头中获取原始 IP 并将其添加到日志中。

xfwd: trueinproxyOption启用 x-forward 标头功能http-proxy

const url = require('url');
const proxy = require('http-proxy');

proxyConfig = {
    httpPort: 8888,
    proxyOptions: {
        target: {
            host: 'example.com',
            port: 80
        },
        xfwd: true // <--- This is what you are looking for.
    }
};

function startProxy() {

    proxy
        .createServer(proxyConfig.proxyOptions)
        .listen(proxyConfig.httpPort, '0.0.0.0');

}

startProxy();

X-Forwarded Header 参考:https ://en.wikipedia.org/wiki/X-Forwarded-For

我的代理的完整版:https ://github.com/J-Siu/ghost-https-nodejs-proxy

于 2017-03-24T05:44:18.057 回答