web-dev-qa-db-ja.com

node.jsのHTTPSプロキシサーバー

_node.js_プロキシサーバーアプリケーションを開発していますが、HTTPおよびHTTPS(SSL)プロトコル(サーバーとして)をサポートする必要があります。

私は現在 _node-http-proxy_ を次のように使用しています:

_const httpProxy = require('http-proxy'),
      http = require('http');

var server = httpProxy.createServer(9000, 'localhost', function(req, res, proxy) {
    console.log(req.url);
    proxy.proxyRequest(req, res);
});

http.createServer(function(req, res) {
    res.end('hello!');
}).listen(9000);

server.listen(8000);
_

_localhost:8000_でHTTPプロキシを使用するようにブラウザーをセットアップすると、動作します。また、HTTPSリクエストをキャッチしたい(つまり、HTTPSプロキシとして_localhost:8000_を使用するようにブラウザを設定し、アプリケーションでリクエストをキャッチしたい)。どうすればそれができますか?

[〜#〜] ps [〜#〜]

upgradeサーバーオブジェクトのhttpProxyイベントにサブスクライブすると、リクエストを取得できますが、リクエストを転送してクライアントに応答を送信する方法がわかりません。

_server.on('upgrade', function(req, socket, head) {
    console.log(req.url);
    // I don't know how to forward the request and send the response to client
});
_

任意の助けをいただければ幸いです。

31
user1051478

これに対する解決策はほとんど存在せず、1台のサーバーでbothをサポートするためのドキュメントは良くても不十分です。ここでのコツは、クライアントプロキシ構成がhttpsリクエストをhttpプロキシサーバーに送信する可能性があることを理解することです。これは、HTTPプロキシを指定してから「すべてのプロトコルで同じ」をオンにした場合、Firefoxに当てはまります。

「connect」イベントをリッスンすることにより、HTTPサーバーに送信されるhttps接続を処理できます。接続イベントでは応答オブジェクトにアクセスできず、ソケットとボディヘッドのみにアクセスできることに注意してください。このソケットを介して送信されるデータは、プロキシサーバーとして暗号化されたままになります。

このソリューションでは、独自の証明書を作成する必要はなく、結果として証明書の競合は発生しません。トラフィックは単にプロキシされ、傍受されたり、異なる証明書で書き換えられたりすることはありません。

//  Install npm dependencies first
//  npm init
//  npm install --save [email protected]
//  npm install --save [email protected]

var httpProxy = require("http-proxy");
var http = require("http");
var url = require("url");
var net = require('net');

var server = http.createServer(function (req, res) {
  var urlObj = url.parse(req.url);
  var target = urlObj.protocol + "//" + urlObj.Host;

  console.log("Proxy HTTP request for:", target);

  var proxy = httpProxy.createProxyServer({});
  proxy.on("error", function (err, req, res) {
    console.log("proxy error", err);
    res.end();
  });

  proxy.web(req, res, {target: target});
}).listen(8080);  //this is the port your clients will connect to

var regex_hostport = /^([^:]+)(:([0-9]+))?$/;

var getHostPortFromString = function (hostString, defaultPort) {
  var Host = hostString;
  var port = defaultPort;

  var result = regex_hostport.exec(hostString);
  if (result != null) {
    Host = result[1];
    if (result[2] != null) {
      port = result[3];
    }
  }

  return ( [Host, port] );
};

server.addListener('connect', function (req, socket, bodyhead) {
  var hostPort = getHostPortFromString(req.url, 443);
  var hostDomain = hostPort[0];
  var port = parseInt(hostPort[1]);
  console.log("Proxying HTTPS request for:", hostDomain, port);

  var proxySocket = new net.Socket();
  proxySocket.connect(port, hostDomain, function () {
      proxySocket.write(bodyhead);
      socket.write("HTTP/" + req.httpVersion + " 200 Connection established\r\n\r\n");
    }
  );

  proxySocket.on('data', function (chunk) {
    socket.write(chunk);
  });

  proxySocket.on('end', function () {
    socket.end();
  });

  proxySocket.on('error', function () {
    socket.write("HTTP/" + req.httpVersion + " 500 Connection error\r\n\r\n");
    socket.end();
  });

  socket.on('data', function (chunk) {
    proxySocket.write(chunk);
  });

  socket.on('end', function () {
    proxySocket.end();
  });

  socket.on('error', function () {
    proxySocket.end();
  });

});
31
y3sh

私の依存関係のないソリューション(純粋なNodeJSシステムライブラリ)は次のとおりです。

const http = require('http')
const port = process.env.PORT || 9191
const net = require('net')
const url = require('url')

const requestHandler = (req, res) => { // discard all request to proxy server except HTTP/1.1 CONNECT method
  res.writeHead(405, {'Content-Type': 'text/plain'})
  res.end('Method not allowed')
}

const server = http.createServer(requestHandler)

const listener = server.listen(port, (err) => {
  if (err) {
    return console.error(err)
  }
  const info = listener.address()
  console.log(`Server is listening on address ${info.address} port ${info.port}`)
})

server.on('connect', (req, clientSocket, head) => { // listen only for HTTP/1.1 CONNECT method
  console.log(clientSocket.remoteAddress, clientSocket.remotePort, req.method, req.url)
  if (!req.headers['proxy-authorization']) { // here you can add check for any username/password, I just check that this header must exist!
    clientSocket.write([
      'HTTP/1.1 407 Proxy Authentication Required',
      'Proxy-Authenticate: Basic realm="proxy"',
      'Proxy-Connection: close',
    ].join('\r\n'))
    clientSocket.end('\r\n\r\n')  // empty body
    return
  }
  const {port, hostname} = url.parse(`//${req.url}`, false, true) // extract destination Host and port from CONNECT request
  if (hostname && port) {
    const serverErrorHandler = (err) => {
      console.error(err.message)
      if (clientSocket) {
        clientSocket.end(`HTTP/1.1 500 ${err.message}\r\n`)
      }
    }
    const serverEndHandler = () => {
      if (clientSocket) {
        clientSocket.end(`HTTP/1.1 500 External Server End\r\n`)
      }
    }
    const serverSocket = net.connect(port, hostname) // connect to destination Host and port
    const clientErrorHandler = (err) => {
      console.error(err.message)
      if (serverSocket) {
        serverSocket.end()
      }
    }
    const clientEndHandler = () => {
      if (serverSocket) {
        serverSocket.end()
      }
    }
    clientSocket.on('error', clientErrorHandler)
    clientSocket.on('end', clientEndHandler)
    serverSocket.on('error', serverErrorHandler)
    serverSocket.on('end', serverEndHandler)
    serverSocket.on('connect', () => {
      clientSocket.write([
        'HTTP/1.1 200 Connection Established',
        'Proxy-agent: Node-VPN',
      ].join('\r\n'))
      clientSocket.write('\r\n\r\n') // empty body
      // "blindly" (for performance) pipe client socket and destination socket between each other
      serverSocket.pipe(clientSocket, {end: false})
      clientSocket.pipe(serverSocket, {end: false})
    })
  } else {
    clientSocket.end('HTTP/1.1 400 Bad Request\r\n')
    clientSocket.destroy()
  }
})

このコードをFirefoxのプロキシ設定でテストしました(ユーザー名とパスワードを要求することさえあります!)。コードでわかるように、このコードが実行されるマシンのIPアドレスと9191ポートを入力しました。 「すべてのプロトコルにこのプロキシサーバーを使用する」も設定します。このコードをローカルおよびVPSで実行します-どちらの場合でも動作します!

Curlを使用してNodeJSプロキシをテストできます。

curl -x http://username:[email protected]:9191 https://www.google.com/
10
Alexey Volodko

http-proxy モジュールを使用してhttp/httpsプロキシを作成しました: https://Gist.github.com/ncthis/6863947

現在のコード:

var fs = require('fs'),
  http = require('http'),
  https = require('https'),
  httpProxy = require('http-proxy');

var isHttps = true; // do you want a https proxy?

var options = {
  https: {
    key: fs.readFileSync('key.pem'),
    cert: fs.readFileSync('key-cert.pem')
  }
};

// this is the target server
var proxy = new httpProxy.HttpProxy({
  target: {
    Host: '127.0.0.1',
    port: 8080
  }
});

if (isHttps)
  https.createServer(options.https, function(req, res) {
    console.log('Proxying https request at %s', new Date());
    proxy.proxyRequest(req, res);
  }).listen(443, function(err) {
    if (err)
      console.log('Error serving https proxy request: %s', req);

    console.log('Created https proxy. Forwarding requests from %s to %s:%s', '443', proxy.target.Host, proxy.target.port);
  });
else
  http.createServer(options.https, function(req, res) {
    console.log('Proxying http request at %s', new Date());
    console.log(req);
    proxy.proxyRequest(req, res);
  }).listen(80, function(err) {
    if (err)
      console.log('Error serving http proxy request: %s', req);

    console.log('Created http proxy. Forwarding requests from %s to %s:%s', '80', proxy.target.Host, proxy.target.port);
  });
8
ncabral

Node-http-proxyドキュメントには、この例が含まれています。 https://github.com/nodejitsu/node-http-proxy で「HTTPSからHTTPSへのプロキシ」を探してください。設定プロセスはブラウザごとに若干異なります。一部のプロトコルには、すべてのプロトコルにプロキシ設定を使用するオプションがあります。 SSLプロキシを個別に構成する必要があるものもあります。

2