Websocket error event

I've been developing browser-based multi player game for a while now and I've been testing different ports accessibility in various environment (client's office, public wifi etc.). All is going quite

I’ve been developing browser-based multi player game for a while now and I’ve been testing different ports accessibility in various environment (client’s office, public wifi etc.). All is going quite well, except one thing: I can’t figure out is how to read error no. or description when onerror event is received.

Client websocket is done in javascript.

For example:

// Init of websocket
websocket = new WebSocket(wsUri);
websocket.onerror = OnSocketError;
...etc...

// Handler for onerror:
function OnSocketError(ev)
{
    output("Socket error: " + ev.data);
}

‘output’ is just some utility function that writes into a div.

What I am getting is ‘undefined’ for ev.data. Always. And I’ve been googling around but it seems there’s no specs on what params this event has and how to properly read it.

Any help is appreciated!

asked Sep 14, 2013 at 16:38

Siniša's user avatar

1

Alongside nmaier’s answer, as he said you’ll always receive code 1006. However, if you were to somehow theoretically receive other codes, here is code to display the results (via RFC6455).

you will almost never get these codes in practice so this code is pretty much pointless

var websocket;
if ("WebSocket" in window)
{
    websocket = new WebSocket("ws://yourDomainNameHere.org/");
    
    websocket.onopen = function (event) {
        $("#thingsThatHappened").html($("#thingsThatHappened").html() + "<br />" + "The connection was opened");
    };
    websocket.onclose = function (event) {
        var reason;
        alert(event.code);
        // See https://www.rfc-editor.org/rfc/rfc6455#section-7.4.1
        if (event.code == 1000)
            reason = "Normal closure, meaning that the purpose for which the connection was established has been fulfilled.";
        else if(event.code == 1001)
            reason = "An endpoint is "going away", such as a server going down or a browser having navigated away from a page.";
        else if(event.code == 1002)
            reason = "An endpoint is terminating the connection due to a protocol error";
        else if(event.code == 1003)
            reason = "An endpoint is terminating the connection because it has received a type of data it cannot accept (e.g., an endpoint that understands only text data MAY send this if it receives a binary message).";
        else if(event.code == 1004)
            reason = "Reserved. The specific meaning might be defined in the future.";
        else if(event.code == 1005)
            reason = "No status code was actually present.";
        else if(event.code == 1006)
           reason = "The connection was closed abnormally, e.g., without sending or receiving a Close control frame";
        else if(event.code == 1007)
            reason = "An endpoint is terminating the connection because it has received data within a message that was not consistent with the type of the message (e.g., non-UTF-8 [https://www.rfc-editor.org/rfc/rfc3629] data within a text message).";
        else if(event.code == 1008)
            reason = "An endpoint is terminating the connection because it has received a message that "violates its policy". This reason is given either if there is no other sutible reason, or if there is a need to hide specific details about the policy.";
        else if(event.code == 1009)
           reason = "An endpoint is terminating the connection because it has received a message that is too big for it to process.";
        else if(event.code == 1010) // Note that this status code is not used by the server, because it can fail the WebSocket handshake instead.
            reason = "An endpoint (client) is terminating the connection because it has expected the server to negotiate one or more extension, but the server didn't return them in the response message of the WebSocket handshake. <br /> Specifically, the extensions that are needed are: " + event.reason;
        else if(event.code == 1011)
            reason = "A server is terminating the connection because it encountered an unexpected condition that prevented it from fulfilling the request.";
        else if(event.code == 1015)
            reason = "The connection was closed due to a failure to perform a TLS handshake (e.g., the server certificate can't be verified).";
        else
            reason = "Unknown reason";
        
        $("#thingsThatHappened").html($("#thingsThatHappened").html() + "<br />" + "The connection was closed for reason: " + reason);
    };
    websocket.onmessage = function (event) {
        $("#thingsThatHappened").html($("#thingsThatHappened").html() + "<br />" + "New message arrived: " + event.data);
    };
    websocket.onerror = function (event) {
        $("#thingsThatHappened").html($("#thingsThatHappened").html() + "<br />" + "There was an error with your websocket.");
    };
}
else
{
    alert("Websocket is not supported by your browser");
    return;
}

websocket.send("Yo wazzup");

websocket.close();

See http://jsfiddle.net/gr0bhrqr/

Community's user avatar

answered Feb 8, 2015 at 16:09

Phylliida's user avatar

PhylliidaPhylliida

4,1273 gold badges22 silver badges34 bronze badges

3

The error Event the onerror handler receives is a simple event not containing such information:

If the user agent was required to fail the WebSocket connection or the WebSocket connection is closed with prejudice, fire a simple event named error at the WebSocket object.

You may have better luck listening for the close event, which is a CloseEvent and indeed has a CloseEvent.code property containing a numerical code according to RFC 6455 11.7 and a CloseEvent.reason string property.

Please note however, that CloseEvent.code (and CloseEvent.reason) are limited in such a way that network probing and other security issues are avoided.

Community's user avatar

answered Sep 14, 2013 at 17:14

nmaier's user avatar

nmaiernmaier

31.8k5 gold badges62 silver badges77 bronze badges

2

Potential stupid fix for those who throw caution to the wind: return a status code. The status code can be viewed from the onerror event handler by accessing the message property of the argument received by the handler. I recommend going with the 440s—seems to be free real estate.

«Unexpected server response: 440»

Little bit of regex does the trick:

const socket = new WebSocket(/* yuh */);

socket.onerror = e => {
  const errorCode = e.message.match(/d{3}/)[0];
  // errorCode = '440'
  // make your own rudimentary standard for error codes and handle them accordingly
};

Might be useful in a pinch, but don’t come crying to me for any unforeseen repercussions.

answered Jun 16, 2021 at 7:14

Kael Kirk's user avatar

Kael KirkKael Kirk

3242 silver badges9 bronze badges

6

I’ve been developing browser-based multi player game for a while now and I’ve been testing different ports accessibility in various environment (client’s office, public wifi etc.). All is going quite well, except one thing: I can’t figure out is how to read error no. or description when onerror event is received.

Client websocket is done in javascript.

For example:

// Init of websocket
websocket = new WebSocket(wsUri);
websocket.onerror = OnSocketError;
...etc...

// Handler for onerror:
function OnSocketError(ev)
{
    output("Socket error: " + ev.data);
}

‘output’ is just some utility function that writes into a div.

What I am getting is ‘undefined’ for ev.data. Always. And I’ve been googling around but it seems there’s no specs on what params this event has and how to properly read it.

Any help is appreciated!

asked Sep 14, 2013 at 16:38

Siniša's user avatar

1

Alongside nmaier’s answer, as he said you’ll always receive code 1006. However, if you were to somehow theoretically receive other codes, here is code to display the results (via RFC6455).

you will almost never get these codes in practice so this code is pretty much pointless

var websocket;
if ("WebSocket" in window)
{
    websocket = new WebSocket("ws://yourDomainNameHere.org/");
    
    websocket.onopen = function (event) {
        $("#thingsThatHappened").html($("#thingsThatHappened").html() + "<br />" + "The connection was opened");
    };
    websocket.onclose = function (event) {
        var reason;
        alert(event.code);
        // See https://www.rfc-editor.org/rfc/rfc6455#section-7.4.1
        if (event.code == 1000)
            reason = "Normal closure, meaning that the purpose for which the connection was established has been fulfilled.";
        else if(event.code == 1001)
            reason = "An endpoint is "going away", such as a server going down or a browser having navigated away from a page.";
        else if(event.code == 1002)
            reason = "An endpoint is terminating the connection due to a protocol error";
        else if(event.code == 1003)
            reason = "An endpoint is terminating the connection because it has received a type of data it cannot accept (e.g., an endpoint that understands only text data MAY send this if it receives a binary message).";
        else if(event.code == 1004)
            reason = "Reserved. The specific meaning might be defined in the future.";
        else if(event.code == 1005)
            reason = "No status code was actually present.";
        else if(event.code == 1006)
           reason = "The connection was closed abnormally, e.g., without sending or receiving a Close control frame";
        else if(event.code == 1007)
            reason = "An endpoint is terminating the connection because it has received data within a message that was not consistent with the type of the message (e.g., non-UTF-8 [https://www.rfc-editor.org/rfc/rfc3629] data within a text message).";
        else if(event.code == 1008)
            reason = "An endpoint is terminating the connection because it has received a message that "violates its policy". This reason is given either if there is no other sutible reason, or if there is a need to hide specific details about the policy.";
        else if(event.code == 1009)
           reason = "An endpoint is terminating the connection because it has received a message that is too big for it to process.";
        else if(event.code == 1010) // Note that this status code is not used by the server, because it can fail the WebSocket handshake instead.
            reason = "An endpoint (client) is terminating the connection because it has expected the server to negotiate one or more extension, but the server didn't return them in the response message of the WebSocket handshake. <br /> Specifically, the extensions that are needed are: " + event.reason;
        else if(event.code == 1011)
            reason = "A server is terminating the connection because it encountered an unexpected condition that prevented it from fulfilling the request.";
        else if(event.code == 1015)
            reason = "The connection was closed due to a failure to perform a TLS handshake (e.g., the server certificate can't be verified).";
        else
            reason = "Unknown reason";
        
        $("#thingsThatHappened").html($("#thingsThatHappened").html() + "<br />" + "The connection was closed for reason: " + reason);
    };
    websocket.onmessage = function (event) {
        $("#thingsThatHappened").html($("#thingsThatHappened").html() + "<br />" + "New message arrived: " + event.data);
    };
    websocket.onerror = function (event) {
        $("#thingsThatHappened").html($("#thingsThatHappened").html() + "<br />" + "There was an error with your websocket.");
    };
}
else
{
    alert("Websocket is not supported by your browser");
    return;
}

websocket.send("Yo wazzup");

websocket.close();

See http://jsfiddle.net/gr0bhrqr/

Community's user avatar

answered Feb 8, 2015 at 16:09

Phylliida's user avatar

PhylliidaPhylliida

4,1273 gold badges22 silver badges34 bronze badges

3

The error Event the onerror handler receives is a simple event not containing such information:

If the user agent was required to fail the WebSocket connection or the WebSocket connection is closed with prejudice, fire a simple event named error at the WebSocket object.

You may have better luck listening for the close event, which is a CloseEvent and indeed has a CloseEvent.code property containing a numerical code according to RFC 6455 11.7 and a CloseEvent.reason string property.

Please note however, that CloseEvent.code (and CloseEvent.reason) are limited in such a way that network probing and other security issues are avoided.

Community's user avatar

answered Sep 14, 2013 at 17:14

nmaier's user avatar

nmaiernmaier

31.8k5 gold badges62 silver badges77 bronze badges

2

Potential stupid fix for those who throw caution to the wind: return a status code. The status code can be viewed from the onerror event handler by accessing the message property of the argument received by the handler. I recommend going with the 440s—seems to be free real estate.

«Unexpected server response: 440»

Little bit of regex does the trick:

const socket = new WebSocket(/* yuh */);

socket.onerror = e => {
  const errorCode = e.message.match(/d{3}/)[0];
  // errorCode = '440'
  // make your own rudimentary standard for error codes and handle them accordingly
};

Might be useful in a pinch, but don’t come crying to me for any unforeseen repercussions.

answered Jun 16, 2021 at 7:14

Kael Kirk's user avatar

Kael KirkKael Kirk

3242 silver badges9 bronze badges

6

Table of Contents

  • Class: WebSocketServer
    • new WebSocketServer(options[, callback])
    • Event: ‘close’
    • Event: ‘connection’
    • Event: ‘error’
    • Event: ‘headers’
    • Event: ‘listening’
    • Event: ‘wsClientError’
    • server.address()
    • server.clients
    • server.close([callback])
    • server.handleUpgrade(request, socket, head, callback)
    • server.shouldHandle(request)
  • Class: WebSocket
    • Ready state constants
    • new WebSocket(address[, protocols][, options])
      • IPC connections
    • Event: ‘close’
    • Event: ‘error’
    • Event: ‘message’
    • Event: ‘open’
    • Event: ‘ping’
    • Event: ‘pong’
    • Event: ‘redirect’
    • Event: ‘unexpected-response’
    • Event: ‘upgrade’
    • websocket.addEventListener(type, listener[, options])
    • websocket.binaryType
    • websocket.bufferedAmount
    • websocket.close([code[, reason]])
    • websocket.extensions
    • websocket.isPaused
    • websocket.onclose
    • websocket.onerror
    • websocket.onmessage
    • websocket.onopen
    • websocket.pause()
    • websocket.ping([data[, mask]][, callback])
    • websocket.pong([data[, mask]][, callback])
    • websocket.protocol
    • websocket.readyState
    • websocket.removeEventListener(type, listener)
    • websocket.resume()
    • websocket.send(data[, options][, callback])
    • websocket.terminate()
    • websocket.url
  • createWebSocketStream(websocket[, options])
  • Environment variables
    • WS_NO_BUFFER_UTIL
    • WS_NO_UTF_8_VALIDATE
  • Error codes
    • WS_ERR_EXPECTED_FIN
    • WS_ERR_EXPECTED_MASK
    • WS_ERR_INVALID_CLOSE_CODE
    • WS_ERR_INVALID_CONTROL_PAYLOAD_LENGTH
    • WS_ERR_INVALID_OPCODE
    • WS_ERR_INVALID_UTF8
    • WS_ERR_UNEXPECTED_MASK
    • WS_ERR_UNEXPECTED_RSV_1
    • WS_ERR_UNEXPECTED_RSV_2_3
    • WS_ERR_UNSUPPORTED_DATA_PAYLOAD_LENGTH
    • WS_ERR_UNSUPPORTED_MESSAGE_LENGTH

Class: WebSocketServer

This class represents a WebSocket server. It extends the EventEmitter.

new WebSocketServer(options[, callback])

  • options {Object}
    • backlog {Number} The maximum length of the queue of pending connections.
    • clientTracking {Boolean} Specifies whether or not to track clients.
    • handleProtocols {Function} A function which can be used to handle the
      WebSocket subprotocols. See description below.
    • host {String} The hostname where to bind the server.
    • maxPayload {Number} The maximum allowed message size in bytes. Defaults to
      100 MiB (104857600 bytes).
    • noServer {Boolean} Enable no server mode.
    • path {String} Accept only connections matching this path.
    • perMessageDeflate {Boolean|Object} Enable/disable permessage-deflate.
    • port {Number} The port where to bind the server.
    • server {http.Server|https.Server} A pre-created Node.js HTTP/S server.
    • skipUTF8Validation {Boolean} Specifies whether or not to skip UTF-8
      validation for text and close messages. Defaults to false. Set to true
      only if clients are trusted.
    • verifyClient {Function} A function which can be used to validate incoming
      connections. See description below. (Usage is discouraged: see
      Issue #337)
    • WebSocket {Function} Specifies the WebSocket class to be used. It must
      be extended from the original WebSocket. Defaults to WebSocket.
  • callback {Function}

Create a new server instance. One and only one of port, server or noServer
must be provided or an error is thrown. An HTTP server is automatically created,
started, and used if port is set. To use an external HTTP/S server instead,
specify only server or noServer. In this case the HTTP/S server must be
started manually. The «noServer» mode allows the WebSocket server to be
completely detached from the HTTP/S server. This makes it possible, for example,
to share a single HTTP/S server between multiple WebSocket servers.

NOTE: Use of verifyClient is discouraged. Rather handle client
authentication in the 'upgrade' event of the HTTP server. See examples for
more details.

If verifyClient is not set then the handshake is automatically accepted. If it
has a single parameter then ws will invoke it with the following argument:

  • info {Object}
    • origin {String} The value in the Origin header indicated by the client.
    • req {http.IncomingMessage} The client HTTP GET request.
    • secure {Boolean} true if req.socket.authorized or
      req.socket.encrypted is set.

The return value (Boolean) of the function determines whether or not to accept
the handshake.

If verifyClient has two parameters then ws will invoke it with the following
arguments:

  • info {Object} Same as above.
  • cb {Function} A callback that must be called by the user upon inspection of
    the info fields. Arguments in this callback are:

    • result {Boolean} Whether or not to accept the handshake.
    • code {Number} When result is false this field determines the HTTP
      error status code to be sent to the client.
    • name {String} When result is false this field determines the HTTP
      reason phrase.
    • headers {Object} When result is false this field determines additional
      HTTP headers to be sent to the client. For example,
      { 'Retry-After': 120 }.

handleProtocols takes two arguments:

  • protocols {Set} The list of WebSocket subprotocols indicated by the client
    in the Sec-WebSocket-Protocol header.
  • request {http.IncomingMessage} The client HTTP GET request.

The returned value sets the value of the Sec-WebSocket-Protocol header in the
HTTP 101 response. If returned value is false the header is not added in the
response.

If handleProtocols is not set then the first of the client’s requested
subprotocols is used.

perMessageDeflate can be used to control the behavior of permessage-deflate
extension. The extension is disabled when false (default
value). If an object is provided then that is extension parameters:

  • serverNoContextTakeover {Boolean} Whether to use context takeover or not.
  • clientNoContextTakeover {Boolean} Acknowledge disabling of client context
    takeover.
  • serverMaxWindowBits {Number} The value of windowBits.
  • clientMaxWindowBits {Number} Request a custom client window size.
  • zlibDeflateOptions {Object} Additional options to pass to
    zlib on deflate.
  • zlibInflateOptions {Object} Additional options to pass to
    zlib on inflate.
  • threshold {Number} Payloads smaller than this will not be compressed if
    context takeover is disabled. Defaults to 1024 bytes.
  • concurrencyLimit {Number} The number of concurrent calls to zlib. Calls
    above this limit will be queued. Default 10. You usually won’t need to touch
    this option. See this issue for more details.

If a property is empty then either an offered configuration or a default value
is used. When sending a fragmented message the length of the first fragment is
compared to the threshold. This determines if compression is used for the entire
message.

callback will be added as a listener for the 'listening' event on the HTTP
server when the port option is set.

Event: ‘close’

Emitted when the server closes. This event depends on the 'close' event of
HTTP server only when it is created internally. In all other cases, the event is
emitted independently.

Event: ‘connection’

  • websocket {WebSocket}
  • request {http.IncomingMessage}

Emitted when the handshake is complete. request is the http GET request sent
by the client. Useful for parsing authority headers, cookie headers, and other
information.

Event: ‘error’

  • error {Error}

Emitted when an error occurs on the underlying server.

Event: ‘headers’

  • headers {Array}
  • request {http.IncomingMessage}

Emitted before the response headers are written to the socket as part of the
handshake. This allows you to inspect/modify the headers before they are sent.

Event: ‘listening’

Emitted when the underlying server has been bound.

Event: ‘wsClientError’

  • error {Error}
  • socket {net.Socket|tls.Socket}
  • request {http.IncomingMessage}

Emitted when an error occurs before the WebSocket connection is established.
socket and request are respectively the socket and the HTTP request from
which the error originated. The listener of this event is responsible for
closing the socket. When the 'wsClientError' event is emitted there is no
http.ServerResponse object, so any HTTP response, including the response
headers and body, must be written directly to the socket. If there is no
listener for this event, the socket is closed with a default 4xx response
containing a descriptive error message.

server.address()

Returns an object with port, family, and address properties specifying the
bound address, the address family name, and port of the server as reported by
the operating system if listening on an IP socket. If the server is listening on
a pipe or UNIX domain socket, the name is returned as a string.

server.clients

  • {Set}

A set that stores all connected clients. This property is only added when the
clientTracking is truthy.

server.close([callback])

Prevent the server from accepting new connections and close the HTTP server if
created internally. If an external HTTP server is used via the server or
noServer constructor options, it must be closed manually. Existing connections
are not closed automatically. The server emits a 'close' event when all
connections are closed unless an external HTTP server is used and client
tracking is disabled. In this case the 'close' event is emitted in the next
tick. The optional callback is called when the 'close' event occurs and
receives an Error if the server is already closed.

server.handleUpgrade(request, socket, head, callback)

  • request {http.IncomingMessage} The client HTTP GET request.
  • socket {net.Socket|tls.Socket} The network socket between the server and
    client.
  • head {Buffer} The first packet of the upgraded stream.
  • callback {Function}.

Handle a HTTP upgrade request. When the HTTP server is created internally or
when the HTTP server is passed via the server option, this method is called
automatically. When operating in «noServer» mode, this method must be called
manually.

If the upgrade is successful, the callback is called with two arguments:

  • websocket {WebSocket} A WebSocket object.
  • request {http.IncomingMessage} The client HTTP GET request.

server.shouldHandle(request)

  • request {http.IncomingMessage} The client HTTP GET request.

See if a given request should be handled by this server. By default this method
validates the pathname of the request, matching it against the path option if
provided. The return value, true or false, determines whether or not to
accept the handshake.

This method can be overridden when a custom handling logic is required.

Class: WebSocket

This class represents a WebSocket. It extends the EventEmitter.

Ready state constants

Constant Value Description
CONNECTING 0 The connection is not yet open.
OPEN 1 The connection is open and ready to communicate.
CLOSING 2 The connection is in the process of closing.
CLOSED 3 The connection is closed.

new WebSocket(address[, protocols][, options])

  • address {String|url.URL} The URL to which to connect.
  • protocols {String|Array} The list of subprotocols.
  • options {Object}
    • followRedirects {Boolean} Whether or not to follow redirects. Defaults to
      false.
    • generateMask {Function} The function used to generate the masking key. It
      takes a Buffer that must be filled synchronously and is called before a
      message is sent, for each message. By default the buffer is filled with
      cryptographically strong random bytes.
    • handshakeTimeout {Number} Timeout in milliseconds for the handshake
      request. This is reset after every redirection.
    • maxPayload {Number} The maximum allowed message size in bytes. Defaults to
      100 MiB (104857600 bytes).
    • maxRedirects {Number} The maximum number of redirects allowed. Defaults
      to 10.
    • origin {String} Value of the Origin or Sec-WebSocket-Origin header
      depending on the protocolVersion.
    • perMessageDeflate {Boolean|Object} Enable/disable permessage-deflate.
    • protocolVersion {Number} Value of the Sec-WebSocket-Version header.
    • skipUTF8Validation {Boolean} Specifies whether or not to skip UTF-8
      validation for text and close messages. Defaults to false. Set to true
      only if the server is trusted.
    • Any other option allowed in http.request() or https.request().
      Options given do not have any effect if parsed from the URL given with the
      address parameter.

perMessageDeflate default value is true. When using an object, parameters
are the same of the server. The only difference is the direction of requests.
For example, serverNoContextTakeover can be used to ask the server to disable
context takeover.

Create a new WebSocket instance.

IPC connections

ws supports IPC connections. To connect to an IPC endpoint, use the following
URL form:

  • On Unices

    ws+unix:/absolute/path/to/uds_socket:/pathname?search_params
    
  • On Windows

    ws+unix:\.pipepipe_name:/pathname?search_params
    

The character : is the separator between the IPC path (the Unix domain socket
path or the Windows named pipe) and the URL path. The IPC path must not include
the characters : and ?, otherwise the URL is incorrectly parsed. If the URL
path is omitted

ws+unix:/absolute/path/to/uds_socket

it defaults to /.

Event: ‘close’

  • code {Number}
  • reason {Buffer}

Emitted when the connection is closed. code is a numeric value indicating the
status code explaining why the connection has been closed. reason is a
Buffer containing a human-readable string explaining why the connection has
been closed.

Event: ‘error’

  • error {Error}

Emitted when an error occurs. Errors may have a .code property, matching one
of the string values defined below under Error codes.

Event: ‘message’

  • data {Buffer|ArrayBuffer|Buffer[]}
  • isBinary {Boolean}

Emitted when a message is received. data is the message content. isBinary
specifies whether the message is binary or not.

Event: ‘open’

Emitted when the connection is established.

Event: ‘ping’

  • data {Buffer}

Emitted when a ping is received from the server.

Event: ‘pong’

  • data {Buffer}

Emitted when a pong is received from the server.

Event: ‘redirect’

  • url {String}
  • request {http.ClientRequest}

Emitted before a redirect is followed. url is the redirect URL. request is
the HTTP GET request with the headers queued. This event gives the ability to
inspect confidential headers and remove them on a per-redirect basis using the
request.getHeader() and request.removeHeader() API. The request
object should be used only for this purpose. When there is at least one listener
for this event, no header is removed by default, even if the redirect is to a
different domain.

Event: ‘unexpected-response’

  • request {http.ClientRequest}
  • response {http.IncomingMessage}

Emitted when the server response is not the expected one, for example a 401
response. This event gives the ability to read the response in order to extract
useful information. If the server sends an invalid response and there isn’t a
listener for this event, an error is emitted.

Event: ‘upgrade’

  • response {http.IncomingMessage}

Emitted when response headers are received from the server as part of the
handshake. This allows you to read headers from the server, for example
‘set-cookie’ headers.

websocket.addEventListener(type, listener[, options])

  • type {String} A string representing the event type to listen for.
  • listener {Function|Object} The listener to add.
  • options {Object}
    • once {Boolean} A Boolean indicating that the listener should be invoked
      at most once after being added. If true, the listener would be
      automatically removed when invoked.

Register an event listener emulating the EventTarget interface. This method
does nothing if type is not one of 'close', 'error', 'message', or
'open'.

websocket.binaryType

  • {String}

A string indicating the type of binary data being transmitted by the connection.
This should be one of «nodebuffer», «arraybuffer» or «fragments». Defaults to
«nodebuffer». Type «fragments» will emit the array of fragments as received from
the sender, without copyfull concatenation, which is useful for the performance
of binary protocols transferring large messages with multiple fragments.

websocket.bufferedAmount

  • {Number}

The number of bytes of data that have been queued using calls to send() but
not yet transmitted to the network. This deviates from the HTML standard in the
following ways:

  1. If the data is immediately sent the value is 0.
  2. All framing bytes are included.

websocket.close([code[, reason]])

  • code {Number} A numeric value indicating the status code explaining why the
    connection is being closed.
  • reason {String|Buffer} The reason why the connection is closing.

Initiate a closing handshake.

websocket.isPaused

  • {Boolean}

Indicates whether the websocket is paused.

websocket.extensions

  • {Object}

An object containing the negotiated extensions.

websocket.onclose

  • {Function}

An event listener to be called when connection is closed. The listener receives
a CloseEvent named «close».

websocket.onerror

  • {Function}

An event listener to be called when an error occurs. The listener receives an
ErrorEvent named «error».

websocket.onmessage

  • {Function}

An event listener to be called when a message is received from the server. The
listener receives a MessageEvent named «message».

websocket.onopen

  • {Function}

An event listener to be called when the connection is established. The listener
receives an OpenEvent named «open».

websocket.pause()

Pause the websocket causing it to stop emitting events. Some events can still be
emitted after this is called, until all buffered data is consumed. This method
is a noop if the ready state is CONNECTING or CLOSED.

websocket.ping([data[, mask]][, callback])

  • data {Array|Number|Object|String|ArrayBuffer|Buffer|DataView|TypedArray} The
    data to send in the ping frame.
  • mask {Boolean} Specifies whether data should be masked or not. Defaults to
    true when websocket is not a server client.
  • callback {Function} An optional callback which is invoked when the ping
    frame is written out. If an error occurs, the callback is called with the
    error as its first argument.

Send a ping. This method throws an error if the ready state is CONNECTING.

websocket.pong([data[, mask]][, callback])

  • data {Array|Number|Object|String|ArrayBuffer|Buffer|DataView|TypedArray} The
    data to send in the pong frame.
  • mask {Boolean} Specifies whether data should be masked or not. Defaults to
    true when websocket is not a server client.
  • callback {Function} An optional callback which is invoked when the pong
    frame is written out. If an error occurs, the callback is called with the
    error as its first argument.

Send a pong. This method throws an error if the ready state is CONNECTING.

websocket.protocol

  • {String}

The subprotocol selected by the server.

websocket.resume()

Make a paused socket resume emitting events. This method is a noop if the ready
state is CONNECTING or CLOSED.

websocket.readyState

  • {Number}

The current state of the connection. This is one of the ready state constants.

websocket.removeEventListener(type, listener)

  • type {String} A string representing the event type to remove.
  • listener {Function|Object} The listener to remove.

Removes an event listener emulating the EventTarget interface. This method
only removes listeners added with
websocket.addEventListener().

websocket.send(data[, options][, callback])

  • data {Array|Number|Object|String|ArrayBuffer|Buffer|DataView|TypedArray} The
    data to send. Object values are only supported if they conform to the
    requirements of Buffer.from(). If those constraints are not met, a
    TypeError is thrown.
  • options {Object}
    • binary {Boolean} Specifies whether data should be sent as a binary or
      not. Default is autodetected.
    • compress {Boolean} Specifies whether data should be compressed or not.
      Defaults to true when permessage-deflate is enabled.
    • fin {Boolean} Specifies whether data is the last fragment of a message
      or not. Defaults to true.
    • mask {Boolean} Specifies whether data should be masked or not. Defaults
      to true when websocket is not a server client.
  • callback {Function} An optional callback which is invoked when data is
    written out. If an error occurs, the callback is called with the error as its
    first argument.

Send data through the connection. This method throws an error if the ready
state is CONNECTING.

websocket.terminate()

Forcibly close the connection. Internally this calls socket.destroy().

websocket.url

  • {String}

The URL of the WebSocket server. Server clients don’t have this attribute.

createWebSocketStream(websocket[, options])

  • websocket {WebSocket} A WebSocket object.
  • options {Object} Options to pass to the Duplex
    constructor.

Returns a Duplex stream that allows to use the Node.js streams API on top of a
given WebSocket.

Environment variables

WS_NO_BUFFER_UTIL

When set to a non empty value, prevents the optional bufferutil dependency
from being required.

WS_NO_UTF_8_VALIDATE

When set to a non empty value, prevents the optional utf-8-validate dependency
from being required.

Error codes

Errors emitted by the websocket may have a .code property, describing the
specific type of error that has occurred:

WS_ERR_EXPECTED_FIN

A WebSocket frame was received with the FIN bit not set when it was expected.

WS_ERR_EXPECTED_MASK

An unmasked WebSocket frame was received by a WebSocket server.

WS_ERR_INVALID_CLOSE_CODE

A WebSocket close frame was received with an invalid close code.

WS_ERR_INVALID_CONTROL_PAYLOAD_LENGTH

A control frame with an invalid payload length was received.

WS_ERR_INVALID_OPCODE

A WebSocket frame was received with an invalid opcode.

WS_ERR_INVALID_UTF8

A text or close frame was received containing invalid UTF-8 data.

WS_ERR_UNEXPECTED_MASK

A masked WebSocket frame was received by a WebSocket client.

WS_ERR_UNEXPECTED_RSV_1

A WebSocket frame was received with the RSV1 bit set unexpectedly.

WS_ERR_UNEXPECTED_RSV_2_3

A WebSocket frame was received with the RSV2 or RSV3 bit set unexpectedly.

WS_ERR_UNSUPPORTED_DATA_PAYLOAD_LENGTH

A data frame was received with a length longer than the max supported length
(2^53 — 1, due to JavaScript language limitations).

WS_ERR_UNSUPPORTED_MESSAGE_LENGTH

A message was received with a length longer than the maximum supported length,
as configured by the maxPayload option.


Once a connection has been established between the client and the server, an open event is fired from the Web Socket instance. Error are generated for mistakes, which take place during the communication. It is marked with the help of onerror event. Onerror is always followed by termination of connection.

The onerror event is fired when something wrong occurs between the communications. The event onerror is followed by a connection termination, which is a close event.

A good practice is to always inform the user about the unexpected error and try to reconnect them.

socket.onclose = function(event) {
   console.log("Error occurred.");
	
   // Inform the user about the error.
   var label = document.getElementById("status-label");
   label.innerHTML = "Error: " + event;
}

When it comes to error handling, you have to consider both internal and external parameters.

  • Internal parameters include errors that can be generated because of the bugs in your code, or unexpected user behavior.

  • External errors have nothing to do with the application; rather, they are related to parameters, which cannot be controlled. The most important one is the network connectivity.

  • Any interactive bidirectional web application requires, well, an active Internet connection.

Checking Network Availability

Imagine that your users are enjoying your web app, when suddenly the network connection becomes unresponsive in the middle of their task. In modern native desktop and mobile applications, it is a common task to check for network availability.

The most common way of doing so is simply making an HTTP request to a website that is supposed to be up (for example, http://www.google.com). If the request succeeds, the desktop or mobile device knows there is active connectivity. Similarly, HTML has XMLHttpRequest for determining network availability.

HTML5, though, made it even easier and introduced a way to check whether the browser can accept web responses. This is achieved via the navigator object −

if (navigator.onLine) {
   alert("You are Online");
}else {
   alert("You are Offline");
}

Offline mode means that either the device is not connected or the user has selected the offline mode from browser toolbar.

Here is how to inform the user that the network is not available and try to reconnect when a WebSocket close event occurs −

socket.onclose = function (event) {
   // Connection closed.
   // Firstly, check the reason.
	
   if (event.code != 1000) {
      // Error code 1000 means that the connection was closed normally.
      // Try to reconnect.
		
      if (!navigator.onLine) {
         alert("You are offline. Please connect to the Internet and try again.");
      }
   }
}

Demo for receiving error messages

The following program explains how to show error messages using Web Sockets −

<!DOCTYPE html>
<html>
   <meta charset = "utf-8" />
   <title>WebSocket Test</title>

   <script language = "javascript" type = "text/javascript">
      var wsUri = "ws://echo.websocket.org/";
      var output;
		
      function init() {
         output = document.getElementById("output");
         testWebSocket();
      }
		
      function testWebSocket() {
         websocket = new WebSocket(wsUri);
			
         websocket.onopen = function(evt) {
            onOpen(evt)
         };
			
         websocket.onclose = function(evt) {
            onClose(evt)
         };
			
         websocket.onerror = function(evt) {
            onError(evt)
         };
      }
		
      function onOpen(evt) {
         writeToScreen("CONNECTED");
         doSend("WebSocket rocks");
      }
		
      function onClose(evt) {
         writeToScreen("DISCONNECTED");
      }
		
      function onError(evt) {
         writeToScreen('<span style = "color: red;">ERROR:</span> ' + evt.data);
      } 
		
      function doSend(message) {
         writeToScreen("SENT: " + message); websocket.send(message);
      }
		
      function writeToScreen(message) {
         var pre = document.createElement("p"); 
         pre.style.wordWrap = "break-word"; 
         pre.innerHTML = message; output.appendChild(pre);
      }
		
      window.addEventListener("load", init, false);
   </script>
	
   <h2>WebSocket Test</h2>
   <div id = "output"></div>
	
</html>

The output is as follows −

Disconnected

Понравилась статья? Поделить с друзьями:
  • Websocket error during websocket handshake unexpected response code 200
  • Websocket connection to wss failed error during websocket handshake unexpected response code 400
  • Websocket connection to failed error in connection establishment
  • Websocket 1000 error
  • Webrequest cannot resolve destination host duskwood ошибка