node.jsで簡単なhttpプロキシを作成するにはどうすればよいですか?


82

HTTP GETクライアントからサードパーティのウェブサイト(Googleなど)にリクエストを渡すためのプロキシサーバーを作成しようとしています。私のプロキシは、受信リクエストをターゲットサイトの対応するパスにミラーリングする必要があるだけなので、クライアントのリクエストされたURLは次のとおりです。

127.0.0.1/images/srpr/logo11w.png

次のリソースを提供する必要があります。

http://www.google.com/images/srpr/logo11w.png

これが私が思いついたものです:

http.createServer(onRequest).listen(80);

function onRequest (client_req, client_res) {
    client_req.addListener("end", function() {
        var options = {
            hostname: 'www.google.com',
            port: 80,
            path: client_req.url,
            method: client_req.method
            headers: client_req.headers
        };
        var req=http.request(options, function(res) {
            var body;
            res.on('data', function (chunk) {
                body += chunk;
            });
            res.on('end', function () {
                 client_res.writeHead(res.statusCode, res.headers);
                 client_res.end(body);
            });
        });
        req.end();
    });
}

HTMLページではうまく機能しますが、他の種類のファイルの場合は、ターゲットサイト(サイトによって異なります)から空白のページまたはエラーメッセージが返されるだけです。


1
回答の用途にもかかわらずhttp、高い抽象化へのローから関連モジュールの順序は次のとおりです。nodehttpconnectexpressから取らstackoverflow.com/questions/6040012/...
neaumusic

回答:


102

サードパーティのサーバーから受信した応答を処理するのは良い考えではないと思います。これにより、プロキシサーバーのメモリフットプリントが増加するだけです。さらに、それがコードが機能しない理由です。

代わりに、応答をクライアントに渡してみてください。次のスニペットを検討してください。

var http = require('http');

http.createServer(onRequest).listen(3000);

function onRequest(client_req, client_res) {
  console.log('serve: ' + client_req.url);

  var options = {
    hostname: 'www.google.com',
    port: 80,
    path: client_req.url,
    method: client_req.method,
    headers: client_req.headers
  };

  var proxy = http.request(options, function (res) {
    client_res.writeHead(res.statusCode, res.headers)
    res.pipe(client_res, {
      end: true
    });
  });

  client_req.pipe(proxy, {
    end: true
  });
}

1
感謝しますが、サードパーティサーバーの応答を処理および/または操作してから、クライアントに渡す必要があります。それを実装する方法はありますか?
Nasser Torabzade 2013

4
その場合、content-typeヘッダーを維持する必要があります。content-typeのデフォルトはtext/html、画像/ PDFまたはその他のコンテンツの場合、正しいヘッダーを渡すようにするため、HTMLデータは前述のように機能します。回答に適用する変更を共有していただければ、さらにサポートを提供できるようになります。
vmx

5
プロキシモジュールを使用するべきではありません:github.com/nodejitsu/node-http-proxy
Maciej Jankowski 2014年

1
リクエストヘッダーを保持する方法を知っている人はいますか?
フィル

1
素晴らしいですが、完全には正しくありません...リモートサーバーにリダイレクトがある場合、このコードは機能しません
Zibri 2018年

27

これnode-http-proxyはfromnodejitsuを使用した実装です。

var http = require('http');
var httpProxy = require('http-proxy');
var proxy = httpProxy.createProxyServer({});

http.createServer(function(req, res) {
    proxy.web(req, res, { target: 'http://www.google.com' });
}).listen(3000);

4
node-http-proxyは、主にリバースプロキシ用だと思います...、外部クライアントから、パブリックIPアドレスの標準ポートでの接続を受け入れるリバースノードプロキシを介して、ローカルIPおよび非標準ポートで実行されている内部サーバーへ。
晴れ

@Samir確かに、それはあなたがそれでできることの1つです。それはかなり柔軟です。
bosgood 2015

12

これは、リダイレクトを処理するリクエストを使用するプロキシサーバーです。プロキシURLhttp ://domain.com:3000 /? url = [ your_url]を押して使用します

var http = require('http');
var url = require('url');
var request = require('request');

http.createServer(onRequest).listen(3000);

function onRequest(req, res) {

    var queryData = url.parse(req.url, true).query;
    if (queryData.url) {
        request({
            url: queryData.url
        }).on('error', function(e) {
            res.end(e);
        }).pipe(res);
    }
    else {
        res.end("no url found");
    }
}

3
こんにちはヘンリー、リクエストのヘッダーを追加する方法は?
KCN

ラインは、res.end(e);TypeError [ERR_INVALID_ARG_TYPE]: The "chunk" argument must be of type string or an instance of Buffer. Received an instance of Error
Niel de Wet

6

非常にシンプルで読みやすい、Node.js(v8.1.0でテスト済み)だけを使用してローカルHTTPサーバーへのローカルプロキシサーバーを作成する方法は次のとおりです。私はそれが統合テストに特に役立つと思ったので、ここに私のシェアがあります:

/**
 * Once this is running open your browser and hit http://localhost
 * You'll see that the request hits the proxy and you get the HTML back
 */

'use strict';

const net = require('net');
const http = require('http');

const PROXY_PORT = 80;
const HTTP_SERVER_PORT = 8080;

let proxy = net.createServer(socket => {
    socket.on('data', message => {
        console.log('---PROXY- got message', message.toString());

        let serviceSocket = new net.Socket();

        serviceSocket.connect(HTTP_SERVER_PORT, 'localhost', () => {
            console.log('---PROXY- Sending message to server');
            serviceSocket.write(message);
        });

        serviceSocket.on('data', data => {
            console.log('---PROXY- Receiving message from server', data.toString();
            socket.write(data);
        });
    });
});

let httpServer = http.createServer((req, res) => {
    switch (req.url) {
        case '/':
            res.writeHead(200, {'Content-Type': 'text/html'});
            res.end('<html><body><p>Ciao!</p></body></html>');
            break;
        default:
            res.writeHead(404, {'Content-Type': 'text/plain'});
            res.end('404 Not Found');
    }
});

proxy.listen(PROXY_PORT);
httpServer.listen(HTTP_SERVER_PORT);

https://gist.github.com/fracasula/d15ae925835c636a5672311ef584b999


4

バイナリファイルはデータイベントハンドラーで文字列にキャストできないため、コードは機能しません。バイナリファイルを操作する必要がある場合は、バッファを使用する必要があります。申し訳ありませんが、私の場合はHTMLファイルを操作する必要があったため、バッファを使用する例はありません。コンテンツタイプを確認し、text / htmlファイルについては必要に応じて更新します。

app.get('/*', function(clientRequest, clientResponse) {
  var options = { 
    hostname: 'google.com',
    port: 80, 
    path: clientRequest.url,
    method: 'GET'
  };  

  var googleRequest = http.request(options, function(googleResponse) { 
    var body = ''; 

    if (String(googleResponse.headers['content-type']).indexOf('text/html') !== -1) {
      googleResponse.on('data', function(chunk) {
        body += chunk;
      }); 

      googleResponse.on('end', function() {
        // Make changes to HTML files when they're done being read.
        body = body.replace(/google.com/gi, host + ':' + port);
        body = body.replace(
          /<\/body>/, 
          '<script src="http://localhost:3000/new-script.js" type="text/javascript"></script></body>'
        );

        clientResponse.writeHead(googleResponse.statusCode, googleResponse.headers);
        clientResponse.end(body);
      }); 
    }   
    else {
      googleResponse.pipe(clientResponse, {
        end: true
      }); 
    }   
  }); 

  googleRequest.end();
});    

3

これは、ウェブサイトのContent-Typeを適切に取得し、POSTおよびGETリクエストをサポートし、ブラウザのUser-Agentを使用して、ウェブサイトがプロキシをブラウザとして識別できるようにする、上記のマイクの回答のより最適化されたバージョンです。変更するだけでURLを設定でき、url =手動で行うことなくHTTPおよびHTTPSのものを自動的に設定します。

var express = require('express')
var app = express()
var https = require('https');
var http = require('http');
const { response } = require('express');


app.use('/', function(clientRequest, clientResponse) {
    var url;
    url = 'https://www.google.com'
    var parsedHost = url.split('/').splice(2).splice(0, 1).join('/')
    var parsedPort;
    var parsedSSL;
    if (url.startsWith('https://')) {
        parsedPort = 443
        parsedSSL = https
    } else if (url.startsWith('http://')) {
        parsedPort = 80
        parsedSSL = http
    }
    var options = { 
      hostname: parsedHost,
      port: parsedPort,
      path: clientRequest.url,
      method: clientRequest.method,
      headers: {
        'User-Agent': clientRequest.headers['user-agent']
      }
    };  
  
    var serverRequest = parsedSSL.request(options, function(serverResponse) { 
      var body = '';   
      if (String(serverResponse.headers['content-type']).indexOf('text/html') !== -1) {
        serverResponse.on('data', function(chunk) {
          body += chunk;
        }); 
  
        serverResponse.on('end', function() {
          // Make changes to HTML files when they're done being read.
          body = body.replace(`example`, `Cat!` );
  
          clientResponse.writeHead(serverResponse.statusCode, serverResponse.headers);
          clientResponse.end(body);
        }); 
      }   
      else {
        serverResponse.pipe(clientResponse, {
          end: true
        }); 
        clientResponse.contentType(serverResponse.headers['content-type'])
      }   
    }); 
  
    serverRequest.end();
  });    


  app.listen(3000)
  console.log('Running on 0.0.0.0:3000')

ここに画像の説明を入力してください

ここに画像の説明を入力してください


1

私はnodejsで、メッセージのオプションのデコードを使用してHTTPSを処理するプロキシを作成しました。このプロキシは、企業プロキシを通過するためにプロキシ認証ヘッダーを追加することもできます。企業プロキシの使用法を設定するには、proxy.pacファイルを見つけるためのURLを引数として指定する必要があります。

https://github.com/luckyrantanplan/proxy-to-proxy-https

弊社のサイトを使用することにより、あなたは弊社のクッキーポリシーおよびプライバシーポリシーを読み、理解したものとみなされます。
Licensed under cc by-sa 3.0 with attribution required.