08-27-周三_17-09-29
This commit is contained in:
62
node_modules/faye-websocket/CHANGELOG.txt
generated
vendored
Normal file
62
node_modules/faye-websocket/CHANGELOG.txt
generated
vendored
Normal file
@@ -0,0 +1,62 @@
|
||||
=== 0.4.4 / 2013-02-14
|
||||
|
||||
* Emit the 'close' event if TCP is closed before CLOSE frame is acked
|
||||
|
||||
|
||||
=== 0.4.3 / 2012-07-09
|
||||
|
||||
* Add 'Connection: close' to EventSource response
|
||||
* Handle situations where request.socket is undefined
|
||||
|
||||
|
||||
=== 0.4.2 / 2012-04-06
|
||||
|
||||
* Add WebSocket error code 1011.
|
||||
* Handle URLs with no path correctly by sending 'GET /'
|
||||
|
||||
|
||||
=== 0.4.1 / 2012-02-26
|
||||
|
||||
* Treat anything other than a Buffer as a string when calling send()
|
||||
|
||||
|
||||
=== 0.4.0 / 2012-02-13
|
||||
|
||||
* Add ping() method to server-side WebSocket and EventSource
|
||||
* Buffer send() calls until the draft-76 handshake is complete
|
||||
* Fix HTTPS problems on Node 0.7
|
||||
|
||||
|
||||
=== 0.3.1 / 2012-01-16
|
||||
|
||||
* Call setNoDelay(true) on net.Socket objects to reduce latency
|
||||
|
||||
|
||||
=== 0.3.0 / 2012-01-13
|
||||
|
||||
* Add support for EventSource connections
|
||||
|
||||
|
||||
=== 0.2.0 / 2011-12-21
|
||||
|
||||
* Add support for Sec-WebSocket-Protocol negotiation
|
||||
* Support hixie-76 close frames and 75/76 ignored segments
|
||||
* Improve performance of HyBi parsing/framing functions
|
||||
* Decouple parsers from TCP and reduce write volume
|
||||
|
||||
|
||||
=== 0.1.2 / 2011-12-05
|
||||
|
||||
* Detect closed sockets on the server side when TCP connection breaks
|
||||
* Make hixie-76 sockets work through HAProxy
|
||||
|
||||
|
||||
=== 0.1.1 / 2011-11-30
|
||||
|
||||
* Fix addEventListener() interface methods
|
||||
|
||||
|
||||
=== 0.1.0 / 2011-11-27
|
||||
|
||||
* Initial release, based on WebSocket components from Faye
|
||||
|
248
node_modules/faye-websocket/README.markdown
generated
vendored
Normal file
248
node_modules/faye-websocket/README.markdown
generated
vendored
Normal file
@@ -0,0 +1,248 @@
|
||||
# faye-websocket
|
||||
|
||||
* Travis CI build: [<img src="https://secure.travis-ci.org/faye/faye-websocket-node.png" />](http://travis-ci.org/faye/faye-websocket-node)
|
||||
* Autobahn tests: [server](http://faye.jcoglan.com/autobahn/servers/), [client](http://faye.jcoglan.com/autobahn/clients/)
|
||||
|
||||
This is a robust, general-purpose WebSocket implementation extracted from the
|
||||
[Faye](http://faye.jcoglan.com) project. It provides classes for easily building
|
||||
WebSocket servers and clients in Node. It does not provide a server itself, but
|
||||
rather makes it easy to handle WebSocket connections within an existing
|
||||
[Node](http://nodejs.org/) application. It does not provide any abstraction
|
||||
other than the standard [WebSocket API](http://dev.w3.org/html5/websockets/).
|
||||
|
||||
It also provides an abstraction for handling [EventSource](http://dev.w3.org/html5/eventsource/)
|
||||
connections, which are one-way connections that allow the server to push data to
|
||||
the client. They are based on streaming HTTP responses and can be easier to
|
||||
access via proxies than WebSockets.
|
||||
|
||||
The server-side socket can process [draft-75](http://tools.ietf.org/html/draft-hixie-thewebsocketprotocol-75),
|
||||
[draft-76](http://tools.ietf.org/html/draft-hixie-thewebsocketprotocol-76),
|
||||
[hybi-07](http://tools.ietf.org/html/draft-ietf-hybi-thewebsocketprotocol-07)
|
||||
and later versions of the protocol. It selects protocol versions automatically,
|
||||
supports both `text` and `binary` messages, and transparently handles `ping`,
|
||||
`pong`, `close` and fragmented messages.
|
||||
|
||||
|
||||
## Handling WebSocket connections in Node
|
||||
|
||||
You can handle WebSockets on the server side by listening for HTTP Upgrade
|
||||
requests, and creating a new socket for the request. This socket object exposes
|
||||
the usual WebSocket methods for receiving and sending messages. For example this
|
||||
is how you'd implement an echo server:
|
||||
|
||||
```js
|
||||
var WebSocket = require('faye-websocket'),
|
||||
http = require('http');
|
||||
|
||||
var server = http.createServer();
|
||||
|
||||
server.addListener('upgrade', function(request, socket, head) {
|
||||
var ws = new WebSocket(request, socket, head);
|
||||
|
||||
ws.onmessage = function(event) {
|
||||
ws.send(event.data);
|
||||
};
|
||||
|
||||
ws.onclose = function(event) {
|
||||
console.log('close', event.code, event.reason);
|
||||
ws = null;
|
||||
};
|
||||
});
|
||||
|
||||
server.listen(8000);
|
||||
```
|
||||
|
||||
Note that under certain circumstances (notably a draft-76 client connecting
|
||||
through an HTTP proxy), the WebSocket handshake will not be complete after you
|
||||
call `new WebSocket()` because the server will not have received the entire
|
||||
handshake from the client yet. In this case, calls to `ws.send()` will buffer
|
||||
the message in memory until the handshake is complete, at which point any
|
||||
buffered messages will be sent to the client.
|
||||
|
||||
If you need to detect when the WebSocket handshake is complete, you can use the
|
||||
`onopen` event.
|
||||
|
||||
If the connection's protocol version supports it, you can call `ws.ping()` to
|
||||
send a ping message and wait for the client's response. This method takes a
|
||||
message string, and an optional callback that fires when a matching pong message
|
||||
is received. It returns `true` iff a ping message was sent. If the client does
|
||||
not support ping/pong, this method sends no data and returns `false`.
|
||||
|
||||
```js
|
||||
ws.ping('Mic check, one, two', function() {
|
||||
// fires when pong is received
|
||||
});
|
||||
```
|
||||
|
||||
|
||||
## Using the WebSocket client
|
||||
|
||||
The client supports both the plain-text `ws` protocol and the encrypted `wss`
|
||||
protocol, and has exactly the same interface as a socket you would use in a web
|
||||
browser. On the wire it identifies itself as hybi-13.
|
||||
|
||||
```js
|
||||
var WebSocket = require('faye-websocket'),
|
||||
ws = new WebSocket.Client('ws://www.example.com/');
|
||||
|
||||
ws.onopen = function(event) {
|
||||
console.log('open');
|
||||
ws.send('Hello, world!');
|
||||
};
|
||||
|
||||
ws.onmessage = function(event) {
|
||||
console.log('message', event.data);
|
||||
};
|
||||
|
||||
ws.onclose = function(event) {
|
||||
console.log('close', event.code, event.reason);
|
||||
ws = null;
|
||||
};
|
||||
```
|
||||
|
||||
|
||||
## Subprotocol negotiation
|
||||
|
||||
The WebSocket protocol allows peers to select and identify the application
|
||||
protocol to use over the connection. On the client side, you can set which
|
||||
protocols the client accepts by passing a list of protocol names when you
|
||||
construct the socket:
|
||||
|
||||
```js
|
||||
var ws = new WebSocket.Client('ws://www.example.com/', ['irc', 'amqp']);
|
||||
```
|
||||
|
||||
On the server side, you can likewise pass in the list of protocols the server
|
||||
supports after the other constructor arguments:
|
||||
|
||||
```js
|
||||
var ws = new WebSocket(request, socket, head, ['irc', 'amqp']);
|
||||
```
|
||||
|
||||
If the client and server agree on a protocol, both the client- and server-side
|
||||
socket objects expose the selected protocol through the `ws.protocol` property.
|
||||
If they cannot agree on a protocol to use, the client closes the connection.
|
||||
|
||||
|
||||
## WebSocket API
|
||||
|
||||
The WebSocket API consists of several event handlers and a method for sending
|
||||
messages.
|
||||
|
||||
* <b><tt>onopen</tt></b> fires when the socket connection is established. Event
|
||||
has no attributes.
|
||||
* <b><tt>onerror</tt></b> fires when the connection attempt fails. Event has no
|
||||
attributes.
|
||||
* <b><tt>onmessage</tt></b> fires when the socket receives a message. Event has
|
||||
one attribute, <b><tt>data</tt></b>, which is either a `String` (for text
|
||||
frames) or a `Buffer` (for binary frames).
|
||||
* <b><tt>onclose</tt></b> fires when either the client or the server closes the
|
||||
connection. Event has two optional attributes, <b><tt>code</tt></b> and
|
||||
<b><tt>reason</tt></b>, that expose the status code and message sent by the
|
||||
peer that closed the connection.
|
||||
* <b><tt>send(message)</tt></b> accepts either a `String` or a `Buffer` and
|
||||
sends a text or binary message over the connection to the other peer.
|
||||
* <b><tt>close(code, reason)</tt></b> closes the connection, sending the given
|
||||
status code and reason text, both of which are optional.
|
||||
* <b><tt>protocol</tt></b> is a string (which may be empty) identifying the
|
||||
subprotocol the socket is using.
|
||||
|
||||
|
||||
## Handling EventSource connections in Node
|
||||
|
||||
EventSource connections provide a very similar interface, although because they
|
||||
only allow the server to send data to the client, there is no `onmessage` API.
|
||||
EventSource allows the server to push text messages to the client, where each
|
||||
message has an optional event-type and ID.
|
||||
|
||||
```js
|
||||
var WebSocket = require('faye-websocket'),
|
||||
EventSource = WebSocket.EventSource,
|
||||
http = require('http');
|
||||
|
||||
var server = http.createServer();
|
||||
|
||||
server.addListener('request', function(request, response) {
|
||||
if (EventSource.isEventSource(request)) {
|
||||
var es = new EventSource(request, response);
|
||||
console.log('open', es.url, es.lastEventId);
|
||||
|
||||
// Periodically send messages
|
||||
var loop = setInterval(function() { es.send('Hello') }, 1000);
|
||||
|
||||
es.onclose = function() {
|
||||
clearInterval(loop);
|
||||
es = null;
|
||||
};
|
||||
|
||||
} else {
|
||||
// Normal HTTP request
|
||||
response.writeHead(200, {'Content-Type': 'text/plain'});
|
||||
response.write('Hello');
|
||||
response.end();
|
||||
}
|
||||
});
|
||||
|
||||
server.listen(8000);
|
||||
```
|
||||
|
||||
The `send` method takes two optional parameters, `event` and `id`. The default
|
||||
event-type is `'message'` with no ID. For example, to send a `notification`
|
||||
event with ID `99`:
|
||||
|
||||
```js
|
||||
es.send('Breaking News!', {event: 'notification', id: '99'});
|
||||
```
|
||||
|
||||
The `EventSource` object exposes the following properties:
|
||||
|
||||
* <b><tt>url</tt></b> is a string containing the URL the client used to create
|
||||
the EventSource.
|
||||
* <b><tt>lastEventId</tt></b> is a string containing the last event ID
|
||||
received by the client. You can use this when the client reconnects after a
|
||||
dropped connection to determine which messages need resending.
|
||||
|
||||
When you initialize an EventSource with ` new EventSource()`, you can pass
|
||||
configuration options after the `response` parameter. Available options are:
|
||||
|
||||
* <b><tt>retry</tt></b> is a number that tells the client how long (in seconds)
|
||||
it should wait after a dropped connection before attempting to reconnect.
|
||||
* <b><tt>ping</tt></b> is a number that tells the server how often (in seconds)
|
||||
to send 'ping' packets to the client to keep the connection open, to defeat
|
||||
timeouts set by proxies. The client will ignore these messages.
|
||||
|
||||
For example, this creates a connection that pings every 15 seconds and is
|
||||
retryable every 10 seconds if the connection is broken:
|
||||
|
||||
```js
|
||||
var es = new EventSource(request, response, {ping: 15, retry: 10});
|
||||
```
|
||||
|
||||
You can send a ping message at any time by calling `es.ping()`. Unlike WebSocket,
|
||||
the client does not send a response to this; it is merely to send some data over
|
||||
the wire to keep the connection alive.
|
||||
|
||||
|
||||
## License
|
||||
|
||||
(The MIT License)
|
||||
|
||||
Copyright (c) 2009-2013 James Coglan
|
||||
|
||||
Permission is hereby granted, free of charge, to any person obtaining a copy of
|
||||
this software and associated documentation files (the 'Software'), to deal in
|
||||
the Software without restriction, including without limitation the rights to use,
|
||||
copy, modify, merge, publish, distribute, sublicense, and/or sell copies of the
|
||||
Software, and to permit persons to whom the Software is furnished to do so,
|
||||
subject to the following conditions:
|
||||
|
||||
The above copyright notice and this permission notice shall be included in all
|
||||
copies or substantial portions of the Software.
|
||||
|
||||
THE SOFTWARE IS PROVIDED 'AS IS', WITHOUT WARRANTY OF ANY KIND, EXPRESS OR
|
||||
IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY, FITNESS
|
||||
FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE AUTHORS OR
|
||||
COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER LIABILITY, WHETHER
|
||||
IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM, OUT OF OR IN
|
||||
CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN THE SOFTWARE.
|
||||
|
44
node_modules/faye-websocket/examples/autobahn_client.js
generated
vendored
Normal file
44
node_modules/faye-websocket/examples/autobahn_client.js
generated
vendored
Normal file
@@ -0,0 +1,44 @@
|
||||
var WebSocket = require('../lib/faye/websocket'),
|
||||
pace = require('pace');
|
||||
|
||||
var host = 'ws://localhost:9001',
|
||||
agent = 'Node ' + process.version,
|
||||
cases = 0,
|
||||
skip = [];
|
||||
|
||||
var socket = new WebSocket.Client(host + '/getCaseCount'),
|
||||
progress;
|
||||
|
||||
socket.onmessage = function(event) {
|
||||
console.log('Total cases to run: ' + event.data);
|
||||
cases = parseInt(event.data);
|
||||
progress = pace(cases);
|
||||
};
|
||||
|
||||
socket.onclose = function() {
|
||||
var runCase = function(n) {
|
||||
progress.op();
|
||||
|
||||
if (n > cases) {
|
||||
socket = new WebSocket.Client(host + '/updateReports?agent=' + encodeURIComponent(agent));
|
||||
socket.onclose = process.exit;
|
||||
|
||||
} else if (skip.indexOf(n) >= 0) {
|
||||
runCase(n + 1);
|
||||
|
||||
} else {
|
||||
socket = new WebSocket.Client(host + '/runCase?case=' + n + '&agent=' + encodeURIComponent(agent));
|
||||
|
||||
socket.onmessage = function(event) {
|
||||
socket.send(event.data);
|
||||
};
|
||||
|
||||
socket.onclose = function() {
|
||||
runCase(n + 1);
|
||||
};
|
||||
}
|
||||
};
|
||||
|
||||
runCase(1);
|
||||
};
|
||||
|
22
node_modules/faye-websocket/examples/client.js
generated
vendored
Normal file
22
node_modules/faye-websocket/examples/client.js
generated
vendored
Normal file
@@ -0,0 +1,22 @@
|
||||
var WebSocket = require('../lib/faye/websocket'),
|
||||
port = process.argv[2] || 7000,
|
||||
secure = process.argv[3] === 'ssl',
|
||||
scheme = secure ? 'wss' : 'ws',
|
||||
ws = new WebSocket.Client(scheme + '://localhost:' + port + '/');
|
||||
|
||||
console.log('Connecting to ' + ws.url);
|
||||
|
||||
ws.onopen = function(event) {
|
||||
console.log('open');
|
||||
ws.send('Hello, WebSocket!');
|
||||
};
|
||||
|
||||
ws.onmessage = function(event) {
|
||||
console.log('message', event.data);
|
||||
// ws.close(1002, 'Going away');
|
||||
};
|
||||
|
||||
ws.onclose = function(event) {
|
||||
console.log('close', event.code, event.reason);
|
||||
};
|
||||
|
21
node_modules/faye-websocket/examples/haproxy.conf
generated
vendored
Normal file
21
node_modules/faye-websocket/examples/haproxy.conf
generated
vendored
Normal file
@@ -0,0 +1,21 @@
|
||||
defaults
|
||||
mode http
|
||||
timeout client 5s
|
||||
timeout connect 5s
|
||||
timeout server 5s
|
||||
|
||||
frontend all 0.0.0.0:3000
|
||||
mode http
|
||||
timeout client 120s
|
||||
|
||||
option forwardfor
|
||||
option http-server-close
|
||||
option http-pretend-keepalive
|
||||
|
||||
default_backend sockets
|
||||
|
||||
backend sockets
|
||||
balance uri depth 2
|
||||
timeout server 120s
|
||||
server socket1 127.0.0.1:7000
|
||||
|
70
node_modules/faye-websocket/examples/server.js
generated
vendored
Normal file
70
node_modules/faye-websocket/examples/server.js
generated
vendored
Normal file
@@ -0,0 +1,70 @@
|
||||
var WebSocket = require('../lib/faye/websocket'),
|
||||
fs = require('fs'),
|
||||
http = require('http'),
|
||||
https = require('https');
|
||||
|
||||
var port = process.argv[2] || 7000,
|
||||
secure = process.argv[3] === 'ssl';
|
||||
|
||||
var upgradeHandler = function(request, socket, head) {
|
||||
var ws = new WebSocket(request, socket, head, ['irc', 'xmpp'], {ping: 5});
|
||||
console.log('open', ws.url, ws.version, ws.protocol);
|
||||
|
||||
ws.onmessage = function(event) {
|
||||
ws.send(event.data);
|
||||
};
|
||||
|
||||
ws.onclose = function(event) {
|
||||
console.log('close', event.code, event.reason);
|
||||
ws = null;
|
||||
};
|
||||
};
|
||||
|
||||
var requestHandler = function(request, response) {
|
||||
if (!WebSocket.EventSource.isEventSource(request))
|
||||
return staticHandler(request, response);
|
||||
|
||||
var es = new WebSocket.EventSource(request, response),
|
||||
time = parseInt(es.lastEventId, 10) || 0;
|
||||
|
||||
console.log('open', es.url, es.lastEventId);
|
||||
|
||||
var loop = setInterval(function() {
|
||||
time += 1;
|
||||
es.send('Time: ' + time);
|
||||
setTimeout(function() {
|
||||
if (es) es.send('Update!!', {event: 'update', id: time});
|
||||
}, 1000);
|
||||
}, 2000);
|
||||
|
||||
es.send('Welcome!\n\nThis is an EventSource server.');
|
||||
|
||||
es.onclose = function() {
|
||||
clearInterval(loop);
|
||||
console.log('close', es.url);
|
||||
es = null;
|
||||
};
|
||||
};
|
||||
|
||||
var staticHandler = function(request, response) {
|
||||
var path = request.url;
|
||||
|
||||
fs.readFile(__dirname + path, function(err, content) {
|
||||
var status = err ? 404 : 200;
|
||||
response.writeHead(status, {'Content-Type': 'text/html'});
|
||||
response.write(content || 'Not found');
|
||||
response.end();
|
||||
});
|
||||
};
|
||||
|
||||
var server = secure
|
||||
? https.createServer({
|
||||
key: fs.readFileSync(__dirname + '/../spec/server.key'),
|
||||
cert: fs.readFileSync(__dirname + '/../spec/server.crt')
|
||||
})
|
||||
: http.createServer();
|
||||
|
||||
server.addListener('request', requestHandler);
|
||||
server.addListener('upgrade', upgradeHandler);
|
||||
server.listen(port);
|
||||
|
39
node_modules/faye-websocket/examples/sse.html
generated
vendored
Normal file
39
node_modules/faye-websocket/examples/sse.html
generated
vendored
Normal file
@@ -0,0 +1,39 @@
|
||||
<!doctype html>
|
||||
<html>
|
||||
<head>
|
||||
<meta http-equiv="Content-type" content="text/html; charset=utf-8">
|
||||
<title>EventSource test</title>
|
||||
</head>
|
||||
<body>
|
||||
|
||||
<h1>EventSource test</h1>
|
||||
<ul></ul>
|
||||
|
||||
<script type="text/javascript">
|
||||
var logger = document.getElementsByTagName('ul')[0],
|
||||
socket = new EventSource('/');
|
||||
|
||||
var log = function(text) {
|
||||
logger.innerHTML += '<li>' + text + '</li>';
|
||||
};
|
||||
|
||||
socket.onopen = function() {
|
||||
log('OPEN');
|
||||
};
|
||||
|
||||
socket.onmessage = function(event) {
|
||||
log('MESSAGE: ' + event.data);
|
||||
};
|
||||
|
||||
socket.addEventListener('update', function(event) {
|
||||
log('UPDATE(' + event.lastEventId + '): ' + event.data);
|
||||
});
|
||||
|
||||
socket.onerror = function(event) {
|
||||
log('ERROR: ' + event.message);
|
||||
};
|
||||
</script>
|
||||
|
||||
</body>
|
||||
</html>
|
||||
|
44
node_modules/faye-websocket/examples/ws.html
generated
vendored
Normal file
44
node_modules/faye-websocket/examples/ws.html
generated
vendored
Normal file
@@ -0,0 +1,44 @@
|
||||
<!doctype html>
|
||||
<html>
|
||||
<head>
|
||||
<meta http-equiv="Content-type" content="text/html; charset=utf-8">
|
||||
<title>WebSocket test</title>
|
||||
</head>
|
||||
<body>
|
||||
|
||||
<h1>WebSocket test</h1>
|
||||
<ul></ul>
|
||||
|
||||
<script type="text/javascript">
|
||||
var logger = document.getElementsByTagName('ul')[0],
|
||||
Socket = window.MozWebSocket || window.WebSocket,
|
||||
protos = ['foo', 'bar', 'xmpp'],
|
||||
socket = new Socket('ws://' + location.hostname + ':' + location.port + '/', protos),
|
||||
index = 0;
|
||||
|
||||
var log = function(text) {
|
||||
logger.innerHTML += '<li>' + text + '</li>';
|
||||
};
|
||||
|
||||
socket.addEventListener('open', function() {
|
||||
log('OPEN: ' + socket.protocol);
|
||||
socket.send('Hello, world');
|
||||
});
|
||||
|
||||
socket.onerror = function(event) {
|
||||
log('ERROR: ' + event.message);
|
||||
};
|
||||
|
||||
socket.onmessage = function(event) {
|
||||
log('MESSAGE: ' + event.data);
|
||||
setTimeout(function() { socket.send(++index + ' ' + event.data) }, 2000);
|
||||
};
|
||||
|
||||
socket.onclose = function(event) {
|
||||
log('CLOSE: ' + event.code + ', ' + event.reason);
|
||||
};
|
||||
</script>
|
||||
|
||||
</body>
|
||||
</html>
|
||||
|
110
node_modules/faye-websocket/lib/faye/eventsource.js
generated
vendored
Normal file
110
node_modules/faye-websocket/lib/faye/eventsource.js
generated
vendored
Normal file
@@ -0,0 +1,110 @@
|
||||
var API = require('./websocket/api'),
|
||||
Event = require('./websocket/api/event');
|
||||
|
||||
var isSecureConnection = function(request) {
|
||||
if (request.headers['x-forwarded-proto']) {
|
||||
return request.headers['x-forwarded-proto'] === 'https';
|
||||
} else {
|
||||
return (request.connection && request.connection.authorized !== undefined) ||
|
||||
(request.socket && request.socket.secure);
|
||||
}
|
||||
};
|
||||
|
||||
var EventSource = function(request, response, options) {
|
||||
options = options || {};
|
||||
|
||||
this._request = request;
|
||||
this._response = response;
|
||||
this._stream = response.socket;
|
||||
this._ping = options.ping || this.DEFAULT_PING;
|
||||
this._retry = options.retry || this.DEFAULT_RETRY;
|
||||
|
||||
var scheme = isSecureConnection(request) ? 'https:' : 'http:';
|
||||
this.url = scheme + '//' + request.headers.host + request.url;
|
||||
|
||||
this.lastEventId = request.headers['last-event-id'] || '';
|
||||
|
||||
var self = this;
|
||||
this.readyState = API.CONNECTING;
|
||||
this._sendBuffer = [];
|
||||
process.nextTick(function() { self._open() });
|
||||
|
||||
var handshake = 'HTTP/1.1 200 OK\r\n' +
|
||||
'Content-Type: text/event-stream\r\n' +
|
||||
'Cache-Control: no-cache, no-store\r\n' +
|
||||
'Connection: close\r\n' +
|
||||
'\r\n\r\n' +
|
||||
'retry: ' + Math.floor(this._retry * 1000) + '\r\n\r\n';
|
||||
|
||||
this.readyState = API.OPEN;
|
||||
|
||||
if (this._ping)
|
||||
this._pingLoop = setInterval(function() { self.ping() }, this._ping * 1000);
|
||||
|
||||
if (!this._stream || !this._stream.writable) return;
|
||||
|
||||
this._stream.setTimeout(0);
|
||||
this._stream.setNoDelay(true);
|
||||
|
||||
try { this._stream.write(handshake, 'utf8') } catch (e) {}
|
||||
|
||||
['close', 'end', 'error'].forEach(function(event) {
|
||||
self._stream.addListener(event, function() { self.close() });
|
||||
});
|
||||
};
|
||||
|
||||
EventSource.isEventSource = function(request) {
|
||||
var accept = (request.headers.accept || '').split(/\s*,\s*/);
|
||||
return accept.indexOf('text/event-stream') >= 0;
|
||||
};
|
||||
|
||||
var instance = {
|
||||
DEFAULT_PING: 10,
|
||||
DEFAULT_RETRY: 5,
|
||||
|
||||
send: function(message, options) {
|
||||
if (this.readyState !== API.OPEN) return false;
|
||||
|
||||
message = String(message).replace(/(\r\n|\r|\n)/g, '$1data: ');
|
||||
options = options || {};
|
||||
|
||||
var frame = '';
|
||||
if (options.event) frame += 'event: ' + options.event + '\r\n';
|
||||
if (options.id) frame += 'id: ' + options.id + '\r\n';
|
||||
frame += 'data: ' + message + '\r\n\r\n';
|
||||
|
||||
try {
|
||||
this._stream.write(frame, 'utf8');
|
||||
return true;
|
||||
} catch (e) {
|
||||
return false;
|
||||
}
|
||||
},
|
||||
|
||||
ping: function() {
|
||||
try {
|
||||
this._stream.write(':\r\n\r\n', 'utf8');
|
||||
return true;
|
||||
} catch (e) {
|
||||
return false;
|
||||
}
|
||||
},
|
||||
|
||||
close: function() {
|
||||
if (this.readyState === API.CLOSING || this.readyState === API.CLOSED)
|
||||
return;
|
||||
|
||||
this.readyState = API.CLOSED;
|
||||
clearInterval(this._pingLoop);
|
||||
this._response.end();
|
||||
|
||||
var event = new Event('close');
|
||||
event.initEvent('close', false, false);
|
||||
this.dispatchEvent(event);
|
||||
}
|
||||
};
|
||||
|
||||
for (var key in API) EventSource.prototype[key] = API[key];
|
||||
for (var key in instance) EventSource.prototype[key] = instance[key];
|
||||
module.exports = EventSource;
|
||||
|
93
node_modules/faye-websocket/lib/faye/websocket.js
generated
vendored
Normal file
93
node_modules/faye-websocket/lib/faye/websocket.js
generated
vendored
Normal file
@@ -0,0 +1,93 @@
|
||||
// API and protocol references:
|
||||
//
|
||||
// * http://dev.w3.org/html5/websockets/
|
||||
// * http://dvcs.w3.org/hg/domcore/raw-file/tip/Overview.html#interface-eventtarget
|
||||
// * http://dvcs.w3.org/hg/domcore/raw-file/tip/Overview.html#interface-event
|
||||
// * http://tools.ietf.org/html/draft-hixie-thewebsocketprotocol-75
|
||||
// * http://tools.ietf.org/html/draft-hixie-thewebsocketprotocol-76
|
||||
// * http://tools.ietf.org/html/draft-ietf-hybi-thewebsocketprotocol-17
|
||||
|
||||
var Draft75Parser = require('./websocket/draft75_parser'),
|
||||
Draft76Parser = require('./websocket/draft76_parser'),
|
||||
HybiParser = require('./websocket/hybi_parser'),
|
||||
API = require('./websocket/api'),
|
||||
Event = require('./websocket/api/event');
|
||||
|
||||
var getParser = function(request) {
|
||||
var headers = request.headers;
|
||||
return headers['sec-websocket-version']
|
||||
? HybiParser
|
||||
: (headers['sec-websocket-key1'] && headers['sec-websocket-key2'])
|
||||
? Draft76Parser
|
||||
: Draft75Parser;
|
||||
};
|
||||
|
||||
var isSecureConnection = function(request) {
|
||||
if (request.headers['x-forwarded-proto']) {
|
||||
return request.headers['x-forwarded-proto'] === 'https';
|
||||
} else {
|
||||
return (request.connection && request.connection.authorized !== undefined) ||
|
||||
(request.socket && request.socket.secure);
|
||||
}
|
||||
};
|
||||
|
||||
var WebSocket = function(request, socket, head, supportedProtos, options) {
|
||||
this.request = request;
|
||||
this._stream = request.socket;
|
||||
this._ping = options && options.ping;
|
||||
this._pingId = 0;
|
||||
|
||||
var scheme = isSecureConnection(request) ? 'wss:' : 'ws:';
|
||||
this.url = scheme + '//' + request.headers.host + request.url;
|
||||
this.readyState = API.CONNECTING;
|
||||
this.bufferedAmount = 0;
|
||||
|
||||
var Parser = getParser(request);
|
||||
this._parser = new Parser(this, {protocols: supportedProtos});
|
||||
|
||||
var self = this;
|
||||
this._sendBuffer = [];
|
||||
process.nextTick(function() { self._open() });
|
||||
|
||||
var handshake = this._parser.handshakeResponse(head);
|
||||
if (this._parser.isOpen()) this.readyState = API.OPEN;
|
||||
|
||||
if (this._ping)
|
||||
this._pingLoop = setInterval(function() {
|
||||
self._pingId += 1;
|
||||
self.ping(self._pingId.toString());
|
||||
}, this._ping * 1000);
|
||||
|
||||
this.protocol = this._parser.protocol || '';
|
||||
this.version = this._parser.getVersion();
|
||||
|
||||
if (!this._stream || !this._stream.writable) return;
|
||||
|
||||
this._stream.setTimeout(0);
|
||||
this._stream.setNoDelay(true);
|
||||
|
||||
try { this._stream.write(handshake, 'binary') } catch (e) {}
|
||||
|
||||
this._stream.addListener('data', function(data) {
|
||||
var response = self._parser.parse(data);
|
||||
if (!response) return;
|
||||
try { self._stream.write(response, 'binary') } catch (e) {}
|
||||
self._open();
|
||||
});
|
||||
['close', 'end', 'error'].forEach(function(event) {
|
||||
self._stream.addListener(event, function() { self.close(1006, '', false) });
|
||||
});
|
||||
};
|
||||
|
||||
WebSocket.prototype.ping = function(message, callback, context) {
|
||||
if (!this._parser.ping) return false;
|
||||
return this._parser.ping(message, callback, context);
|
||||
};
|
||||
|
||||
for (var key in API) WebSocket.prototype[key] = API[key];
|
||||
|
||||
WebSocket.WebSocket = WebSocket;
|
||||
WebSocket.Client = require('./websocket/client');
|
||||
WebSocket.EventSource = require('./eventsource');
|
||||
module.exports = WebSocket;
|
||||
|
88
node_modules/faye-websocket/lib/faye/websocket/api.js
generated
vendored
Normal file
88
node_modules/faye-websocket/lib/faye/websocket/api.js
generated
vendored
Normal file
@@ -0,0 +1,88 @@
|
||||
var EventTarget = require('./api/event_target'),
|
||||
Event = require('./api/event');
|
||||
|
||||
var API = {
|
||||
CONNECTING: 0,
|
||||
OPEN: 1,
|
||||
CLOSING: 2,
|
||||
CLOSED: 3,
|
||||
|
||||
_open: function() {
|
||||
if (this._parser && !this._parser.isOpen()) return;
|
||||
this.readyState = API.OPEN;
|
||||
|
||||
var buffer = this._sendBuffer || [],
|
||||
message;
|
||||
|
||||
while (message = buffer.shift())
|
||||
this.send.apply(this, message);
|
||||
|
||||
var event = new Event('open');
|
||||
event.initEvent('open', false, false);
|
||||
this.dispatchEvent(event);
|
||||
},
|
||||
|
||||
receive: function(data) {
|
||||
if (this.readyState !== API.OPEN) return false;
|
||||
var event = new Event('message');
|
||||
event.initEvent('message', false, false);
|
||||
event.data = data;
|
||||
this.dispatchEvent(event);
|
||||
},
|
||||
|
||||
send: function(data, type, errorType) {
|
||||
if (this.readyState === API.CONNECTING) {
|
||||
if (this._sendBuffer) {
|
||||
this._sendBuffer.push(arguments);
|
||||
return true;
|
||||
} else {
|
||||
throw new Error('Cannot call send(), socket is not open yet');
|
||||
}
|
||||
}
|
||||
|
||||
if (this.readyState === API.CLOSED)
|
||||
return false;
|
||||
|
||||
if (!(data instanceof Buffer)) data = String(data);
|
||||
|
||||
var frame = this._parser.frame(data, type, errorType);
|
||||
try {
|
||||
this._stream.write(frame, 'binary');
|
||||
return true;
|
||||
} catch (e) {
|
||||
return false;
|
||||
}
|
||||
},
|
||||
|
||||
close: function(code, reason, ack) {
|
||||
if (this.readyState === API.CLOSED) return;
|
||||
if (this.readyState === API.CLOSING && ack !== false) return;
|
||||
|
||||
var finalize = function() {
|
||||
this.readyState = API.CLOSED;
|
||||
if (this._pingLoop) clearInterval(this._pingLoop);
|
||||
if (this._stream) this._stream.end();
|
||||
var event = new Event('close', {code: code || 1000, reason: reason || ''});
|
||||
event.initEvent('close', false, false);
|
||||
this.dispatchEvent(event);
|
||||
};
|
||||
|
||||
if (this.readyState === API.CONNECTING)
|
||||
return finalize.call(this);
|
||||
|
||||
this.readyState = API.CLOSING;
|
||||
|
||||
if (ack === false) {
|
||||
if (this._parser.close) this._parser.close(code, reason);
|
||||
finalize.call(this);
|
||||
} else {
|
||||
if (this._parser.close) this._parser.close(code, reason, finalize, this);
|
||||
else finalize.call(this);
|
||||
}
|
||||
}
|
||||
};
|
||||
|
||||
for (var key in EventTarget) API[key] = EventTarget[key];
|
||||
|
||||
module.exports = API;
|
||||
|
21
node_modules/faye-websocket/lib/faye/websocket/api/event.js
generated
vendored
Normal file
21
node_modules/faye-websocket/lib/faye/websocket/api/event.js
generated
vendored
Normal file
@@ -0,0 +1,21 @@
|
||||
var Event = function(eventType, options) {
|
||||
this.type = eventType;
|
||||
for (var key in options)
|
||||
this[key] = options[key];
|
||||
};
|
||||
|
||||
Event.prototype.initEvent = function(eventType, canBubble, cancelable) {
|
||||
this.type = eventType;
|
||||
this.bubbles = canBubble;
|
||||
this.cancelable = cancelable;
|
||||
};
|
||||
|
||||
Event.prototype.stopPropagation = function() {};
|
||||
Event.prototype.preventDefault = function() {};
|
||||
|
||||
Event.CAPTURING_PHASE = 1;
|
||||
Event.AT_TARGET = 2;
|
||||
Event.BUBBLING_PHASE = 3;
|
||||
|
||||
module.exports = Event;
|
||||
|
47
node_modules/faye-websocket/lib/faye/websocket/api/event_target.js
generated
vendored
Normal file
47
node_modules/faye-websocket/lib/faye/websocket/api/event_target.js
generated
vendored
Normal file
@@ -0,0 +1,47 @@
|
||||
var Event = require('./event');
|
||||
|
||||
var EventTarget = {
|
||||
onopen: null,
|
||||
onmessage: null,
|
||||
onerror: null,
|
||||
onclose: null,
|
||||
|
||||
addEventListener: function(eventType, listener, useCapture) {
|
||||
this._listeners = this._listeners || {};
|
||||
var list = this._listeners[eventType] = this._listeners[eventType] || [];
|
||||
list.push(listener);
|
||||
},
|
||||
|
||||
removeEventListener: function(eventType, listener, useCapture) {
|
||||
if (!this._listeners || !this._listeners[eventType]) return;
|
||||
|
||||
if (!listener) {
|
||||
delete this._listeners[eventType];
|
||||
return;
|
||||
}
|
||||
var list = this._listeners[eventType],
|
||||
i = list.length;
|
||||
|
||||
while (i--) {
|
||||
if (listener !== list[i]) continue;
|
||||
list.splice(i,1);
|
||||
}
|
||||
},
|
||||
|
||||
dispatchEvent: function(event) {
|
||||
event.target = event.currentTarget = this;
|
||||
event.eventPhase = Event.AT_TARGET;
|
||||
|
||||
if (this['on' + event.type])
|
||||
this['on' + event.type](event);
|
||||
|
||||
if (!this._listeners || !this._listeners[event.type]) return;
|
||||
|
||||
this._listeners[event.type].forEach(function(listener) {
|
||||
listener(event);
|
||||
}, this);
|
||||
}
|
||||
};
|
||||
|
||||
module.exports = EventTarget;
|
||||
|
86
node_modules/faye-websocket/lib/faye/websocket/client.js
generated
vendored
Normal file
86
node_modules/faye-websocket/lib/faye/websocket/client.js
generated
vendored
Normal file
@@ -0,0 +1,86 @@
|
||||
var net = require('net'),
|
||||
tls = require('tls');
|
||||
|
||||
var HybiParser = require('./hybi_parser'),
|
||||
API = require('./api'),
|
||||
Event = require('./api/event');
|
||||
|
||||
var Client = function(url, protocols, options) {
|
||||
this.url = url;
|
||||
this._uri = require('url').parse(url);
|
||||
|
||||
this.protocol = '';
|
||||
this.readyState = API.CONNECTING;
|
||||
this.bufferedAmount = 0;
|
||||
|
||||
var secure = (this._uri.protocol === 'wss:'),
|
||||
self = this,
|
||||
onConnect = function() { self._onConnect() },
|
||||
tlsOptions = {};
|
||||
|
||||
if (options && options.verify === false) tlsOptions.rejectUnauthorized = false;
|
||||
|
||||
var connection = secure
|
||||
? tls.connect(this._uri.port || 443, this._uri.hostname, tlsOptions, onConnect)
|
||||
: net.createConnection(this._uri.port || 80, this._uri.hostname);
|
||||
|
||||
this._parser = new HybiParser(this, {masking: true, protocols: protocols});
|
||||
this._stream = connection;
|
||||
|
||||
this._stream.setTimeout(0);
|
||||
this._stream.setNoDelay(true);
|
||||
|
||||
if (!secure) connection.addListener('connect', onConnect);
|
||||
|
||||
connection.addListener('data', function(data) {
|
||||
self._onData(data);
|
||||
});
|
||||
['close', 'end', 'error'].forEach(function(event) {
|
||||
connection.addListener(event, function() { self.close(1006, '', false) });
|
||||
});
|
||||
};
|
||||
|
||||
Client.prototype._onConnect = function() {
|
||||
this._handshake = this._parser.createHandshake(this._uri, this._stream);
|
||||
this._message = [];
|
||||
try {
|
||||
this._stream.write(this._handshake.requestData(), 'binary');
|
||||
} catch (e) {}
|
||||
};
|
||||
|
||||
Client.prototype._onData = function(data) {
|
||||
switch (this.readyState) {
|
||||
case API.CONNECTING:
|
||||
var bytes = this._handshake.parse(data);
|
||||
for (var i = 0, n = bytes.length; i < n; i++)
|
||||
this._message.push(bytes[i]);
|
||||
|
||||
if (!this._handshake.isComplete()) return;
|
||||
|
||||
if (this._handshake.isValid()) {
|
||||
this.protocol = this._handshake.protocol || '';
|
||||
this.readyState = API.OPEN;
|
||||
var event = new Event('open');
|
||||
event.initEvent('open', false, false);
|
||||
this.dispatchEvent(event);
|
||||
|
||||
this._parser.parse(this._message);
|
||||
|
||||
} else {
|
||||
this.readyState = API.CLOSED;
|
||||
var event = new Event('close', {code: 1006, reason: ''});
|
||||
event.initEvent('close', false, false);
|
||||
this.dispatchEvent(event);
|
||||
}
|
||||
break;
|
||||
|
||||
case API.OPEN:
|
||||
case API.CLOSING:
|
||||
this._parser.parse(data);
|
||||
}
|
||||
};
|
||||
|
||||
for (var key in API) Client.prototype[key] = API[key];
|
||||
|
||||
module.exports = Client;
|
||||
|
98
node_modules/faye-websocket/lib/faye/websocket/draft75_parser.js
generated
vendored
Normal file
98
node_modules/faye-websocket/lib/faye/websocket/draft75_parser.js
generated
vendored
Normal file
@@ -0,0 +1,98 @@
|
||||
var Draft75Parser = function(webSocket) {
|
||||
this._socket = webSocket;
|
||||
this._stage = 0;
|
||||
};
|
||||
|
||||
var instance = {
|
||||
getVersion: function() {
|
||||
return 'hixie-75';
|
||||
},
|
||||
|
||||
handshakeResponse: function() {
|
||||
return new Buffer('HTTP/1.1 101 Web Socket Protocol Handshake\r\n' +
|
||||
'Upgrade: WebSocket\r\n' +
|
||||
'Connection: Upgrade\r\n' +
|
||||
'WebSocket-Origin: ' + this._socket.request.headers.origin + '\r\n' +
|
||||
'WebSocket-Location: ' + this._socket.url + '\r\n\r\n',
|
||||
'utf8');
|
||||
},
|
||||
|
||||
isOpen: function() {
|
||||
return true;
|
||||
},
|
||||
|
||||
parse: function(buffer) {
|
||||
var data, message, value;
|
||||
for (var i = 0, n = buffer.length; i < n; i++) {
|
||||
data = buffer[i];
|
||||
|
||||
switch (this._stage) {
|
||||
case 0:
|
||||
this._parseLeadingByte(data);
|
||||
break;
|
||||
|
||||
case 1:
|
||||
value = (data & 0x7F);
|
||||
this._length = value + 128 * this._length;
|
||||
|
||||
if (this._closing && this._length === 0) {
|
||||
this._socket.close(null, null, false);
|
||||
}
|
||||
else if ((0x80 & data) !== 0x80) {
|
||||
if (this._length === 0) {
|
||||
this._socket.receive('');
|
||||
this._stage = 0;
|
||||
}
|
||||
else {
|
||||
this._buffer = [];
|
||||
this._stage = 2;
|
||||
}
|
||||
}
|
||||
break;
|
||||
|
||||
case 2:
|
||||
if (data === 0xFF) {
|
||||
message = new Buffer(this._buffer);
|
||||
this._socket.receive(message.toString('utf8', 0, this._buffer.length));
|
||||
this._stage = 0;
|
||||
}
|
||||
else {
|
||||
this._buffer.push(data);
|
||||
if (this._length && this._buffer.length === this._length)
|
||||
this._stage = 0;
|
||||
}
|
||||
break;
|
||||
}
|
||||
}
|
||||
},
|
||||
|
||||
_parseLeadingByte: function(data) {
|
||||
if ((0x80 & data) === 0x80) {
|
||||
this._length = 0;
|
||||
this._stage = 1;
|
||||
} else {
|
||||
delete this._length;
|
||||
this._buffer = [];
|
||||
this._stage = 2;
|
||||
}
|
||||
},
|
||||
|
||||
frame: function(data) {
|
||||
if (Buffer.isBuffer(data)) return data;
|
||||
|
||||
var buffer = new Buffer(data, 'utf8'),
|
||||
frame = new Buffer(buffer.length + 2);
|
||||
|
||||
frame[0] = 0x00;
|
||||
frame[buffer.length + 1] = 0xFF;
|
||||
buffer.copy(frame, 1);
|
||||
|
||||
return frame;
|
||||
}
|
||||
};
|
||||
|
||||
for (var key in instance)
|
||||
Draft75Parser.prototype[key] = instance[key];
|
||||
|
||||
module.exports = Draft75Parser;
|
||||
|
99
node_modules/faye-websocket/lib/faye/websocket/draft76_parser.js
generated
vendored
Normal file
99
node_modules/faye-websocket/lib/faye/websocket/draft76_parser.js
generated
vendored
Normal file
@@ -0,0 +1,99 @@
|
||||
var crypto = require('crypto'),
|
||||
Draft75Parser = require('./draft75_parser'),
|
||||
Draft76Parser = function() { Draft75Parser.apply(this, arguments) };
|
||||
|
||||
var bridge = function() {};
|
||||
bridge.prototype = Draft75Parser.prototype;
|
||||
Draft76Parser.prototype = new bridge();
|
||||
|
||||
var numberFromKey = function(key) {
|
||||
return parseInt(key.match(/[0-9]/g).join(''), 10);
|
||||
};
|
||||
|
||||
var spacesInKey = function(key) {
|
||||
return key.match(/ /g).length;
|
||||
};
|
||||
|
||||
var bigEndian = function(number) {
|
||||
var string = '';
|
||||
[24,16,8,0].forEach(function(offset) {
|
||||
string += String.fromCharCode(number >> offset & 0xFF);
|
||||
});
|
||||
return string;
|
||||
};
|
||||
|
||||
Draft76Parser.prototype.getVersion = function() {
|
||||
return 'hixie-76';
|
||||
};
|
||||
|
||||
Draft76Parser.prototype.handshakeResponse = function(head) {
|
||||
var request = this._socket.request, tmp;
|
||||
|
||||
var response = new Buffer('HTTP/1.1 101 Web Socket Protocol Handshake\r\n' +
|
||||
'Upgrade: WebSocket\r\n' +
|
||||
'Connection: Upgrade\r\n' +
|
||||
'Sec-WebSocket-Origin: ' + request.headers.origin + '\r\n' +
|
||||
'Sec-WebSocket-Location: ' + this._socket.url + '\r\n\r\n',
|
||||
'binary');
|
||||
|
||||
var signature = this.handshakeSignature(head);
|
||||
if (signature) {
|
||||
tmp = new Buffer(response.length + signature.length);
|
||||
response.copy(tmp, 0);
|
||||
signature.copy(tmp, response.length);
|
||||
response = tmp;
|
||||
}
|
||||
|
||||
return response;
|
||||
};
|
||||
|
||||
Draft76Parser.prototype.isOpen = function() {
|
||||
return !!this._handshakeComplete;
|
||||
};
|
||||
|
||||
Draft76Parser.prototype.handshakeSignature = function(head) {
|
||||
if (head.length === 0) return null;
|
||||
|
||||
var request = this._socket.request,
|
||||
|
||||
key1 = request.headers['sec-websocket-key1'],
|
||||
value1 = numberFromKey(key1) / spacesInKey(key1),
|
||||
|
||||
key2 = request.headers['sec-websocket-key2'],
|
||||
value2 = numberFromKey(key2) / spacesInKey(key2),
|
||||
|
||||
MD5 = crypto.createHash('md5');
|
||||
|
||||
MD5.update(bigEndian(value1));
|
||||
MD5.update(bigEndian(value2));
|
||||
MD5.update(head.toString('binary'));
|
||||
|
||||
this._handshakeComplete = true;
|
||||
return new Buffer(MD5.digest('binary'), 'binary');
|
||||
};
|
||||
|
||||
Draft76Parser.prototype.parse = function(data) {
|
||||
if (this._handshakeComplete)
|
||||
return Draft75Parser.prototype.parse.call(this, data);
|
||||
|
||||
return this.handshakeSignature(data);
|
||||
};
|
||||
|
||||
Draft76Parser.prototype._parseLeadingByte = function(data) {
|
||||
if (data !== 0xFF)
|
||||
return Draft75Parser.prototype._parseLeadingByte.call(this, data);
|
||||
|
||||
this._closing = true;
|
||||
this._length = 0;
|
||||
this._stage = 1;
|
||||
};
|
||||
|
||||
Draft76Parser.prototype.close = function(code, reason, callback, context) {
|
||||
if (this._closed) return;
|
||||
if (this._closing) this._socket.send(new Buffer([0xFF, 0x00]));
|
||||
this._closed = true;
|
||||
if (callback) callback.call(context);
|
||||
};
|
||||
|
||||
module.exports = Draft76Parser;
|
||||
|
355
node_modules/faye-websocket/lib/faye/websocket/hybi_parser.js
generated
vendored
Normal file
355
node_modules/faye-websocket/lib/faye/websocket/hybi_parser.js
generated
vendored
Normal file
@@ -0,0 +1,355 @@
|
||||
var crypto = require('crypto'),
|
||||
Handshake = require('./hybi_parser/handshake'),
|
||||
Reader = require('./hybi_parser/stream_reader');
|
||||
|
||||
var HybiParser = function(webSocket, options) {
|
||||
this._reset();
|
||||
this._socket = webSocket;
|
||||
this._reader = new Reader();
|
||||
this._stage = 0;
|
||||
this._masking = options && options.masking;
|
||||
this._protocols = options && options.protocols;
|
||||
|
||||
this._pingCallbacks = {};
|
||||
|
||||
if (typeof this._protocols === 'string')
|
||||
this._protocols = this._protocols.split(/\s*,\s*/);
|
||||
};
|
||||
|
||||
HybiParser.mask = function(payload, mask, offset) {
|
||||
if (mask.length === 0) return payload;
|
||||
offset = offset || 0;
|
||||
|
||||
for (var i = 0, n = payload.length - offset; i < n; i++) {
|
||||
payload[offset + i] = payload[offset + i] ^ mask[i % 4];
|
||||
}
|
||||
return payload;
|
||||
};
|
||||
|
||||
var instance = {
|
||||
BYTE: 255,
|
||||
FIN: 128,
|
||||
MASK: 128,
|
||||
RSV1: 64,
|
||||
RSV2: 32,
|
||||
RSV3: 16,
|
||||
OPCODE: 15,
|
||||
LENGTH: 127,
|
||||
|
||||
OPCODES: {
|
||||
continuation: 0,
|
||||
text: 1,
|
||||
binary: 2,
|
||||
close: 8,
|
||||
ping: 9,
|
||||
pong: 10
|
||||
},
|
||||
|
||||
ERRORS: {
|
||||
normal_closure: 1000,
|
||||
going_away: 1001,
|
||||
protocol_error: 1002,
|
||||
unacceptable: 1003,
|
||||
encoding_error: 1007,
|
||||
policy_violation: 1008,
|
||||
too_large: 1009,
|
||||
extension_error: 1010,
|
||||
unexpected_condition: 1011
|
||||
},
|
||||
|
||||
FRAGMENTED_OPCODES: [0,1,2],
|
||||
OPENING_OPCODES: [1,2],
|
||||
|
||||
ERROR_CODES: [1000,1001,1002,1003,1007,1008,1009,1010,1011],
|
||||
|
||||
UTF8_MATCH: /^([\x00-\x7F]|[\xC2-\xDF][\x80-\xBF]|\xE0[\xA0-\xBF][\x80-\xBF]|[\xE1-\xEC\xEE\xEF][\x80-\xBF]{2}|\xED[\x80-\x9F][\x80-\xBF]|\xF0[\x90-\xBF][\x80-\xBF]{2}|[\xF1-\xF3][\x80-\xBF]{3}|\xF4[\x80-\x8F][\x80-\xBF]{2})*$/,
|
||||
|
||||
getVersion: function() {
|
||||
var version = this._socket.request.headers['sec-websocket-version'];
|
||||
return 'hybi-' + version;
|
||||
},
|
||||
|
||||
handshakeResponse: function() {
|
||||
var secKey = this._socket.request.headers['sec-websocket-key'];
|
||||
if (!secKey) return null;
|
||||
|
||||
var SHA1 = crypto.createHash('sha1');
|
||||
SHA1.update(secKey + Handshake.GUID);
|
||||
|
||||
var accept = SHA1.digest('base64'),
|
||||
protos = this._socket.request.headers['sec-websocket-protocol'],
|
||||
supported = this._protocols,
|
||||
proto,
|
||||
|
||||
headers = [
|
||||
'HTTP/1.1 101 Switching Protocols',
|
||||
'Upgrade: websocket',
|
||||
'Connection: Upgrade',
|
||||
'Sec-WebSocket-Accept: ' + accept
|
||||
];
|
||||
|
||||
if (protos !== undefined && supported !== undefined) {
|
||||
if (typeof protos === 'string') protos = protos.split(/\s*,\s*/);
|
||||
proto = protos.filter(function(p) { return supported.indexOf(p) >= 0 })[0];
|
||||
if (proto) {
|
||||
this.protocol = proto;
|
||||
headers.push('Sec-WebSocket-Protocol: ' + proto);
|
||||
}
|
||||
}
|
||||
|
||||
return new Buffer(headers.concat('','').join('\r\n'), 'utf8');
|
||||
},
|
||||
|
||||
isOpen: function() {
|
||||
return true;
|
||||
},
|
||||
|
||||
createHandshake: function(uri) {
|
||||
return new Handshake(uri, this._protocols);
|
||||
},
|
||||
|
||||
parse: function(data) {
|
||||
this._reader.put(data);
|
||||
var buffer = true;
|
||||
while (buffer) {
|
||||
switch (this._stage) {
|
||||
case 0:
|
||||
buffer = this._reader.read(1);
|
||||
if (buffer) this._parseOpcode(buffer[0]);
|
||||
break;
|
||||
|
||||
case 1:
|
||||
buffer = this._reader.read(1);
|
||||
if (buffer) this._parseLength(buffer[0]);
|
||||
break;
|
||||
|
||||
case 2:
|
||||
buffer = this._reader.read(this._lengthSize);
|
||||
if (buffer) this._parseExtendedLength(buffer);
|
||||
break;
|
||||
|
||||
case 3:
|
||||
buffer = this._reader.read(4);
|
||||
if (buffer) {
|
||||
this._mask = buffer;
|
||||
this._stage = 4;
|
||||
}
|
||||
break;
|
||||
|
||||
case 4:
|
||||
buffer = this._reader.read(this._length);
|
||||
if (buffer) {
|
||||
this._payload = buffer;
|
||||
this._emitFrame();
|
||||
this._stage = 0;
|
||||
}
|
||||
break;
|
||||
}
|
||||
}
|
||||
},
|
||||
|
||||
_parseOpcode: function(data) {
|
||||
var rsvs = [this.RSV1, this.RSV2, this.RSV3].filter(function(rsv) {
|
||||
return (data & rsv) === rsv;
|
||||
}, this);
|
||||
|
||||
if (rsvs.length > 0) return this._socket.close(this.ERRORS.protocol_error, null, false);
|
||||
|
||||
this._final = (data & this.FIN) === this.FIN;
|
||||
this._opcode = (data & this.OPCODE);
|
||||
this._mask = [];
|
||||
this._payload = [];
|
||||
|
||||
var valid = false;
|
||||
|
||||
for (var key in this.OPCODES) {
|
||||
if (this.OPCODES[key] === this._opcode)
|
||||
valid = true;
|
||||
}
|
||||
if (!valid) return this._socket.close(this.ERRORS.protocol_error, null, false);
|
||||
|
||||
if (this.FRAGMENTED_OPCODES.indexOf(this._opcode) < 0 && !this._final)
|
||||
return this._socket.close(this.ERRORS.protocol_error, null, false);
|
||||
|
||||
if (this._mode && this.OPENING_OPCODES.indexOf(this._opcode) >= 0)
|
||||
return this._socket.close(this.ERRORS.protocol_error, null, false);
|
||||
|
||||
this._stage = 1;
|
||||
},
|
||||
|
||||
_parseLength: function(data) {
|
||||
this._masked = (data & this.MASK) === this.MASK;
|
||||
this._length = (data & this.LENGTH);
|
||||
|
||||
if (this._length >= 0 && this._length <= 125) {
|
||||
this._stage = this._masked ? 3 : 4;
|
||||
} else {
|
||||
this._lengthBuffer = [];
|
||||
this._lengthSize = (this._length === 126 ? 2 : 8);
|
||||
this._stage = 2;
|
||||
}
|
||||
},
|
||||
|
||||
_parseExtendedLength: function(buffer) {
|
||||
this._length = this._getInteger(buffer);
|
||||
this._stage = this._masked ? 3 : 4;
|
||||
},
|
||||
|
||||
frame: function(data, type, code) {
|
||||
if (this._closed) return null;
|
||||
|
||||
var isText = (typeof data === 'string'),
|
||||
opcode = this.OPCODES[type || (isText ? 'text' : 'binary')],
|
||||
buffer = isText ? new Buffer(data, 'utf8') : data,
|
||||
insert = code ? 2 : 0,
|
||||
length = buffer.length + insert,
|
||||
header = (length <= 125) ? 2 : (length <= 65535 ? 4 : 10),
|
||||
offset = header + (this._masking ? 4 : 0),
|
||||
masked = this._masking ? this.MASK : 0,
|
||||
frame = new Buffer(length + offset),
|
||||
BYTE = this.BYTE,
|
||||
mask, i;
|
||||
|
||||
frame[0] = this.FIN | opcode;
|
||||
|
||||
if (length <= 125) {
|
||||
frame[1] = masked | length;
|
||||
} else if (length <= 65535) {
|
||||
frame[1] = masked | 126;
|
||||
frame[2] = Math.floor(length / 256);
|
||||
frame[3] = length & BYTE;
|
||||
} else {
|
||||
frame[1] = masked | 127;
|
||||
frame[2] = Math.floor(length / Math.pow(2,56)) & BYTE;
|
||||
frame[3] = Math.floor(length / Math.pow(2,48)) & BYTE;
|
||||
frame[4] = Math.floor(length / Math.pow(2,40)) & BYTE;
|
||||
frame[5] = Math.floor(length / Math.pow(2,32)) & BYTE;
|
||||
frame[6] = Math.floor(length / Math.pow(2,24)) & BYTE;
|
||||
frame[7] = Math.floor(length / Math.pow(2,16)) & BYTE;
|
||||
frame[8] = Math.floor(length / Math.pow(2,8)) & BYTE;
|
||||
frame[9] = length & BYTE;
|
||||
}
|
||||
|
||||
if (code) {
|
||||
frame[offset] = Math.floor(code / 256) & BYTE;
|
||||
frame[offset+1] = code & BYTE;
|
||||
}
|
||||
buffer.copy(frame, offset + insert);
|
||||
|
||||
if (this._masking) {
|
||||
mask = [Math.floor(Math.random() * 256), Math.floor(Math.random() * 256),
|
||||
Math.floor(Math.random() * 256), Math.floor(Math.random() * 256)];
|
||||
new Buffer(mask).copy(frame, header);
|
||||
HybiParser.mask(frame, mask, offset);
|
||||
}
|
||||
|
||||
return frame;
|
||||
},
|
||||
|
||||
ping: function(message, callback, context) {
|
||||
message = message || '';
|
||||
if (callback) this._pingCallbacks[message] = [callback, context];
|
||||
return this._socket.send(message, 'ping');
|
||||
},
|
||||
|
||||
close: function(code, reason, callback, context) {
|
||||
if (this._closed) return;
|
||||
if (callback) this._closingCallback = [callback, context];
|
||||
this._socket.send(reason || '', 'close', code || this.ERRORS.normal_closure);
|
||||
this._closed = true;
|
||||
},
|
||||
|
||||
buffer: function(fragment) {
|
||||
for (var i = 0, n = fragment.length; i < n; i++)
|
||||
this._buffer.push(fragment[i]);
|
||||
},
|
||||
|
||||
_emitFrame: function() {
|
||||
var payload = HybiParser.mask(this._payload, this._mask),
|
||||
opcode = this._opcode;
|
||||
|
||||
if (opcode === this.OPCODES.continuation) {
|
||||
if (!this._mode) return this._socket.close(this.ERRORS.protocol_error, null, false);
|
||||
this.buffer(payload);
|
||||
if (this._final) {
|
||||
var message = new Buffer(this._buffer);
|
||||
if (this._mode === 'text') message = this._encode(message);
|
||||
this._reset();
|
||||
if (message !== null) this._socket.receive(message);
|
||||
else this._socket.close(this.ERRORS.encoding_error, null, false);
|
||||
}
|
||||
}
|
||||
else if (opcode === this.OPCODES.text) {
|
||||
if (this._final) {
|
||||
var message = this._encode(payload);
|
||||
if (message !== null) this._socket.receive(message);
|
||||
else this._socket.close(this.ERRORS.encoding_error, null, false);
|
||||
} else {
|
||||
this._mode = 'text';
|
||||
this.buffer(payload);
|
||||
}
|
||||
}
|
||||
else if (opcode === this.OPCODES.binary) {
|
||||
if (this._final) {
|
||||
this._socket.receive(payload);
|
||||
} else {
|
||||
this._mode = 'binary';
|
||||
this.buffer(payload);
|
||||
}
|
||||
}
|
||||
else if (opcode === this.OPCODES.close) {
|
||||
var code = (payload.length >= 2) ? 256 * payload[0] + payload[1] : null,
|
||||
reason = (payload.length > 2) ? this._encode(payload.slice(2)) : null;
|
||||
|
||||
if (!(payload.length === 0) &&
|
||||
!(code !== null && code >= 3000 && code < 5000) &&
|
||||
this.ERROR_CODES.indexOf(code) < 0)
|
||||
code = this.ERRORS.protocol_error;
|
||||
|
||||
if (payload.length > 125 || (payload.length > 2 && !reason))
|
||||
code = this.ERRORS.protocol_error;
|
||||
|
||||
this._socket.close(code, (payload.length > 2) ? reason : null, false);
|
||||
if (this._closingCallback)
|
||||
this._closingCallback[0].call(this._closingCallback[1]);
|
||||
}
|
||||
else if (opcode === this.OPCODES.ping) {
|
||||
if (payload.length > 125) return this._socket.close(this.ERRORS.protocol_error, null, false);
|
||||
this._socket.send(payload, 'pong');
|
||||
}
|
||||
else if (opcode === this.OPCODES.pong) {
|
||||
var callbacks = this._pingCallbacks,
|
||||
message = this._encode(payload),
|
||||
callback = callbacks[message];
|
||||
|
||||
delete callbacks[message];
|
||||
if (callback) callback[0].call(callback[1]);
|
||||
}
|
||||
},
|
||||
|
||||
_reset: function() {
|
||||
this._mode = null;
|
||||
this._buffer = [];
|
||||
},
|
||||
|
||||
_encode: function(buffer) {
|
||||
try {
|
||||
var string = buffer.toString('binary', 0, buffer.length);
|
||||
if (!this.UTF8_MATCH.test(string)) return null;
|
||||
} catch (e) {}
|
||||
return buffer.toString('utf8', 0, buffer.length);
|
||||
},
|
||||
|
||||
_getInteger: function(bytes) {
|
||||
var number = 0;
|
||||
for (var i = 0, n = bytes.length; i < n; i++)
|
||||
number += bytes[i] << (8 * (n - 1 - i));
|
||||
return number;
|
||||
}
|
||||
};
|
||||
|
||||
for (var key in instance)
|
||||
HybiParser.prototype[key] = instance[key];
|
||||
|
||||
module.exports = HybiParser;
|
||||
|
91
node_modules/faye-websocket/lib/faye/websocket/hybi_parser/handshake.js
generated
vendored
Normal file
91
node_modules/faye-websocket/lib/faye/websocket/hybi_parser/handshake.js
generated
vendored
Normal file
@@ -0,0 +1,91 @@
|
||||
var crypto = require('crypto');
|
||||
|
||||
var Handshake = function(uri, protocols) {
|
||||
this._uri = uri;
|
||||
this._protocols = protocols;
|
||||
|
||||
var buffer = new Buffer(16), i = 16;
|
||||
while (i--) buffer[i] = Math.floor(Math.random() * 256);
|
||||
this._key = buffer.toString('base64');
|
||||
|
||||
var SHA1 = crypto.createHash('sha1');
|
||||
SHA1.update(this._key + Handshake.GUID);
|
||||
this._accept = SHA1.digest('base64');
|
||||
|
||||
var HTTPParser = process.binding('http_parser').HTTPParser,
|
||||
parser = new HTTPParser(HTTPParser.RESPONSE || 'response'),
|
||||
current = null,
|
||||
self = this;
|
||||
|
||||
this._nodeVersion = HTTPParser.RESPONSE ? 6 : 4;
|
||||
this._complete = false;
|
||||
this._headers = {};
|
||||
this._parser = parser;
|
||||
|
||||
parser.onHeaderField = function(b, start, length) {
|
||||
current = b.toString('utf8', start, start + length);
|
||||
};
|
||||
parser.onHeaderValue = function(b, start, length) {
|
||||
self._headers[current] = b.toString('utf8', start, start + length);
|
||||
};
|
||||
parser.onHeadersComplete = function(info) {
|
||||
self._status = info.statusCode;
|
||||
var headers = info.headers;
|
||||
if (!headers) return;
|
||||
for (var i = 0, n = headers.length; i < n; i += 2)
|
||||
self._headers[headers[i]] = headers[i+1];
|
||||
};
|
||||
parser.onMessageComplete = function() {
|
||||
self._complete = true;
|
||||
};
|
||||
};
|
||||
|
||||
Handshake.GUID = '258EAFA5-E914-47DA-95CA-C5AB0DC85B11';
|
||||
|
||||
Handshake.prototype.requestData = function() {
|
||||
var u = this._uri;
|
||||
|
||||
var headers = [
|
||||
'GET ' + (u.pathname || '/') + (u.search || '') + ' HTTP/1.1',
|
||||
'Host: ' + u.hostname + (u.port ? ':' + u.port : ''),
|
||||
'Upgrade: websocket',
|
||||
'Connection: Upgrade',
|
||||
'Sec-WebSocket-Key: ' + this._key,
|
||||
'Sec-WebSocket-Version: 13'
|
||||
];
|
||||
|
||||
if (this._protocols)
|
||||
headers.push('Sec-WebSocket-Protocol: ' + this._protocols.join(', '));
|
||||
|
||||
return new Buffer(headers.concat('','').join('\r\n'), 'utf8');
|
||||
};
|
||||
|
||||
Handshake.prototype.parse = function(data) {
|
||||
var consumed = this._parser.execute(data, 0, data.length),
|
||||
offset = (this._nodeVersion < 6) ? 1 : 0;
|
||||
|
||||
return (consumed === data.length) ? [] : data.slice(consumed + offset);
|
||||
};
|
||||
|
||||
Handshake.prototype.isComplete = function() {
|
||||
return this._complete;
|
||||
};
|
||||
|
||||
Handshake.prototype.isValid = function() {
|
||||
if (this._status !== 101) return false;
|
||||
|
||||
var upgrade = this._headers.Upgrade,
|
||||
connection = this._headers.Connection,
|
||||
protocol = this._headers['Sec-WebSocket-Protocol'];
|
||||
|
||||
this.protocol = this._protocols && this._protocols.indexOf(protocol) >= 0
|
||||
? protocol
|
||||
: null;
|
||||
|
||||
return upgrade && /^websocket$/i.test(upgrade) &&
|
||||
connection && connection.split(/\s*,\s*/).indexOf('Upgrade') >= 0 &&
|
||||
((!this._protocols && !protocol) || this.protocol) &&
|
||||
this._headers['Sec-WebSocket-Accept'] === this._accept;
|
||||
};
|
||||
|
||||
module.exports = Handshake;
|
43
node_modules/faye-websocket/lib/faye/websocket/hybi_parser/stream_reader.js
generated
vendored
Normal file
43
node_modules/faye-websocket/lib/faye/websocket/hybi_parser/stream_reader.js
generated
vendored
Normal file
@@ -0,0 +1,43 @@
|
||||
var StreamReader = function() {
|
||||
this._queue = [];
|
||||
this._cursor = 0;
|
||||
};
|
||||
|
||||
StreamReader.prototype.read = function(bytes) {
|
||||
return this._readBuffer(bytes);
|
||||
};
|
||||
|
||||
StreamReader.prototype.put = function(buffer) {
|
||||
if (!buffer || buffer.length === 0) return;
|
||||
if (!buffer.copy) buffer = new Buffer(buffer);
|
||||
this._queue.push(buffer);
|
||||
};
|
||||
|
||||
StreamReader.prototype._readBuffer = function(length) {
|
||||
var buffer = new Buffer(length),
|
||||
queue = this._queue,
|
||||
remain = length,
|
||||
n = queue.length,
|
||||
i = 0,
|
||||
chunk, offset, size;
|
||||
|
||||
if (remain === 0) return buffer;
|
||||
|
||||
while (remain > 0 && i < n) {
|
||||
chunk = queue[i];
|
||||
offset = (i === 0) ? this._cursor : 0;
|
||||
size = Math.min(remain, chunk.length - offset);
|
||||
chunk.copy(buffer, length - remain, offset, offset + size);
|
||||
remain -= size;
|
||||
i += 1;
|
||||
}
|
||||
|
||||
if (remain > 0) return null;
|
||||
|
||||
queue.splice(0, i-1);
|
||||
this._cursor = (i === 1 ? this._cursor : 0) + size;
|
||||
|
||||
return buffer;
|
||||
};
|
||||
|
||||
module.exports = StreamReader;
|
106
node_modules/faye-websocket/package.json
generated
vendored
Normal file
106
node_modules/faye-websocket/package.json
generated
vendored
Normal file
@@ -0,0 +1,106 @@
|
||||
{
|
||||
"_args": [
|
||||
[
|
||||
{
|
||||
"name": "faye-websocket",
|
||||
"raw": "faye-websocket@0.4.4",
|
||||
"rawSpec": "0.4.4",
|
||||
"scope": null,
|
||||
"spec": "0.4.4",
|
||||
"type": "version"
|
||||
},
|
||||
"/root/gitbook/node_modules/sockjs"
|
||||
]
|
||||
],
|
||||
"_from": "faye-websocket@0.4.4",
|
||||
"_id": "faye-websocket@0.4.4",
|
||||
"_inCache": true,
|
||||
"_installable": true,
|
||||
"_location": "/faye-websocket",
|
||||
"_npmUser": {
|
||||
"email": "jcoglan@gmail.com",
|
||||
"name": "jcoglan"
|
||||
},
|
||||
"_npmVersion": "1.2.10",
|
||||
"_phantomChildren": {},
|
||||
"_requested": {
|
||||
"name": "faye-websocket",
|
||||
"raw": "faye-websocket@0.4.4",
|
||||
"rawSpec": "0.4.4",
|
||||
"scope": null,
|
||||
"spec": "0.4.4",
|
||||
"type": "version"
|
||||
},
|
||||
"_requiredBy": [
|
||||
"/sockjs"
|
||||
],
|
||||
"_resolved": "https://registry.npmjs.org/faye-websocket/-/faye-websocket-0.4.4.tgz",
|
||||
"_shasum": "c14c5b3bf14d7417ffbfd990c0a7495cd9f337bc",
|
||||
"_shrinkwrap": null,
|
||||
"_spec": "faye-websocket@0.4.4",
|
||||
"_where": "/root/gitbook/node_modules/sockjs",
|
||||
"author": {
|
||||
"email": "jcoglan@gmail.com",
|
||||
"name": "James Coglan",
|
||||
"url": "http://jcoglan.com/"
|
||||
},
|
||||
"bugs": {
|
||||
"url": "http://github.com/faye/faye-websocket-node/issues"
|
||||
},
|
||||
"dependencies": {},
|
||||
"description": "Standards-compliant WebSocket server and client",
|
||||
"devDependencies": {
|
||||
"jsclass": "",
|
||||
"pace": ""
|
||||
},
|
||||
"directories": {},
|
||||
"dist": {
|
||||
"integrity": "sha512-78pqrJbvGZSe8i+PLsPd+aJqTyGqgyWLnMw5NOwtXCTVMzEFh1zQPwIuIL/ycTj4rkDy5zZ9B6frYPqVPJBzyQ==",
|
||||
"shasum": "c14c5b3bf14d7417ffbfd990c0a7495cd9f337bc",
|
||||
"signatures": [
|
||||
{
|
||||
"keyid": "SHA256:jl3bwswu80PjjokCgh0o2w5c2U4LhQAE57gj9cz1kzA",
|
||||
"sig": "MEUCIQC8ubTjM9p2qoEOltBiKzfSPogIusgDE3NtaYFUGcSIdAIgIHLWXO7ig3KPqKI6SbzVE6d9AB2zKqCsVsyS1JycZJU="
|
||||
}
|
||||
],
|
||||
"tarball": "https://registry.npmjs.org/faye-websocket/-/faye-websocket-0.4.4.tgz"
|
||||
},
|
||||
"engines": {
|
||||
"node": ">=0.4.0"
|
||||
},
|
||||
"homepage": "http://github.com/faye/faye-websocket-node",
|
||||
"keywords": [
|
||||
"websocket",
|
||||
"eventsource"
|
||||
],
|
||||
"licenses": [
|
||||
{
|
||||
"type": "MIT",
|
||||
"url": "http://www.opensource.org/licenses/mit-license.php"
|
||||
}
|
||||
],
|
||||
"main": "./lib/faye/websocket",
|
||||
"maintainers": [
|
||||
{
|
||||
"email": "jcoglan@gmail.com",
|
||||
"name": "jcoglan"
|
||||
}
|
||||
],
|
||||
"name": "faye-websocket",
|
||||
"optionalDependencies": {},
|
||||
"readme": "ERROR: No README data found!",
|
||||
"repositories": [
|
||||
{
|
||||
"type": "git",
|
||||
"url": "git://github.com/faye/faye-websocket-node.git"
|
||||
}
|
||||
],
|
||||
"repository": {
|
||||
"type": "git",
|
||||
"url": "git://github.com/faye/faye-websocket-node.git"
|
||||
},
|
||||
"scripts": {
|
||||
"test": "node spec/runner.js"
|
||||
},
|
||||
"version": "0.4.4"
|
||||
}
|
175
node_modules/faye-websocket/spec/faye/websocket/client_spec.js
generated
vendored
Normal file
175
node_modules/faye-websocket/spec/faye/websocket/client_spec.js
generated
vendored
Normal file
@@ -0,0 +1,175 @@
|
||||
var Client = require('../../../lib/faye/websocket/client')
|
||||
|
||||
JS.ENV.WebSocketSteps = JS.Test.asyncSteps({
|
||||
server: function(port, secure, callback) {
|
||||
this._adapter = new EchoServer()
|
||||
this._adapter.listen(port, secure)
|
||||
this._port = port
|
||||
setTimeout(callback, 100)
|
||||
},
|
||||
|
||||
stop: function(callback) {
|
||||
this._adapter.stop()
|
||||
setTimeout(callback, 100)
|
||||
},
|
||||
|
||||
open_socket: function(url, protocols, callback) {
|
||||
var done = false,
|
||||
self = this,
|
||||
|
||||
resume = function(open) {
|
||||
if (done) return
|
||||
done = true
|
||||
self._open = open
|
||||
callback()
|
||||
}
|
||||
|
||||
this._ws = new Client(url, protocols, {verify: false})
|
||||
|
||||
this._ws.onopen = function() { resume(true) }
|
||||
this._ws.onclose = function() { resume(false) }
|
||||
},
|
||||
|
||||
close_socket: function(callback) {
|
||||
var self = this
|
||||
this._ws.onclose = function() {
|
||||
self._open = false
|
||||
callback()
|
||||
}
|
||||
this._ws.close()
|
||||
},
|
||||
|
||||
check_open: function(callback) {
|
||||
this.assert( this._open )
|
||||
callback()
|
||||
},
|
||||
|
||||
check_closed: function(callback) {
|
||||
this.assert( !this._open )
|
||||
callback()
|
||||
},
|
||||
|
||||
check_protocol: function(protocol, callback) {
|
||||
this.assertEqual( protocol, this._ws.protocol )
|
||||
callback()
|
||||
},
|
||||
|
||||
listen_for_message: function(callback) {
|
||||
var self = this
|
||||
this._ws.addEventListener('message', function(message) { self._message = message.data })
|
||||
callback()
|
||||
},
|
||||
|
||||
send_message: function(message, callback) {
|
||||
this._ws.send(message)
|
||||
setTimeout(callback, 100)
|
||||
},
|
||||
|
||||
check_response: function(message, callback) {
|
||||
this.assertEqual( message, this._message )
|
||||
callback()
|
||||
},
|
||||
|
||||
check_no_response: function(callback) {
|
||||
this.assert( !this._message )
|
||||
callback()
|
||||
}
|
||||
})
|
||||
|
||||
|
||||
JS.ENV.ClientSpec = JS.Test.describe("Client", function() { with(this) {
|
||||
include(WebSocketSteps)
|
||||
|
||||
before(function() {
|
||||
this.protocols = ["foo", "echo"]
|
||||
this.plain_text_url = "ws://localhost:8000/bayeux"
|
||||
this.secure_url = "wss://localhost:8000/bayeux"
|
||||
})
|
||||
|
||||
sharedBehavior("socket client", function() { with(this) {
|
||||
it("can open a connection", function() { with(this) {
|
||||
open_socket(socket_url, protocols)
|
||||
check_open()
|
||||
check_protocol("echo")
|
||||
}})
|
||||
|
||||
it("cannot open a connection with unacceptable protocols", function() { with(this) {
|
||||
open_socket(socket_url, ["foo"])
|
||||
check_closed()
|
||||
}})
|
||||
|
||||
it("can close the connection", function() { with(this) {
|
||||
open_socket(socket_url, protocols)
|
||||
close_socket()
|
||||
check_closed()
|
||||
}})
|
||||
|
||||
describe("in the OPEN state", function() { with(this) {
|
||||
before(function() { with(this) {
|
||||
open_socket(socket_url, protocols)
|
||||
}})
|
||||
|
||||
it("can send and receive messages", function() { with(this) {
|
||||
listen_for_message()
|
||||
send_message("I expect this to be echoed")
|
||||
check_response("I expect this to be echoed")
|
||||
}})
|
||||
|
||||
it("sends numbers as strings", function() { with(this) {
|
||||
listen_for_message()
|
||||
send_message(13)
|
||||
check_response("13")
|
||||
}})
|
||||
|
||||
it("sends booleans as strings", function() { with(this) {
|
||||
listen_for_message()
|
||||
send_message(false)
|
||||
check_response("false")
|
||||
}})
|
||||
|
||||
it("sends arrays as strings", function() { with(this) {
|
||||
listen_for_message()
|
||||
send_message([13,14,15])
|
||||
check_response("13,14,15")
|
||||
}})
|
||||
}})
|
||||
|
||||
describe("in the CLOSED state", function() { with(this) {
|
||||
before(function() { with(this) {
|
||||
open_socket(socket_url, protocols)
|
||||
close_socket()
|
||||
}})
|
||||
|
||||
it("cannot send and receive messages", function() { with(this) {
|
||||
listen_for_message()
|
||||
send_message("I expect this to be echoed")
|
||||
check_no_response()
|
||||
}})
|
||||
}})
|
||||
}})
|
||||
|
||||
describe("with a plain-text server", function() { with(this) {
|
||||
before(function() {
|
||||
this.socket_url = this.plain_text_url
|
||||
this.blocked_url = this.secure_url
|
||||
})
|
||||
|
||||
before(function() { this.server(8000, false) })
|
||||
after (function() { this.stop() })
|
||||
|
||||
behavesLike("socket client")
|
||||
}})
|
||||
|
||||
describe("with a secure server", function() { with(this) {
|
||||
before(function() {
|
||||
this.socket_url = this.secure_url
|
||||
this.blocked_url = this.plain_text_url
|
||||
})
|
||||
|
||||
before(function() { this.server(8000, true) })
|
||||
after (function() { this.stop() })
|
||||
|
||||
behavesLike("socket client")
|
||||
}})
|
||||
}})
|
||||
|
72
node_modules/faye-websocket/spec/faye/websocket/draft75parser_spec.js
generated
vendored
Normal file
72
node_modules/faye-websocket/spec/faye/websocket/draft75parser_spec.js
generated
vendored
Normal file
@@ -0,0 +1,72 @@
|
||||
var Draft75Parser = require('../../../lib/faye/websocket/draft75_parser')
|
||||
|
||||
JS.ENV.Draft75ParserSpec = JS.Test.describe("Draft75Parser", function() { with(this) {
|
||||
before(function() { with(this) {
|
||||
this.webSocket = {dispatchEvent: function() {}}
|
||||
this.parser = new Draft75Parser(webSocket)
|
||||
}})
|
||||
|
||||
describe("parse", function() { with(this) {
|
||||
sharedBehavior("draft-75 parser", function() { with(this) {
|
||||
it("parses text frames", function() { with(this) {
|
||||
expect(webSocket, "receive").given("Hello")
|
||||
parser.parse([0x00, 0x48, 0x65, 0x6c, 0x6c, 0x6f, 0xff])
|
||||
}})
|
||||
|
||||
it("parses multiple frames from the same packet", function() { with(this) {
|
||||
expect(webSocket, "receive").given("Hello").exactly(2)
|
||||
parser.parse([0x00, 0x48, 0x65, 0x6c, 0x6c, 0x6f, 0xff, 0x00, 0x48, 0x65, 0x6c, 0x6c, 0x6f, 0xff])
|
||||
}})
|
||||
|
||||
it("parses text frames beginning 0x00-0x7F", function() { with(this) {
|
||||
expect(webSocket, "receive").given("Hello")
|
||||
parser.parse([0x66, 0x48, 0x65, 0x6c, 0x6c, 0x6f, 0xff])
|
||||
}})
|
||||
|
||||
it("ignores frames with a length header", function() { with(this) {
|
||||
expect(webSocket, "receive").exactly(0)
|
||||
parser.parse([0x80, 0x05, 0x48, 0x65, 0x6c, 0x6c, 0x6f])
|
||||
}})
|
||||
|
||||
it("parses text following an ignored block", function() { with(this) {
|
||||
expect(webSocket, "receive").given("Hello")
|
||||
parser.parse([0x80, 0x02, 0x48, 0x65, 0x00, 0x48, 0x65, 0x6c, 0x6c, 0x6f, 0xff])
|
||||
}})
|
||||
|
||||
it("parses multibyte text frames", function() { with(this) {
|
||||
expect(webSocket, "receive").given("Apple = ")
|
||||
parser.parse([0x00, 0x41, 0x70, 0x70, 0x6c, 0x65, 0x20, 0x3d, 0x20, 0xef, 0xa3, 0xbf, 0xff])
|
||||
}})
|
||||
|
||||
it("parses frames received in several packets", function() { with(this) {
|
||||
expect(webSocket, "receive").given("Apple = ")
|
||||
parser.parse([0x00, 0x41, 0x70, 0x70, 0x6c, 0x65])
|
||||
parser.parse([0x20, 0x3d, 0x20, 0xef, 0xa3, 0xbf, 0xff])
|
||||
}})
|
||||
|
||||
it("parses fragmented frames", function() { with(this) {
|
||||
expect(webSocket, "receive").given("Hello")
|
||||
parser.parse([0x00, 0x48, 0x65, 0x6c])
|
||||
parser.parse([0x6c, 0x6f, 0xff])
|
||||
}})
|
||||
}})
|
||||
|
||||
behavesLike("draft-75 parser")
|
||||
|
||||
it("does not close the socket if a 76 close frame is received", function() { with(this) {
|
||||
expect(webSocket, "close").exactly(0)
|
||||
expect(webSocket, "receive").given("")
|
||||
parser.parse([0xFF, 0x00])
|
||||
}})
|
||||
}})
|
||||
|
||||
describe("frame", function() { with(this) {
|
||||
it("returns the given string formatted as a WebSocket frame", function() { with(this) {
|
||||
assertBufferEqual( [0x00, 0x48, 0x65, 0x6c, 0x6c, 0x6f, 0xff], parser.frame("Hello") )
|
||||
}})
|
||||
|
||||
it("encodes multibyte characters correctly", function() { with(this) {
|
||||
assertBufferEqual( [0x00, 0x41, 0x70, 0x70, 0x6c, 0x65, 0x20, 0x3d, 0x20, 0xef, 0xa3, 0xbf, 0xff], parser.frame("Apple = ") )
|
||||
}})
|
||||
}})
|
||||
}})
|
28
node_modules/faye-websocket/spec/faye/websocket/draft76parser_spec.js
generated
vendored
Normal file
28
node_modules/faye-websocket/spec/faye/websocket/draft76parser_spec.js
generated
vendored
Normal file
@@ -0,0 +1,28 @@
|
||||
var Draft76Parser = require('../../../lib/faye/websocket/draft76_parser')
|
||||
|
||||
JS.ENV.Draft76ParserSpec = JS.Test.describe("Draft76Parser", function() { with(this) {
|
||||
before(function() { with(this) {
|
||||
this.webSocket = {dispatchEvent: function() {}}
|
||||
this.parser = new Draft76Parser(webSocket)
|
||||
parser._handshakeComplete = true
|
||||
}})
|
||||
|
||||
describe("parse", function() { with(this) {
|
||||
behavesLike("draft-75 parser")
|
||||
|
||||
it("closes the socket if a close frame is received", function() { with(this) {
|
||||
expect(webSocket, "close")
|
||||
parser.parse([0xFF, 0x00])
|
||||
}})
|
||||
}})
|
||||
|
||||
describe("frame", function() { with(this) {
|
||||
it("returns the given string formatted as a WebSocket frame", function() { with(this) {
|
||||
assertBufferEqual( [0x00, 0x48, 0x65, 0x6c, 0x6c, 0x6f, 0xff], parser.frame("Hello") )
|
||||
}})
|
||||
|
||||
it("encodes multibyte characters correctly", function() { with(this) {
|
||||
assertBufferEqual( [0x00, 0x41, 0x70, 0x70, 0x6c, 0x65, 0x20, 0x3d, 0x20, 0xef, 0xa3, 0xbf, 0xff], parser.frame("Apple = ") )
|
||||
}})
|
||||
}})
|
||||
}})
|
148
node_modules/faye-websocket/spec/faye/websocket/hybi_parser_spec.js
generated
vendored
Normal file
148
node_modules/faye-websocket/spec/faye/websocket/hybi_parser_spec.js
generated
vendored
Normal file
@@ -0,0 +1,148 @@
|
||||
var HybiParser = require('../../../lib/faye/websocket/hybi_parser')
|
||||
|
||||
JS.ENV.HybiParserSpec = JS.Test.describe("HybiParser", function() { with(this) {
|
||||
before(function() { with(this) {
|
||||
this.webSocket = {dispatchEvent: function() {}}
|
||||
this.parser = new HybiParser(webSocket)
|
||||
}})
|
||||
|
||||
define("parse", function() {
|
||||
var bytes = [];
|
||||
for (var i = 0, n = arguments.length; i < n; i++) bytes = bytes.concat(arguments[i])
|
||||
this.parser.parse(new Buffer(bytes))
|
||||
})
|
||||
|
||||
define("buffer", function(string) {
|
||||
return {
|
||||
equals: function(buffer) {
|
||||
return buffer.toString('utf8', 0, buffer.length) === string
|
||||
}
|
||||
}
|
||||
})
|
||||
|
||||
describe("parse", function() { with(this) {
|
||||
define("mask", function() {
|
||||
return this._mask = this._mask || [1,2,3,4].map(function() { return Math.floor(Math.random() * 255) })
|
||||
})
|
||||
|
||||
define("maskMessage", function(bytes) {
|
||||
var output = []
|
||||
Array.prototype.forEach.call(bytes, function(b, i) {
|
||||
output[i] = bytes[i] ^ this.mask()[i % 4]
|
||||
}, this)
|
||||
return output
|
||||
})
|
||||
|
||||
it("parses unmasked text frames", function() { with(this) {
|
||||
expect(webSocket, "receive").given("Hello")
|
||||
parse([0x81, 0x05, 0x48, 0x65, 0x6c, 0x6c, 0x6f])
|
||||
}})
|
||||
|
||||
it("parses multiple frames from the same packet", function() { with(this) {
|
||||
expect(webSocket, "receive").given("Hello").exactly(2)
|
||||
parse([0x81, 0x05, 0x48, 0x65, 0x6c, 0x6c, 0x6f, 0x81, 0x05, 0x48, 0x65, 0x6c, 0x6c, 0x6f])
|
||||
}})
|
||||
|
||||
it("parses empty text frames", function() { with(this) {
|
||||
expect(webSocket, "receive").given("")
|
||||
parse([0x81, 0x00])
|
||||
}})
|
||||
|
||||
it("parses fragmented text frames", function() { with(this) {
|
||||
expect(webSocket, "receive").given("Hello")
|
||||
parse([0x01, 0x03, 0x48, 0x65, 0x6c])
|
||||
parse([0x80, 0x02, 0x6c, 0x6f])
|
||||
}})
|
||||
|
||||
it("parses masked text frames", function() { with(this) {
|
||||
expect(webSocket, "receive").given("Hello")
|
||||
parse([0x81, 0x85], mask(), maskMessage([0x48, 0x65, 0x6c, 0x6c, 0x6f]))
|
||||
}})
|
||||
|
||||
it("parses masked empty text frames", function() { with(this) {
|
||||
expect(webSocket, "receive").given("")
|
||||
parse([0x81, 0x80], mask(), maskMessage([]))
|
||||
}})
|
||||
|
||||
it("parses masked fragmented text frames", function() { with(this) {
|
||||
expect(webSocket, "receive").given("Hello")
|
||||
parse([0x01, 0x81], mask(), maskMessage([0x48]))
|
||||
parse([0x80, 0x84], mask(), maskMessage([0x65, 0x6c, 0x6c, 0x6f]))
|
||||
}})
|
||||
|
||||
it("closes the socket if the frame has an unrecognized opcode", function() { with(this) {
|
||||
expect(webSocket, "close").given(1002, null, false)
|
||||
parse([0x83, 0x00])
|
||||
}})
|
||||
|
||||
it("closes the socket if a close frame is received", function() { with(this) {
|
||||
expect(webSocket, "close").given(1000, "Hello", false)
|
||||
parse([0x88, 0x07, 0x03, 0xe8, 0x48, 0x65, 0x6c, 0x6c, 0x6f])
|
||||
}})
|
||||
|
||||
it("parses unmasked multibyte text frames", function() { with(this) {
|
||||
expect(webSocket, "receive").given("Apple = ")
|
||||
parse([0x81, 0x0b, 0x41, 0x70, 0x70, 0x6c, 0x65, 0x20, 0x3d, 0x20, 0xef, 0xa3, 0xbf])
|
||||
}})
|
||||
|
||||
it("parses frames received in several packets", function() { with(this) {
|
||||
expect(webSocket, "receive").given("Apple = ")
|
||||
parse([0x81, 0x0b, 0x41, 0x70, 0x70, 0x6c])
|
||||
parse([0x65, 0x20, 0x3d, 0x20, 0xef, 0xa3, 0xbf])
|
||||
}})
|
||||
|
||||
it("parses fragmented multibyte text frames", function() { with(this) {
|
||||
expect(webSocket, "receive").given("Apple = ")
|
||||
parse([0x01, 0x0a, 0x41, 0x70, 0x70, 0x6c, 0x65, 0x20, 0x3d, 0x20, 0xef, 0xa3])
|
||||
parse([0x80, 0x01, 0xbf])
|
||||
}})
|
||||
|
||||
it("parses masked multibyte text frames", function() { with(this) {
|
||||
expect(webSocket, "receive").given("Apple = ")
|
||||
parse([0x81, 0x8b], mask(), maskMessage([0x41, 0x70, 0x70, 0x6c, 0x65, 0x20, 0x3d, 0x20, 0xef, 0xa3, 0xbf]))
|
||||
}})
|
||||
|
||||
it("parses masked fragmented multibyte text frames", function() { with(this) {
|
||||
expect(webSocket, "receive").given("Apple = ")
|
||||
parse([0x01, 0x8a], mask(), maskMessage([0x41, 0x70, 0x70, 0x6c, 0x65, 0x20, 0x3d, 0x20, 0xef, 0xa3]))
|
||||
parse([0x80, 0x81], mask(), maskMessage([0xbf]))
|
||||
}})
|
||||
|
||||
it("parses unmasked medium-length text frames", function() { with(this) {
|
||||
expect(webSocket, "receive").given("HelloHelloHelloHelloHelloHelloHelloHelloHelloHelloHelloHelloHelloHelloHelloHelloHelloHelloHelloHelloHelloHelloHelloHelloHelloHelloHelloHelloHelloHelloHelloHelloHelloHelloHelloHelloHelloHelloHelloHello")
|
||||
parse([129, 126, 0, 200, 72, 101, 108, 108, 111, 72, 101, 108, 108, 111, 72, 101, 108, 108, 111, 72, 101, 108, 108, 111, 72, 101, 108, 108, 111, 72, 101, 108, 108, 111, 72, 101, 108, 108, 111, 72, 101, 108, 108, 111, 72, 101, 108, 108, 111, 72, 101, 108, 108, 111, 72, 101, 108, 108, 111, 72, 101, 108, 108, 111, 72, 101, 108, 108, 111, 72, 101, 108, 108, 111, 72, 101, 108, 108, 111, 72, 101, 108, 108, 111, 72, 101, 108, 108, 111, 72, 101, 108, 108, 111, 72, 101, 108, 108, 111, 72, 101, 108, 108, 111, 72, 101, 108, 108, 111, 72, 101, 108, 108, 111, 72, 101, 108, 108, 111, 72, 101, 108, 108, 111, 72, 101, 108, 108, 111, 72, 101, 108, 108, 111, 72, 101, 108, 108, 111, 72, 101, 108, 108, 111, 72, 101, 108, 108, 111, 72, 101, 108, 108, 111, 72, 101, 108, 108, 111, 72, 101, 108, 108, 111, 72, 101, 108, 108, 111, 72, 101, 108, 108, 111, 72, 101, 108, 108, 111, 72, 101, 108, 108, 111, 72, 101, 108, 108, 111, 72, 101, 108, 108, 111, 72, 101, 108, 108, 111, 72, 101, 108, 108, 111])
|
||||
}})
|
||||
|
||||
it("parses masked medium-length text frames", function() { with(this) {
|
||||
expect(webSocket, "receive").given("HelloHelloHelloHelloHelloHelloHelloHelloHelloHelloHelloHelloHelloHelloHelloHelloHelloHelloHelloHelloHelloHelloHelloHelloHelloHelloHelloHelloHelloHelloHelloHelloHelloHelloHelloHelloHelloHelloHelloHello")
|
||||
parse([129, 254, 0, 200], mask(), maskMessage([72, 101, 108, 108, 111, 72, 101, 108, 108, 111, 72, 101, 108, 108, 111, 72, 101, 108, 108, 111, 72, 101, 108, 108, 111, 72, 101, 108, 108, 111, 72, 101, 108, 108, 111, 72, 101, 108, 108, 111, 72, 101, 108, 108, 111, 72, 101, 108, 108, 111, 72, 101, 108, 108, 111, 72, 101, 108, 108, 111, 72, 101, 108, 108, 111, 72, 101, 108, 108, 111, 72, 101, 108, 108, 111, 72, 101, 108, 108, 111, 72, 101, 108, 108, 111, 72, 101, 108, 108, 111, 72, 101, 108, 108, 111, 72, 101, 108, 108, 111, 72, 101, 108, 108, 111, 72, 101, 108, 108, 111, 72, 101, 108, 108, 111, 72, 101, 108, 108, 111, 72, 101, 108, 108, 111, 72, 101, 108, 108, 111, 72, 101, 108, 108, 111, 72, 101, 108, 108, 111, 72, 101, 108, 108, 111, 72, 101, 108, 108, 111, 72, 101, 108, 108, 111, 72, 101, 108, 108, 111, 72, 101, 108, 108, 111, 72, 101, 108, 108, 111, 72, 101, 108, 108, 111, 72, 101, 108, 108, 111, 72, 101, 108, 108, 111, 72, 101, 108, 108, 111, 72, 101, 108, 108, 111, 72, 101, 108, 108, 111]))
|
||||
}})
|
||||
|
||||
it("replies to pings with a pong", function() { with(this) {
|
||||
expect(webSocket, "send").given(buffer("OHAI"), "pong")
|
||||
parse([0x89, 0x04, 0x4f, 0x48, 0x41, 0x49])
|
||||
}})
|
||||
}})
|
||||
|
||||
describe("frame", function() { with(this) {
|
||||
it("returns the given string formatted as a WebSocket frame", function() { with(this) {
|
||||
assertBufferEqual( [0x81, 0x05, 0x48, 0x65, 0x6c, 0x6c, 0x6f], parser.frame("Hello") )
|
||||
}})
|
||||
|
||||
it("encodes multibyte characters correctly", function() { with(this) {
|
||||
assertBufferEqual( [0x81, 0x0b, 0x41, 0x70, 0x70, 0x6c, 0x65, 0x20, 0x3d, 0x20, 0xef, 0xa3, 0xbf], parser.frame("Apple = ") )
|
||||
}})
|
||||
|
||||
it("encodes medium-length strings using extra length bytes", function() { with(this) {
|
||||
assertBufferEqual( [129, 126, 0, 200, 72, 101, 108, 108, 111, 72, 101, 108, 108, 111, 72, 101, 108, 108, 111, 72, 101, 108, 108, 111, 72, 101, 108, 108, 111, 72, 101, 108, 108, 111, 72, 101, 108, 108, 111, 72, 101, 108, 108, 111, 72, 101, 108, 108, 111, 72, 101, 108, 108, 111, 72, 101, 108, 108, 111, 72, 101, 108, 108, 111, 72, 101, 108, 108, 111, 72, 101, 108, 108, 111, 72, 101, 108, 108, 111, 72, 101, 108, 108, 111, 72, 101, 108, 108, 111, 72, 101, 108, 108, 111, 72, 101, 108, 108, 111, 72, 101, 108, 108, 111, 72, 101, 108, 108, 111, 72, 101, 108, 108, 111, 72, 101, 108, 108, 111, 72, 101, 108, 108, 111, 72, 101, 108, 108, 111, 72, 101, 108, 108, 111, 72, 101, 108, 108, 111, 72, 101, 108, 108, 111, 72, 101, 108, 108, 111, 72, 101, 108, 108, 111, 72, 101, 108, 108, 111, 72, 101, 108, 108, 111, 72, 101, 108, 108, 111, 72, 101, 108, 108, 111, 72, 101, 108, 108, 111, 72, 101, 108, 108, 111, 72, 101, 108, 108, 111, 72, 101, 108, 108, 111, 72, 101, 108, 108, 111, 72, 101, 108, 108, 111], parser.frame("HelloHelloHelloHelloHelloHelloHelloHelloHelloHelloHelloHelloHelloHelloHelloHelloHelloHelloHelloHelloHelloHelloHelloHelloHelloHelloHelloHelloHelloHelloHelloHelloHelloHelloHelloHelloHelloHelloHelloHello") )
|
||||
}})
|
||||
|
||||
it("encodes close frames with an error code", function() { with(this) {
|
||||
assertBufferEqual( [0x88, 0x07, 0x03, 0xea, 0x48, 0x65, 0x6c, 0x6c, 0x6f], parser.frame("Hello", "close", 1002) )
|
||||
}})
|
||||
|
||||
it("encodes pong frames", function() { with(this) {
|
||||
assertBufferEqual( [0x8a, 0x00], parser.frame("", "pong") )
|
||||
}})
|
||||
}})
|
||||
}})
|
54
node_modules/faye-websocket/spec/runner.js
generated
vendored
Normal file
54
node_modules/faye-websocket/spec/runner.js
generated
vendored
Normal file
@@ -0,0 +1,54 @@
|
||||
require('jsclass')
|
||||
|
||||
var WebSocket = require('../lib/faye/websocket'),
|
||||
fs = require('fs'),
|
||||
http = require('http'),
|
||||
https = require('https')
|
||||
|
||||
|
||||
JS.ENV.EchoServer = function() {}
|
||||
EchoServer.prototype.listen = function(port, ssl) {
|
||||
var server = ssl
|
||||
? https.createServer({
|
||||
key: fs.readFileSync(__dirname + '/server.key'),
|
||||
cert: fs.readFileSync(__dirname + '/server.crt')
|
||||
})
|
||||
: http.createServer()
|
||||
|
||||
server.addListener('upgrade', function(request, socket, head) {
|
||||
var ws = new WebSocket(request, socket, head, ["echo"])
|
||||
ws.onmessage = function(event) {
|
||||
ws.send(event.data)
|
||||
}
|
||||
})
|
||||
this._httpServer = server
|
||||
server.listen(port)
|
||||
}
|
||||
EchoServer.prototype.stop = function(callback, scope) {
|
||||
this._httpServer.addListener('close', function() {
|
||||
if (callback) callback.call(scope);
|
||||
});
|
||||
this._httpServer.close();
|
||||
}
|
||||
|
||||
|
||||
JS.Packages(function() { with(this) {
|
||||
autoload(/.*Spec/, {from: 'spec/faye/websocket'})
|
||||
}})
|
||||
|
||||
|
||||
JS.require('JS.Test', function() {
|
||||
JS.Test.Unit.Assertions.define("assertBufferEqual", function(array, buffer) {
|
||||
this.assertEqual(array.length, buffer.length);
|
||||
var ary = [], n = buffer.length;
|
||||
while (n--) ary[n] = buffer[n];
|
||||
this.assertEqual(array, ary);
|
||||
})
|
||||
|
||||
JS.require( 'ClientSpec',
|
||||
'Draft75ParserSpec',
|
||||
'Draft76ParserSpec',
|
||||
'HybiParserSpec',
|
||||
JS.Test.method('autorun'))
|
||||
})
|
||||
|
15
node_modules/faye-websocket/spec/server.crt
generated
vendored
Normal file
15
node_modules/faye-websocket/spec/server.crt
generated
vendored
Normal file
@@ -0,0 +1,15 @@
|
||||
-----BEGIN CERTIFICATE-----
|
||||
MIICZTCCAc4CCQDxyrJZrFA0vjANBgkqhkiG9w0BAQUFADB3MQswCQYDVQQGEwJV
|
||||
SzEPMA0GA1UECBMGTG9uZG9uMQ8wDQYDVQQHEwZMb25kb24xDTALBgNVBAoTBEZh
|
||||
eWUxFTATBgNVBAMTDEphbWVzIENvZ2xhbjEgMB4GCSqGSIb3DQEJARYRamNvZ2xh
|
||||
bkBnbWFpbC5jb20wHhcNMTEwODMwMTIzOTM2WhcNMTIwODI5MTIzOTM2WjB3MQsw
|
||||
CQYDVQQGEwJVSzEPMA0GA1UECBMGTG9uZG9uMQ8wDQYDVQQHEwZMb25kb24xDTAL
|
||||
BgNVBAoTBEZheWUxFTATBgNVBAMTDEphbWVzIENvZ2xhbjEgMB4GCSqGSIb3DQEJ
|
||||
ARYRamNvZ2xhbkBnbWFpbC5jb20wgZ8wDQYJKoZIhvcNAQEBBQADgY0AMIGJAoGB
|
||||
AMDjU5fAK7fvUCZIYHcGXDZD/m9bY+B/UcwGcowk0hMQGYNlLKrpiK7xXBmZpDb6
|
||||
r8n+7L/epBeSumbRIm4TDzeNHhuQGYLIeGQy7JNLoPBr6GxubjuJhKOOBnCqcupR
|
||||
CLGG7Zw5oL4UvtZVH6kL9XnjyokQQbxxeoV9DqtqOaHHAgMBAAEwDQYJKoZIhvcN
|
||||
AQEFBQADgYEAvQjSpzE1ahaeH1CmbLwckTxvWMZfxcZOrxTruK1po3cNnDOjGqFQ
|
||||
KEkNj3K5WfwTBD4QgUdYDykhDX2m6HaMz4JEbgrwQv8M8FiswIA3dyGsbOifOk8H
|
||||
r3GPNKMzm4o6vrn6RGOpt9q6bsWUBUHfNpP93uU2C9QEwDua3cFjDA0=
|
||||
-----END CERTIFICATE-----
|
15
node_modules/faye-websocket/spec/server.key
generated
vendored
Normal file
15
node_modules/faye-websocket/spec/server.key
generated
vendored
Normal file
@@ -0,0 +1,15 @@
|
||||
-----BEGIN RSA PRIVATE KEY-----
|
||||
MIICXAIBAAKBgQDA41OXwCu371AmSGB3Blw2Q/5vW2Pgf1HMBnKMJNITEBmDZSyq
|
||||
6Yiu8VwZmaQ2+q/J/uy/3qQXkrpm0SJuEw83jR4bkBmCyHhkMuyTS6Dwa+hsbm47
|
||||
iYSjjgZwqnLqUQixhu2cOaC+FL7WVR+pC/V548qJEEG8cXqFfQ6rajmhxwIDAQAB
|
||||
AoGABlk1DiCQD8y7mZb2PdSiwlJ4lFewsNnf6lQn/v7TPzdfb5ir4LAxBHkDLACH
|
||||
jBuyH3bZefMs+W2l3u5xMKhF7uJqYcUlJdH2UwRfNG54Hn4SGAjQOK3ONer99sUf
|
||||
USlsWSX1HjAAFMCBwUfKxMZA3VNQfYKTPdm0jSVf85kHO1ECQQD3s6ksm3QpfD0L
|
||||
eG9EoDrqmwnEfpKoWPpz1O0i5tY9VcmhmLwS5Zpd7lB1qjTqzZk4RygU73T/BseJ
|
||||
azehIHK5AkEAx1mSXt+ec8RfzVi/io6oqi2vOcACXRbOG4NQmqUWPnumdwsJjsjR
|
||||
RzEoDFC2lu6448p9sgEq+CkbmgVeiyp4fwJAQnmgySve/NMuvslPcyddKGD7OhSN
|
||||
30ghzrwx98/jZwqC1i9bKeccimDOjwVitjD/Ea9m/ldVGqwDGMoBX+iJYQJAEIOO
|
||||
CYfyw1pQKV2huGOq+zX/nwQV7go2lrbhFX55gkGR/6iNaSOfmosq6yJAje5GqLAc
|
||||
i4NnQNl+7NpnA5ZIFwJBAI1+OsZyjbRI99pYkTdOpa5IPlIb3j3JbSfjAWHLxlRY
|
||||
0HLvN3Q1mE9kbB+uKH6syF/S7nALgsLgq7eHYvIaE/A=
|
||||
-----END RSA PRIVATE KEY-----
|
Reference in New Issue
Block a user