node.js, socket.io con SSL


163

Sto cercando di far funzionare socket.io con il mio certificato SSL, tuttavia non si collegherà.

Ho basato il mio codice sull'esempio di chat:

var https = require('https');
var fs = require('fs');
/**
 * Bootstrap app.
 */
var sys = require('sys')
require.paths.unshift(__dirname + '/../../lib/');

/**
* Module dependencies.
*/

var express = require('express')
  , stylus = require('stylus')
  , nib = require('nib')
  , sio = require('socket.io');

/**
 * App.
 */
var privateKey = fs.readFileSync('../key').toString();
var certificate = fs.readFileSync('../crt').toString();
var ca = fs.readFileSync('../intermediate.crt').toString();

var app = express.createServer({key:privateKey,cert:certificate,ca:ca });


/**
 * App configuration.
 */

...

/**
 * App routes.
 */

app.get('/', function (req, res) {
  res.render('index', { layout: false });
});

/**
 * App listen.
 */

app.listen(443, function () {
  var addr = app.address();
  console.log('   app listening on http://' + addr.address + ':' + addr.port);
});

/**
 * Socket.IO server (single process only)
 */

var io = sio.listen(app,{key:privateKey,cert:certificate,ca:ca});
...

Se rimuovo il codice SSL funziona correttamente, tuttavia con esso ottengo una richiesta a http://domain.com/socket.io/1/?t=1309967919512

Nota che non sta provando https, il che causa un errore.

Sto testando su Chrome, poiché è il browser di destinazione per questa applicazione.

Mi scuso se questa è una domanda semplice, sono un principiante node / socket.io.

Grazie!


Il tuo client sta tentando di connettersi a un URI con prefisso 'wss: //'.
Kanaka,

no, non ci arriva, invia la richiesta a domain.com/socket.io/1/?t=1309967919512 e poi muore.
Oltre il

Come si specifica l'indirizzo a cui connettersi? "domain.com" suona come un segnaposto nella libreria lato client socket.io. Puoi pubblicare il codice Javascript del tuo client che stai utilizzando per connetterti?
Kanaka,

1
il progetto è su github: github.com/BCCasino/BCCasino
Oltre il

fondamentalmente visto che il suo node.js socket.io gestisce magicamente le cose lato client, tutto ciò che fai è eseguire socket.connect
Oltre il

Risposte:


186

Utilizzare un URL sicuro per la connessione iniziale, ovvero anziché "http: //" utilizzare "https: //". Se viene scelto il trasporto WebSocket, Socket.IO dovrebbe utilizzare automaticamente "wss: //" (SSL) anche per la connessione WebSocket.

Aggiornamento :

Puoi anche provare a creare la connessione usando l'opzione 'secure':

var socket = io.connect('https://localhost', {secure: true});

facciamo questo. andiamo su https: // www.thebitcoinwheel.com e fa ancora una richiesta http automaticamente, questo è qualcosa con il codice socket.io ed è il punto della domanda.
Oltre il

1
Ragazzi, mi avete salvato la vita! Non sono riuscito a trovare quelle opzioni nella documentazione.
Paulo Cesar,

14
{secure: true}non dovrebbe essere necessario se si specifica "https" nell'URL. Ecco un estratto dalla fonte client socket.io secure: 'https' == uri.protocol(versione 0.9.16), imposta l'opzione sicura su true se https viene rilevato nell'URL.
XiaoChuan Yu,

4
Ho provato questo con un URL https e in effetti {secure: true}non era necessario per funzionare correttamente.
D Coetzee,

4
Credo che sarebbe prudente assicurare che la connessione sia sicura utilizzando sia secure: true e inviando un URL https sul lato client. In questo modo, qualunque cosa tu sappia, sarà una connessione sicura.
gabeio,

53

Ecco come sono riuscito a configurarlo con express:

var fs = require( 'fs' );
var app = require('express')();
var https        = require('https');
var server = https.createServer({
    key: fs.readFileSync('./test_key.key'),
    cert: fs.readFileSync('./test_cert.crt'),
    ca: fs.readFileSync('./test_ca.crt'),
    requestCert: false,
    rejectUnauthorized: false
},app);
server.listen(8080);

var io = require('socket.io').listen(server);

io.sockets.on('connection',function (socket) {
    ...
});

app.get("/", function(request, response){
    ...
})


Spero che questo salverà il tempo di qualcuno.

Aggiornamento: per coloro che utilizzano consente di crittografare utilizzare questo

var server = https.createServer({ 
                key: fs.readFileSync('privkey.pem'),
                cert: fs.readFileSync('fullchain.pem') 
             },app);

2
Questa è l'unica soluzione che ha funzionato per me. Grazie per avermi risparmiato tempo.
Francisco Hodge,

ha funzionato bene per me dopo un po 'di tentativi ed errori con i
certificati

3
Questa soluzione ha funzionato perfettamente per me, grazie. Se stai utilizzando i certificati gratuiti di letsencrypt.org, puoi utilizzare il seguente codice. var server = https.createServer({ key: fs.readFileSync('/etc/letsencrypt/live/domain.name/privkey.pem'), cert: fs.readFileSync('/etc/letsencrypt/live/domain.name/cert.pem'), ca: fs.readFileSync('/etc/letsencrypt/live/domain.name/chain.pem'), requestCert: false, rejectUnauthorized: false },app); server.listen(3000);
Hugo Rune,

2
Grazie mille per questa risposta Mi è stato di grandissimo aiuto.
Harsha Jasti,

2
Grazie, ha funzionato come un incantesimo con i file letsencrypt e .pem
Eric

33

Sulla stessa nota, se il tuo server supporta entrambi httpe httpspuoi connetterti usando:

var socket = io.connect('//localhost');

per rilevare automaticamente lo schema del browser e connettersi usando http / https di conseguenza. quando in https, il trasporto sarà protetto per impostazione predefinita, come la connessione mediante

var socket = io.connect('https://localhost');

utilizzerà socket Web sicuri - wss://( {secure: true}è ridondante).

per ulteriori informazioni su come servire facilmente http e https utilizzando lo stesso server di nodi, consulta questa risposta .


10

Se il tuo file certificato del server non è attendibile (ad esempio, puoi generare il keystore da solo con il comando keytool in java), dovresti aggiungere l'opzione extra rifiutaUnauthorized

var socket = io.connect('https://localhost', {rejectUnauthorized: false});

sarebbe apprezzato se hai aggiunto un esempio che spiega come hai usato il keytool per creare quella chiave per il nodo. Perché le chiavi sono così complicate e non ci sono abbastanza tutorial a riguardo.
bvdb

keytool è uno strumento all'interno del Java Development Kit (JDK). puoi fare riferimento a questo docs.oracle.com/javase/10/tools/…
clevertension

4

controlla this.configuration ..

app = module.exports = express();
var httpsOptions = { key: fs.readFileSync('certificates/server.key'), cert: fs.readFileSync('certificates/final.crt') };        
var secureServer = require('https').createServer(httpsOptions, app);
io = module.exports = require('socket.io').listen(secureServer,{pingTimeout: 7000, pingInterval: 10000});
io.set("transports", ["xhr-polling","websocket","polling", "htmlfile"]);
secureServer.listen(3000);

2

Lato server:

import http from 'http';
import https from 'https';
import SocketIO, { Socket } from 'socket.io';
import fs from 'fs';
import path from 'path';

import { logger } from '../../utils';

const port: number = 3001;

const server: https.Server = https.createServer(
  {
    cert: fs.readFileSync(path.resolve(__dirname, '../../../ssl/cert.pem')),
    key: fs.readFileSync(path.resolve(__dirname, '../../../ssl/key.pem'))
  },
  (req: http.IncomingMessage, res: http.ServerResponse) => {
    logger.info(`request.url: ${req.url}`);

    let filePath = '.' + req.url;
    if (filePath === './') {
      filePath = path.resolve(__dirname, './index.html');
    }

    const extname = String(path.extname(filePath)).toLowerCase();
    const mimeTypes = {
      '.html': 'text/html',
      '.js': 'text/javascript',
      '.json': 'application/json'
    };

    const contentType = mimeTypes[extname] || 'application/octet-stream';

    fs.readFile(filePath, (error: NodeJS.ErrnoException, content: Buffer) => {
      if (error) {
        res.writeHead(500);
        return res.end(error.message);
      }
      res.writeHead(200, { 'Content-Type': contentType });
      res.end(content, 'utf-8');
    });
  }
);

const io: SocketIO.Server = SocketIO(server);

io.on('connection', (socket: Socket) => {
  socket.emit('news', { hello: 'world' });
  socket.on('updateTemplate', data => {
    logger.info(data);
    socket.emit('updateTemplate', { random: data });
  });
});

server.listen(port, () => {
  logger.info(`Https server is listening on https://localhost:${port}`);
});

Dalla parte del cliente:

<!DOCTYPE html>
<html lang="en">

<head>
  <meta charset="UTF-8">
  <meta name="viewport" content="width=device-width, initial-scale=1.0">
  <meta http-equiv="X-UA-Compatible" content="ie=edge">
  <title>Websocket Secure Connection</title>
</head>

<body>
  <div>
    <button id='btn'>Send Message</button>
    <ul id='messages'></ul>
  </div>
  <script src='../../../node_modules/socket.io-client/dist/socket.io.js'></script>
  <script>
    window.onload = function onload() {
      const socket = io('https://localhost:3001');
      socket.on('news', function (data) {
        console.log(data);
      });

      socket.on('updateTemplate', function onUpdateTemplate(data) {
        console.log(data)
        createMessage(JSON.stringify(data));
      });
      const $btn = document.getElementById('btn');
      const $messages = document.getElementById('messages');

      function sendMessage() {
        socket.emit('updateTemplate', Math.random());
      }

      function createMessage(msg) {
        const $li = document.createElement('li');
        $li.textContent = msg;
        $messages.appendChild($li);
      }

      $btn.addEventListener('click', sendMessage);
    }
  </script>
</body>

</html>

2

A seconda delle esigenze, è possibile consentire connessioni sicure e non sicure e utilizzare comunque solo un'istanza Socket.io.

Devi semplicemente installare due server, uno per HTTP e uno per HTTPS, quindi collegare quei server all'istanza Socket.io.

Lato server :

// needed to read certificates from disk
const fs          = require( "fs"    );

// Servers with and without SSL
const http        = require( "http"  )
const https       = require( "https" );
const httpPort    = 3333;
const httpsPort   = 3334;
const httpServer  = http.createServer();
const httpsServer = https.createServer({
    "key" : fs.readFileSync( "yourcert.key" ),
    "cert": fs.readFileSync( "yourcert.crt" ),
    "ca"  : fs.readFileSync( "yourca.crt"   )
});
httpServer.listen( httpPort, function() {
    console.log(  `Listening HTTP on ${httpPort}` );
});
httpsServer.listen( httpsPort, function() {
    console.log(  `Listening HTTPS on ${httpsPort}` );
});

// Socket.io
const ioServer = require( "socket.io" );
const io       = new ioServer();
io.attach( httpServer );
io.attach( httpsServer );

io.on( "connection", function( socket ) {

    console.log( "user connected" );
    // ... your code

});

Dalla parte del cliente :

var url    = "//example.com:" + ( window.location.protocol == "https:" ? "3334" : "3333" );
var socket = io( url, {
    // set to false only if you use self-signed certificate !
    "rejectUnauthorized": true
});
socket.on( "connect", function( e ) {
    console.log( "connect", e );
});

Se il tuo server NodeJS è diverso dal tuo server Web, potresti dover impostare alcune intestazioni CORS. Quindi, sul lato server, sostituire:

httpServer.listen( httpPort, function() {
    console.log(  `Listening HTTP on ${httpPort}` );
});
httpsServer.listen( httpsPort, function() {
    console.log(  `Listening HTTPS on ${httpsPort}` );
});

Con:

const httpServer  = http.createServer( (req, res) => {
    res.setHeader( "Access-Control-Allow-Origin"  , "*" );
    res.setHeader( "Access-Control-Request-Method", "*" );
    res.setHeader( "Access-Control-Allow-Methods" , "*" );
    res.setHeader( "Access-Control-Allow-Headers" , "*" );
    if ( req.method === "OPTIONS" ) {
        res.writeHead(200);
        res.end();
        return;
    }
});
const httpsServer = https.createServer({
        "key" : fs.readFileSync( "yourcert.key" ),
        "cert": fs.readFileSync( "yourcert.crt" )
    }, (req, res) => {
    res.setHeader( "Access-Control-Allow-Origin"  , "*" );
    res.setHeader( "Access-Control-Request-Method", "*" );
    res.setHeader( "Access-Control-Allow-Methods" , "*" );
    res.setHeader( "Access-Control-Allow-Headers" , "*" );
    if ( req.method === "OPTIONS" ) {
        res.writeHead(200);
        res.end();
        return;
    }
});

E, naturalmente, regola i valori delle intestazioni in base alle tue esigenze.


1

Per le applicazioni aziendali, è necessario tenere presente che non si dovrebbe gestire https nel codice. Dovrebbe essere aggiornato automaticamente tramite IIS o nginx. L'app non dovrebbe sapere quali protocolli vengono utilizzati.


0

Questo è il mio file di configurazione nginx e il codice iosocket. Il server (espresso) è in ascolto sulla porta 9191. Funziona bene: file di configurazione nginx:

server {
    listen       443 ssl;
    server_name  localhost;
    root   /usr/share/nginx/html/rdist;

    location /user/ {
        proxy_pass   http://localhost:9191;
    }
    location /api/ {
        proxy_pass   http://localhost:9191;
    }
    location /auth/ {
        proxy_pass   http://localhost:9191;
    }

    location / {
        index  index.html index.htm;
        if (!-e $request_filename){
          rewrite ^(.*)$ /index.html break;
        }
    }
    location /socket.io/ {
        proxy_set_header Upgrade $http_upgrade;
        proxy_set_header Connection "upgrade";
        proxy_pass   http://localhost:9191/socket.io/;
    }


    error_page   500 502 503 504  /50x.html;
    location = /50x.html {
        root   /usr/share/nginx/html;
    }

    ssl_certificate /etc/nginx/conf.d/sslcert/xxx.pem;
    ssl_certificate_key /etc/nginx/conf.d/sslcert/xxx.key;

}

Server:

const server = require('http').Server(app)
const io = require('socket.io')(server)
io.on('connection', (socket) => {
    handleUserConnect(socket)

  socket.on("disconnect", () => {
   handleUserDisConnect(socket)
  });
})

server.listen(9191, function () {
  console.log('Server listening on port 9191')
})

Cliente (reazione):

    const socket = io.connect('', { secure: true, query: `userId=${this.props.user._id}` })

        socket.on('notifications', data => {
            console.log('Get messages from back end:', data)
            this.props.mergeNotifications(data)
        })
Utilizzando il nostro sito, riconosci di aver letto e compreso le nostre Informativa sui cookie e Informativa sulla privacy.
Licensed under cc by-sa 3.0 with attribution required.