web-dev-qa-db-ja.com

同じポートを介したNodejs HTTPおよびHTTPS

私はグーグルでstackoverflowを見てきましたが、私が好きな答えを見つけることができません;-)

HTTPSとポート3001で実行するNodeJSサーバーがあります。次に、ポート3001ですべての着信HTTPリクエストをフェッチし、HTTPS経由で同じURLにリダイレクトしたいと思います。

これは可能でなければなりません。そうじゃない?

ありがとう!

37
user2164996

慣例に従えば同じポートで聞く必要はありません

慣例により、http://127.0.0.1ブラウザはポート80への接続を試行します。開こうとするとhttps://127.0.0.1ブラウザはポート443に接続しようとします。したがって、すべてのトラフィックを保護するために、httpのポート80をhttpsにリダイレクトしてリッスンするのが単純です。ポート443のhttpsのリスナー。コードは次のとおりです。

var https = require('https');

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

https.createServer(options, function (req, res) {
    res.end('secure!');
}).listen(443);

// Redirect from http port 80 to https
var http = require('http');
http.createServer(function (req, res) {
    res.writeHead(301, { "Location": "https://" + req.headers['Host'] + req.url });
    res.end();
}).listen(80);

Httpsでテストします。

$ curl https://127.0.0.1 -k
secure!

Httpを使用:

$ curl http://127.0.0.1 -i
HTTP/1.1 301 Moved Permanently
Location: https://127.0.0.1/
Date: Sun, 01 Jun 2014 06:15:16 GMT
Connection: keep-alive
Transfer-Encoding: chunked

同じポートでリッスンする必要がある場合

同じポートでhttp/httpsをリッスンさせる簡単な方法はありません。最善の方法は、着信接続の性質(httpとhttps)に基づいて(httpまたはhttps)にパイプする単純なネットソケットにプロキシサーバーを作成することです。

これが完全なコードです( https://Gist.github.com/bnoordhuis/4740141 に基づいています)。 localhost:3000でリッスンし、httpにパイプし(httpsにリダイレクトします)、または着信接続がhttpsである場合は、httpsハンドラーに渡します

var fs = require('fs');
var net = require('net');
var http = require('http');
var https = require('https');

var baseAddress = 3000;
var redirectAddress = 3001;
var httpsAddress = 3002;
var httpsOptions = {
    key: fs.readFileSync('./key.pem'),
    cert: fs.readFileSync('./cert.pem')
};

net.createServer(tcpConnection).listen(baseAddress);
http.createServer(httpConnection).listen(redirectAddress);
https.createServer(httpsOptions, httpsConnection).listen(httpsAddress);

function tcpConnection(conn) {
    conn.once('data', function (buf) {
        // A TLS handshake record starts with byte 22.
        var address = (buf[0] === 22) ? httpsAddress : redirectAddress;
        var proxy = net.createConnection(address, function () {
            proxy.write(buf);
            conn.pipe(proxy).pipe(conn);
        });
    });
}

function httpConnection(req, res) {
    var Host = req.headers['Host'];
    res.writeHead(301, { "Location": "https://" + Host + req.url });
    res.end();
}

function httpsConnection(req, res) {
    res.writeHead(200, { 'Content-Length': '5' });
    res.end('HTTPS');
}

テストとして、httpsで接続すると、httpsハンドラーが取得されます。

$ curl https://127.0.0.1:3000 -k
HTTPS

httpで接続すると、リダイレクトハンドラーが取得されます(単純にhttpsハンドラーに移動します)。

$ curl http://127.0.0.1:3000 -i
HTTP/1.1 301 Moved Permanently
Location: https://127.0.0.1:3000/
Date: Sat, 31 May 2014 16:36:56 GMT
Connection: keep-alive
Transfer-Encoding: chunked
70
basarat

私はその古い質問を知っていますが、それを誰か他の人への参照として置いています。私が見つけた最も簡単な方法は、 https://github.com/mscdex/httpolyglot モジュールを使用することでした。それは非常に確実に言うことをするようです

    var httpolyglot = require('httpolyglot');
    var server = httpolyglot.createServer(options,function(req,res) {
      if (!req.socket.encrypted) {
      // Redirect to https
        res.writeHead(301, { "Location": "https://" + req.headers['Host'] + req.url });
        res.end();
      } else {
        // The express app or any other compatible app 
        app.apply(app,arguments);
      }
  });
 // Some port
 server.listen(11000);
16

HTTPとHTTPSを単一のポートで提供することが絶対要件である場合、ソケットを別のポートにパイプするのではなく、関連するHTTP実装にリクエストを直接プロキシできます。

httpx.js

'use strict';
let net = require('net');
let http = require('http');
let https = require('https');

exports.createServer = (opts, handler) => {

    let server = net.createServer(socket => {
        socket.once('data', buffer => {
            // Pause the socket
            socket.pause();

            // Determine if this is an HTTP(s) request
            let byte = buffer[0];

            let protocol;
            if (byte === 22) {
                protocol = 'https';
            } else if (32 < byte && byte < 127) {
                protocol = 'http';
            }

            let proxy = server[protocol];
            if (proxy) {
                // Push the buffer back onto the front of the data stream
                socket.unshift(buffer);

                // Emit the socket to the HTTP(s) server
                proxy.emit('connection', socket);
            }
            
            // As of NodeJS 10.x the socket must be 
            // resumed asynchronously or the socket
            // connection hangs, potentially crashing
            // the process. Prior to NodeJS 10.x
            // the socket may be resumed synchronously.
            process.nextTick(() => socket.resume()); 
        });
    });

    server.http = http.createServer(handler);
    server.https = https.createServer(opts, handler);
    return server;
};

example.js

'use strict';
let express = require('express');
let fs = require('fs');
let io =  require('socket.io');

let httpx = require('./httpx');

let opts = {
    key: fs.readFileSync('./server.key'),
    cert: fs.readFileSync('./server.cert')
};

let app = express();
app.use(express.static('public'));

let server = httpx.createServer(opts, app);
let ws = io(server.http);
let wss = io(server.https);
server.listen(8080, () => console.log('Server started'));
14
Jake Holzinger