UNPKG

14 kBMarkdownView Raw
1# ws: a Node.js WebSocket library
2
3[![Version npm](https://img.shields.io/npm/v/ws.svg?logo=npm)](https://www.npmjs.com/package/ws)
4[![Build](https://img.shields.io/github/workflow/status/websockets/ws/CI/master?label=build&logo=github)](https://github.com/websockets/ws/actions?query=workflow%3ACI+branch%3Amaster)
5[![Windows x86 Build](https://img.shields.io/appveyor/ci/lpinca/ws/master.svg?logo=appveyor)](https://ci.appveyor.com/project/lpinca/ws)
6[![Coverage Status](https://img.shields.io/coveralls/websockets/ws/master.svg)](https://coveralls.io/github/websockets/ws)
7
8ws is a simple to use, blazing fast, and thoroughly tested WebSocket client and
9server implementation.
10
11Passes the quite extensive Autobahn test suite: [server][server-report],
12[client][client-report].
13
14**Note**: This module does not work in the browser. The client in the docs is a
15reference to a back end with the role of a client in the WebSocket
16communication. Browser clients must use the native
17[`WebSocket`](https://developer.mozilla.org/en-US/docs/Web/API/WebSocket)
18object. To make the same code work seamlessly on Node.js and the browser, you
19can use one of the many wrappers available on npm, like
20[isomorphic-ws](https://github.com/heineiuo/isomorphic-ws).
21
22## Table of Contents
23
24- [Protocol support](#protocol-support)
25- [Installing](#installing)
26 - [Opt-in for performance and spec compliance](#opt-in-for-performance-and-spec-compliance)
27- [API docs](#api-docs)
28- [WebSocket compression](#websocket-compression)
29- [Usage examples](#usage-examples)
30 - [Sending and receiving text data](#sending-and-receiving-text-data)
31 - [Sending binary data](#sending-binary-data)
32 - [Simple server](#simple-server)
33 - [External HTTP/S server](#external-https-server)
34 - [Multiple servers sharing a single HTTP/S server](#multiple-servers-sharing-a-single-https-server)
35 - [Client authentication](#client-authentication)
36 - [Server broadcast](#server-broadcast)
37 - [echo.websocket.org demo](#echowebsocketorg-demo)
38 - [Use the Node.js streams API](#use-the-nodejs-streams-api)
39 - [Other examples](#other-examples)
40- [FAQ](#faq)
41 - [How to get the IP address of the client?](#how-to-get-the-ip-address-of-the-client)
42 - [How to detect and close broken connections?](#how-to-detect-and-close-broken-connections)
43 - [How to connect via a proxy?](#how-to-connect-via-a-proxy)
44- [Changelog](#changelog)
45- [License](#license)
46
47## Protocol support
48
49- **HyBi drafts 07-12** (Use the option `protocolVersion: 8`)
50- **HyBi drafts 13-17** (Current default, alternatively option
51 `protocolVersion: 13`)
52
53## Installing
54
55```
56npm install ws
57```
58
59### Opt-in for performance
60
61There are 2 optional modules that can be installed along side with the ws
62module. These modules are binary addons which improve certain operations.
63Prebuilt binaries are available for the most popular platforms so you don't
64necessarily need to have a C++ compiler installed on your machine.
65
66- `npm install --save-optional bufferutil`: Allows to efficiently perform
67 operations such as masking and unmasking the data payload of the WebSocket
68 frames.
69- `npm install --save-optional utf-8-validate`: Allows to efficiently check if a
70 message contains valid UTF-8.
71
72## API docs
73
74See [`/doc/ws.md`](./doc/ws.md) for Node.js-like documentation of ws classes and
75utility functions.
76
77## WebSocket compression
78
79ws supports the [permessage-deflate extension][permessage-deflate] which enables
80the client and server to negotiate a compression algorithm and its parameters,
81and then selectively apply it to the data payloads of each WebSocket message.
82
83The extension is disabled by default on the server and enabled by default on the
84client. It adds a significant overhead in terms of performance and memory
85consumption so we suggest to enable it only if it is really needed.
86
87Note that Node.js has a variety of issues with high-performance compression,
88where increased concurrency, especially on Linux, can lead to [catastrophic
89memory fragmentation][node-zlib-bug] and slow performance. If you intend to use
90permessage-deflate in production, it is worthwhile to set up a test
91representative of your workload and ensure Node.js/zlib will handle it with
92acceptable performance and memory usage.
93
94Tuning of permessage-deflate can be done via the options defined below. You can
95also use `zlibDeflateOptions` and `zlibInflateOptions`, which is passed directly
96into the creation of [raw deflate/inflate streams][node-zlib-deflaterawdocs].
97
98See [the docs][ws-server-options] for more options.
99
100```js
101const WebSocket = require('ws');
102
103const wss = new WebSocket.Server({
104 port: 8080,
105 perMessageDeflate: {
106 zlibDeflateOptions: {
107 // See zlib defaults.
108 chunkSize: 1024,
109 memLevel: 7,
110 level: 3
111 },
112 zlibInflateOptions: {
113 chunkSize: 10 * 1024
114 },
115 // Other options settable:
116 clientNoContextTakeover: true, // Defaults to negotiated value.
117 serverNoContextTakeover: true, // Defaults to negotiated value.
118 serverMaxWindowBits: 10, // Defaults to negotiated value.
119 // Below options specified as default values.
120 concurrencyLimit: 10, // Limits zlib concurrency for perf.
121 threshold: 1024 // Size (in bytes) below which messages
122 // should not be compressed.
123 }
124});
125```
126
127The client will only use the extension if it is supported and enabled on the
128server. To always disable the extension on the client set the
129`perMessageDeflate` option to `false`.
130
131```js
132const WebSocket = require('ws');
133
134const ws = new WebSocket('ws://www.host.com/path', {
135 perMessageDeflate: false
136});
137```
138
139## Usage examples
140
141### Sending and receiving text data
142
143```js
144const WebSocket = require('ws');
145
146const ws = new WebSocket('ws://www.host.com/path');
147
148ws.on('open', function open() {
149 ws.send('something');
150});
151
152ws.on('message', function incoming(data) {
153 console.log(data);
154});
155```
156
157### Sending binary data
158
159```js
160const WebSocket = require('ws');
161
162const ws = new WebSocket('ws://www.host.com/path');
163
164ws.on('open', function open() {
165 const array = new Float32Array(5);
166
167 for (var i = 0; i < array.length; ++i) {
168 array[i] = i / 2;
169 }
170
171 ws.send(array);
172});
173```
174
175### Simple server
176
177```js
178const WebSocket = require('ws');
179
180const wss = new WebSocket.Server({ port: 8080 });
181
182wss.on('connection', function connection(ws) {
183 ws.on('message', function incoming(message) {
184 console.log('received: %s', message);
185 });
186
187 ws.send('something');
188});
189```
190
191### External HTTP/S server
192
193```js
194const fs = require('fs');
195const https = require('https');
196const WebSocket = require('ws');
197
198const server = https.createServer({
199 cert: fs.readFileSync('/path/to/cert.pem'),
200 key: fs.readFileSync('/path/to/key.pem')
201});
202const wss = new WebSocket.Server({ server });
203
204wss.on('connection', function connection(ws) {
205 ws.on('message', function incoming(message) {
206 console.log('received: %s', message);
207 });
208
209 ws.send('something');
210});
211
212server.listen(8080);
213```
214
215### Multiple servers sharing a single HTTP/S server
216
217```js
218const http = require('http');
219const WebSocket = require('ws');
220const url = require('url');
221
222const server = http.createServer();
223const wss1 = new WebSocket.Server({ noServer: true });
224const wss2 = new WebSocket.Server({ noServer: true });
225
226wss1.on('connection', function connection(ws) {
227 // ...
228});
229
230wss2.on('connection', function connection(ws) {
231 // ...
232});
233
234server.on('upgrade', function upgrade(request, socket, head) {
235 const pathname = url.parse(request.url).pathname;
236
237 if (pathname === '/foo') {
238 wss1.handleUpgrade(request, socket, head, function done(ws) {
239 wss1.emit('connection', ws, request);
240 });
241 } else if (pathname === '/bar') {
242 wss2.handleUpgrade(request, socket, head, function done(ws) {
243 wss2.emit('connection', ws, request);
244 });
245 } else {
246 socket.destroy();
247 }
248});
249
250server.listen(8080);
251```
252
253### Client authentication
254
255```js
256const http = require('http');
257const WebSocket = require('ws');
258
259const server = http.createServer();
260const wss = new WebSocket.Server({ noServer: true });
261
262wss.on('connection', function connection(ws, request, client) {
263 ws.on('message', function message(msg) {
264 console.log(`Received message ${msg} from user ${client}`);
265 });
266});
267
268server.on('upgrade', function upgrade(request, socket, head) {
269 // This function is not defined on purpose. Implement it with your own logic.
270 authenticate(request, (err, client) => {
271 if (err || !client) {
272 socket.write('HTTP/1.1 401 Unauthorized\r\n\r\n');
273 socket.destroy();
274 return;
275 }
276
277 wss.handleUpgrade(request, socket, head, function done(ws) {
278 wss.emit('connection', ws, request, client);
279 });
280 });
281});
282
283server.listen(8080);
284```
285
286Also see the provided [example][session-parse-example] using `express-session`.
287
288### Server broadcast
289
290A client WebSocket broadcasting to all connected WebSocket clients, including
291itself.
292
293```js
294const WebSocket = require('ws');
295
296const wss = new WebSocket.Server({ port: 8080 });
297
298wss.on('connection', function connection(ws) {
299 ws.on('message', function incoming(data) {
300 wss.clients.forEach(function each(client) {
301 if (client.readyState === WebSocket.OPEN) {
302 client.send(data);
303 }
304 });
305 });
306});
307```
308
309A client WebSocket broadcasting to every other connected WebSocket clients,
310excluding itself.
311
312```js
313const WebSocket = require('ws');
314
315const wss = new WebSocket.Server({ port: 8080 });
316
317wss.on('connection', function connection(ws) {
318 ws.on('message', function incoming(data) {
319 wss.clients.forEach(function each(client) {
320 if (client !== ws && client.readyState === WebSocket.OPEN) {
321 client.send(data);
322 }
323 });
324 });
325});
326```
327
328### echo.websocket.org demo
329
330```js
331const WebSocket = require('ws');
332
333const ws = new WebSocket('wss://echo.websocket.org/', {
334 origin: 'https://websocket.org'
335});
336
337ws.on('open', function open() {
338 console.log('connected');
339 ws.send(Date.now());
340});
341
342ws.on('close', function close() {
343 console.log('disconnected');
344});
345
346ws.on('message', function incoming(data) {
347 console.log(`Roundtrip time: ${Date.now() - data} ms`);
348
349 setTimeout(function timeout() {
350 ws.send(Date.now());
351 }, 500);
352});
353```
354
355### Use the Node.js streams API
356
357```js
358const WebSocket = require('ws');
359
360const ws = new WebSocket('wss://echo.websocket.org/', {
361 origin: 'https://websocket.org'
362});
363
364const duplex = WebSocket.createWebSocketStream(ws, { encoding: 'utf8' });
365
366duplex.pipe(process.stdout);
367process.stdin.pipe(duplex);
368```
369
370### Other examples
371
372For a full example with a browser client communicating with a ws server, see the
373examples folder.
374
375Otherwise, see the test cases.
376
377## FAQ
378
379### How to get the IP address of the client?
380
381The remote IP address can be obtained from the raw socket.
382
383```js
384const WebSocket = require('ws');
385
386const wss = new WebSocket.Server({ port: 8080 });
387
388wss.on('connection', function connection(ws, req) {
389 const ip = req.socket.remoteAddress;
390});
391```
392
393When the server runs behind a proxy like NGINX, the de-facto standard is to use
394the `X-Forwarded-For` header.
395
396```js
397wss.on('connection', function connection(ws, req) {
398 const ip = req.headers['x-forwarded-for'].split(/\s*,\s*/)[0];
399});
400```
401
402### How to detect and close broken connections?
403
404Sometimes the link between the server and the client can be interrupted in a way
405that keeps both the server and the client unaware of the broken state of the
406connection (e.g. when pulling the cord).
407
408In these cases ping messages can be used as a means to verify that the remote
409endpoint is still responsive.
410
411```js
412const WebSocket = require('ws');
413
414function noop() {}
415
416function heartbeat() {
417 this.isAlive = true;
418}
419
420const wss = new WebSocket.Server({ port: 8080 });
421
422wss.on('connection', function connection(ws) {
423 ws.isAlive = true;
424 ws.on('pong', heartbeat);
425});
426
427const interval = setInterval(function ping() {
428 wss.clients.forEach(function each(ws) {
429 if (ws.isAlive === false) return ws.terminate();
430
431 ws.isAlive = false;
432 ws.ping(noop);
433 });
434}, 30000);
435
436wss.on('close', function close() {
437 clearInterval(interval);
438});
439```
440
441Pong messages are automatically sent in response to ping messages as required by
442the spec.
443
444Just like the server example above your clients might as well lose connection
445without knowing it. You might want to add a ping listener on your clients to
446prevent that. A simple implementation would be:
447
448```js
449const WebSocket = require('ws');
450
451function heartbeat() {
452 clearTimeout(this.pingTimeout);
453
454 // Use `WebSocket#terminate()`, which immediately destroys the connection,
455 // instead of `WebSocket#close()`, which waits for the close timer.
456 // Delay should be equal to the interval at which your server
457 // sends out pings plus a conservative assumption of the latency.
458 this.pingTimeout = setTimeout(() => {
459 this.terminate();
460 }, 30000 + 1000);
461}
462
463const client = new WebSocket('wss://echo.websocket.org/');
464
465client.on('open', heartbeat);
466client.on('ping', heartbeat);
467client.on('close', function clear() {
468 clearTimeout(this.pingTimeout);
469});
470```
471
472### How to connect via a proxy?
473
474Use a custom `http.Agent` implementation like [https-proxy-agent][] or
475[socks-proxy-agent][].
476
477## Changelog
478
479We're using the GitHub [releases][changelog] for changelog entries.
480
481## License
482
483[MIT](LICENSE)
484
485[changelog]: https://github.com/websockets/ws/releases
486[client-report]: http://websockets.github.io/ws/autobahn/clients/
487[https-proxy-agent]: https://github.com/TooTallNate/node-https-proxy-agent
488[node-zlib-bug]: https://github.com/nodejs/node/issues/8871
489[node-zlib-deflaterawdocs]:
490 https://nodejs.org/api/zlib.html#zlib_zlib_createdeflateraw_options
491[permessage-deflate]: https://tools.ietf.org/html/rfc7692
492[server-report]: http://websockets.github.io/ws/autobahn/servers/
493[session-parse-example]: ./examples/express-session-parse
494[socks-proxy-agent]: https://github.com/TooTallNate/node-socks-proxy-agent
495[ws-server-options]:
496 https://github.com/websockets/ws/blob/master/doc/ws.md#new-websocketserveroptions-callback