123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154155156157158159160161162163164165166167168169170171172173174175176177178179180181182183184185186187188189190191192193194195196197198199200201202203204205206207208209210211212213214215216217218219220221222223224225226227228229230231232233234235236237238239240241242243244245246247248249250251252253254255256257258259260261262263264265266267268269270271272273274275276277278279280281282283284285286287288289290291292293294295296297298299300301302303304305306307308309310311312313314315316317318319320321322323324325326327328329330331332333334335336337338339340341342343344345346347348349350351352353354355356357358359360361362363364365366367368369370371372373374375376377378379380381382383384385386387388389390391392393394395396397398399400401402403404405406407408409410411412413414415416417418419420421422423424425426427428429430431432433434435436437438439440441442443444445446447448449 |
- var util = require('./util');
- var restify = require('restify');
- var http = require('http');
- var EventEmitter = require('events').EventEmitter;
- var WebSocketServer = require('ws').Server;
- var url = require('url');
- function PeerServer(options) {
- if (!(this instanceof PeerServer)) return new PeerServer(options);
- EventEmitter.call(this);
- this._options = util.extend({
- port: 80,
- debug: false,
- timeout: 5000,
- key: 'peerjs',
- ip_limit: 5000,
- concurrent_limit: 5000,
- concurrent_ids: false,
- ssl: {}
- }, options);
- util.debug = this._options.debug;
- // Set up HTTPS server if key and certificate are provided.
- var secure = this._options.ssl.key && this._options.ssl.certificate;
- // Print warning if only one of the two is given.
- if (Object.keys(this._options.ssl).length === 1) {
- util.prettyError('Warning: PeerServer will not run on an HTTPS server'
- + ' because either the key or the certificate has not been provided.');
- }
- this._options.ssl['name'] = 'PeerServer';
- this._app = restify.createServer(this._options.ssl);
- // Connected clients
- this._clients = {};
- // Messages waiting for another peer.
- this._outstanding = {};
- // Initailize WebSocket server handlers.
- this._initializeWSS();
- // Initialize HTTP routes. This is only used for the first few milliseconds
- // before a socket is opened for a Peer.
- this._initializeHTTP();
- // Mark concurrent users per ip
- this._ips = {};
- this._setCleanupIntervals();
- };
- util.inherits(PeerServer, EventEmitter);
- /** Initialize WebSocket server. */
- PeerServer.prototype._initializeWSS = function() {
- var self = this;
- // Create WebSocket server as well.
- this._wss = new WebSocketServer({ path: '/peerjs', server: this._app});
- this._wss.on('connection', function(socket) {
- var query = url.parse(socket.upgradeReq.url, true).query;
- var id = query.id;
- var token = query.token;
- var key = query.key;
- var ip = socket.upgradeReq.socket.remoteAddress;
- if (!id || !token || !key) {
- socket.send(JSON.stringify({ type: 'ERROR', payload: { msg: 'No id, token, or key supplied to websocket server' } }));
- socket.close();
- return;
- }
- if (!self._clients[key] || !self._clients[key][id]) {
- self._checkKey(key, ip, function(err) {
- if (!err) {
- if (!self._clients[key][id]) {
- self._clients[key][id] = { token: token, instances: [] };
- socket.send(JSON.stringify({ type: 'OPEN' }));
- }
- self._configureWS(socket, key, id, ip, token);
- } else {
- socket.send(JSON.stringify({ type: 'ERROR', payload: { msg: err } }));
- }
- });
- } else {
- self._configureWS(socket, key, id, ip, token);
- }
- });
- };
- PeerServer.prototype._configureWS = function(socket, key, id, ip, token) {
- var self = this;
- var client = this._clients[key][id];
- if (token === client.token || this._options.concurrent_ids) {
- // res 'close' event will delete client.res for us
- client.instances.push({ conn: socket, ip: ip });
- // Client already exists
- if (client.res) {
- client.res.end();
- }
- } else {
- // ID-taken, invalid token
- socket.send(JSON.stringify({ type: 'ID-TAKEN', payload: { msg: 'ID is taken' } }));
- socket.close();
- return;
- }
- this._processOutstanding(key, id);
- // Cleanup after a socket closes.
- socket.on('close', function() {
- util.log('Socket closed:', id);
- self._removePeerInstance(key, id, socket);
- });
- // Handle messages from peers.
- socket.on('message', function(data) {
- try {
- var message = JSON.parse(data);
- switch (message.type) {
- case 'LEAVE':
- // Clean up if a Peer sends a LEAVE.
- if (!message.dst) {
- self._removePeerInstance(key, id, socket);
- break;
- }
- // ICE candidates
- case 'CANDIDATE':
- // Offer or answer between peers.
- case 'OFFER':
- case 'ANSWER':
- // Use the ID we know to be correct to prevent spoofing.
- self._handleTransmission(key, {
- type: message.type,
- src: id,
- dst: message.dst,
- payload: message.payload
- });
- break;
- default:
- util.prettyError('Message unrecognized');
- }
- } catch(e) {
- throw e;
- util.log('Invalid message', data);
- }
- });
- }
- PeerServer.prototype._checkKey = function(key, ip, cb) {
- if (key == this._options.key) {
- if (!this._clients[key]) {
- this._clients[key] = {};
- }
- if (!this._outstanding[key]) {
- this._outstanding[key] = {};
- }
- if (!this._ips[ip]) {
- this._ips[ip] = 0;
- }
- // Check concurrent limit
- if (Object.keys(this._clients[key]).length >= this._options.concurrent_limit) {
- cb('Server has reached its concurrent user limit');
- return;
- }
- if (this._ips[ip] >= this._options.ip_limit) {
- cb(ip + ' has reached its concurrent user limit');
- return;
- }
- cb(null);
- } else {
- cb('Invalid key provided');
- }
- }
- /** Initialize HTTP server routes. */
- PeerServer.prototype._initializeHTTP = function() {
- var self = this;
- this._app.use(restify.bodyParser({ mapParams: false }));
- this._app.use(restify.queryParser())
- this._app.use(util.allowCrossDomain);
- // Retrieve guaranteed random ID.
- this._app.get('/:key/id', function(req, res, next) {
- res.contentType = 'text/html';
- res.send(self._generateClientId(req.params.key));
- return next();
- });
- // Server sets up HTTP streaming when you get post an ID.
- this._app.post('/:key/:id/:token/id', function(req, res, next) {
- var id = req.params.id;
- var token = req.params.token;
- var key = req.params.key;
- var ip = req.ip;
- if (!self._clients[key] || !self._clients[key][id]) {
- self._checkKey(key, ip, function(err) {
- if (!err && (!self._clients[key][id] || this._options.concurrent_ids)) {
- if (!self._clients[key][id])
- {
- self._clients[key][id] = { token: token, instances: [] };
- self._ips[ip]++;
- }
- self._startStreaming(res, key, id, token, true);
- } else {
- res.send(JSON.stringify({ type: 'HTTP-ERROR' }));
- }
- });
- } else {
- self._startStreaming(res, key, id, token);
- }
- return next();
- });
- var handle = function(req, res, next) {
- var key = req.params.key;
- var id = req.params.id;
- var client;
- if (!self._clients[key] || !(client = self._clients[key][id])) {
- if (req.params.retry) {
- res.send(401);
- } else {
- // Retry this request
- req.params.retry = true;
- setTimeout(handle, 25, req, res);
- }
- return;
- }
- // Auth the req
- if (req.params.token !== client.token) {
- res.send(401);
- return;
- } else {
- self._handleTransmission(key, {
- type: req.body.type,
- src: id,
- dst: req.body.dst,
- payload: req.body.payload
- });
- res.send(200);
- }
- return next();
- };
- this._app.post('/:key/:id/:token/offer', handle);
- this._app.post('/:key/:id/:token/candidate', handle);
- this._app.post('/:key/:id/:token/answer', handle);
- this._app.post('/:key/:id/:token/leave', handle);
- // Listen on user-specified port.
- this._app.listen(this._options.port);
- };
- /** Saves a streaming response and takes care of timeouts and headers. */
- PeerServer.prototype._startStreaming = function(res, key, id, token, open) {
- var self = this;
- res.writeHead(200, {'Content-Type': 'application/octet-stream'});
- var pad = '00';
- for (var i = 0; i < 10; i++) {
- pad += pad;
- }
- res.write(pad + '\n');
- if (open) {
- res.write(JSON.stringify({ type: 'OPEN' }) + '\n');
- }
- var client = this._clients[key][id];
- if (token === client.token) {
- // Client already exists
- res.on('close', function() {
- if (client.res === res) {
- if (client.instances.length == 0) {
- // No new request yet, peer dead
- self._removePeer(key, id);
- return;
- }
- delete client.res;
- }
- });
- client.res = res;
- this._processOutstanding(key, id);
- } else {
- // ID-taken, invalid token
- res.end(JSON.stringify({ type: 'HTTP-ERROR' }));
- }
- };
- PeerServer.prototype._pruneOutstanding = function() {
- var keys = Object.keys(this._outstanding);
- for (var k = 0, kk = keys.length; k < kk; k += 1) {
- var key = keys[k];
- var dsts = Object.keys(this._outstanding[key]);
- for (var i = 0, ii = dsts.length; i < ii; i += 1) {
- var offers = this._outstanding[key][dsts[i]];
- var seen = {};
- for (var j = 0, jj = offers.length; j < jj; j += 1) {
- var message = offers[j];
- if (!seen[message.src]) {
- this._handleTransmission(key, { type: 'EXPIRE', src: message.dst, dst: message.src });
- seen[message.src] = true;
- }
- }
- }
- this._outstanding[key] = {};
- }
- };
- /** Cleanup */
- PeerServer.prototype._setCleanupIntervals = function() {
- var self = this;
- // Clean up ips every 10 minutes
- setInterval(function() {
- var keys = Object.keys(self._ips);
- for (var i = 0, ii = keys.length; i < ii; i += 1) {
- var key = keys[i];
- if (self._ips[key] == 0) {
- delete self._ips[key];
- }
- }
- }, 600000);
- // Clean up outstanding messages every 5 seconds
- setInterval(function() {
- self._pruneOutstanding();
- }, 5000);
- };
- /** Process outstanding peer offers. */
- PeerServer.prototype._processOutstanding = function(key, id) {
- var offers = this._outstanding[key][id];
- if (!offers) {
- return;
- }
- for (var j = 0, jj = offers.length; j < jj; j += 1) {
- this._handleTransmission(key, offers[j]);
- }
- delete this._outstanding[key][id];
- };
- PeerServer.prototype._removePeer = function(key, id) {
- if (this._clients[key] && this._clients[key][id]) {
- delete this._clients[key][id];
- }
- };
- PeerServer.prototype._removePeerInstance = function(key, id, instance) {
- if (this._clients[key] && this._clients[key][id]) {
- for (var i=0; i<this._clients[key][id].instances; i++)
- {
- if (this._clients[key][id].instances[i] == instance)
- this._clients[key][id].instances.splice(i, 1);
- this._ips[instance.ip]--;
- break;
- }
- if (this._clients[key][id].instances == 0)
- this._removePeer(key, id);
- }
- };
- PeerServer.prototype._multicast = function(msg, instances)
- {
- for (var i=0; i<instances.length; i++) {
- instances[i].conn.send(msg);
- }
- }
- /** Handles passing on a message. */
- PeerServer.prototype._handleTransmission = function(key, message, conn) {
- var type = message.type;
- var src = message.src;
- var dst = message.dst;
- var data = JSON.stringify(message);
- var destination = this._clients[key][dst];
- // User is connected!
- if (destination) {
- try {
- util.log(type, 'from', src, 'to', dst);
- if (destination.socket) {
- this._multicast(destination.instances, data));
- } else if (destination.res) {
- data += '\n';
- destination.res.write(data);
- } else {
- // Neither socket no res available. Peer dead?
- throw "Peer dead";
- }
- } catch (e) {
- // This happens when a peer disconnects without closing connections and
- // the associated WebSocket has not closed.
- util.prettyError(e);
- // Tell other side to stop trying.
- this._removePeerInstance(key, dst, conn);
- this._handleTransmission(key, {
- type: 'LEAVE',
- src: dst,
- dst: src
- }, conn);
- }
- } else {
- // Wait for this client to connect/reconnect (XHR) for important
- // messages.
- if (type !== 'LEAVE' && type !== 'EXPIRE' && !!dst) {
- var self = this;
- if (!this._outstanding[key][dst]) {
- this._outstanding[key][dst] = [];
- }
- this._outstanding[key][dst].push(message);
- } else if (type === 'LEAVE' && !dst) {
- this._removePeer(key, src);
- } else {
- // Unavailable destination specified with message LEAVE or EXPIRE
- // Ignore
- }
- }
- };
- PeerServer.prototype._generateClientId = function(key) {
- var clientId = util.randomId();
- if (!this._clients[key]) {
- return clientId;
- }
- while (!!this._clients[key][clientId]) {
- clientId = util.randomId();
- }
- return clientId;
- };
- exports.PeerServer = PeerServer;
|