John Jameson
John Jameson

Reputation: 53

NodeJS, WebSockets(ws) an Openshift

I'm trying to create a simple websocket app with NodeJS, WS and Openshift

This is my code: package.json:

{
  "name": "OpenShift-Sample-App",
  "version": "1.0.0",
  "description": "OpenShift Sample Application",
  "keywords": [
    "OpenShift",
    "Node.js",
    "application",
    "openshift"
  ],
  "author": {
    "name": "John Smith",
    "email": "[email protected]",
    "url": "http://www.google.com"
  },
  "homepage": "http://www.openshift.com/",
  "repository": {
    "type": "git",
    "url": "https://github.com/openshift/origin-server"
  },

  "engines": {
    "node": ">= 0.6.0",
    "npm": ">= 1.0.0"
  },

  "dependencies": {
    "express": "^4.12.3",
    "socket.io" : "0.9.16",
    "ws" : "0.4.31"
  },

  "devDependencies": {},
  "bundleDependencies": [],

  "private": true,
  "main": "server.js"
}

app.js:

#!/bin/env node
//  OpenShift sample Node application
var express = require('express');
var fs = require('fs');
var WebSocketServer = require('ws').Server;
var SampleApp = function () {

    //  Scope.
    var self = this;

    var url = '127.0.0.1:27017/' + process.env.OPENSHIFT_APP_NAME;

    self.setupVariables = function () {
        //  Set the environment variables we need.
        self.ipaddress = process.env.OPENSHIFT_NODEJS_IP;
        self.port = process.env.OPENSHIFT_NODEJS_PORT || 8080;

        if (typeof self.ipaddress === "undefined") {
            //  Log errors on OpenShift but continue w/ 127.0.0.1 - this
            //  allows us to run/test the app locally.
            console.warn('No OPENSHIFT_NODEJS_IP var, using 127.0.0.1');
            self.ipaddress = "127.0.0.1";
        }
        ;
    };

    self.populateCache = function () {
        if (typeof self.zcache === "undefined") {
            self.zcache = {'index.html': ''};
        }

        //  Local cache for static content.
        self.zcache['index.html'] = fs.readFileSync('./index.html');
    };



    self.cache_get = function (key) {
        return self.zcache[key];
    };


    self.terminator = function (sig) {
        if (typeof sig === "string") {
            console.log('%s: Received %s - terminating sample app ...',
                Date(Date.now()), sig);
            process.exit(1);
        }
        console.log('%s: Node server stopped.', Date(Date.now()));
    };


    self.setupTerminationHandlers = function () {
        //  Process on exit and signals.
        process.on('exit', function () {
            self.terminator();
        });

        // Removed 'SIGPIPE' from the list - bugz 852598.
        ['SIGHUP', 'SIGINT', 'SIGQUIT', 'SIGILL', 'SIGTRAP', 'SIGABRT',
            'SIGBUS', 'SIGFPE', 'SIGUSR1', 'SIGSEGV', 'SIGUSR2', 'SIGTERM'
        ].forEach(function (element, index, array) {
                process.on(element, function () {
                    self.terminator(element);
                });
            });
    };


    self.createGetRoutes = function () {
        self.getRoutes = {};

        self.getRoutes['/'] = function (req, res) {
            res.setHeader('Content-Type', 'text/html');
            res.send(self.cache_get('index.html'));
        };
    };


    self.initializeServer = function () {
        self.createGetRoutes();

        self.app = express();
        //  Add handlers for the app (from the routes).
        for (var r in self.getRoutes) {
            self.app.get(r, self.getRoutes[r]);
        }

    }

    self.initialize = function () {
        self.setupVariables();
        self.populateCache();
        self.setupTerminationHandlers();

        // Create the express server and routes.
        self.initializeServer();
    };



    self.start = function () {

        var wss = new WebSocketServer({ server: self.app
        })

        wss.on('connection', function connection(ws) {
            console.log(".....Connected");
            var location = url.parse(ws.upgradeReq.url, true);

            ws.on('message', function incoming(message) {
                console.log('received: %s', message);
            });

            ws.send('something');
        });

        self.app.listen(self.port, self.ipaddress, function () {
            console.log('%s: Node server started on %s:%d ...',
                Date(Date.now()), self.ipaddress, self.port);
        });
    };

};
var zapp = new SampleApp();
zapp.initialize();
zapp.start();

when I run: wscat --connect ws://something.rhcloud.com:8000

I got:

connected (press CTRL+C to quit)
disconnected

What is wrong in the source code?

Thanks

Upvotes: 1

Views: 784

Answers (1)

ʀɣαɳĵ
ʀɣαɳĵ

Reputation: 1982

Within (pre-docker) OpenShift, your application connects to the system load balancer by listening on process.env.OPENSHIFT_NODEJS_PORT.

OpenShift's load balancer then exposes your application externally on four different ports:

  1. 80 - basic http connections available
  2. 443 - basic https connections available
  3. 8080 - http and ws connections available
  4. 8443 - https and ws connections available

Unfortunately, in the pre-docker versions of OpenShift, the ws connection upgrade (from http or https) will only work correctly on ports 8080 and 8443.

You can work around this issue by including a client-side check to test if the server hostname includes the string "rhcloud.com". If it does, you'll need to establish your client's socket connection using the alternate port number.

Newer, docker-based releases of OpenShift include full websocket support on standard web ports.

Upvotes: 1

Related Questions