SkillAgentSearch skills...

Sse.js

A flexible Server-Sent Events EventSource polyfill for Javascript

Install / Use

/learn @mpetazzoni/Sse.js
About this skill

Quality Score

0/100

Supported Platforms

Universal

README

sse.js

GitHub License NPM Downloads

sse.js is a flexible EventSource replacement for JavaScript designed to consume Server-Sent Events (SSE) streams with more control and options than the standard EventSource. The main limitations of EventSource are that it only supports no-payload GET requests, and does not support specifying additional custom headers to the HTTP request.

This package is designed to provide a usable replacement to EventSource that makes all of this possible: SSE. It is a fully compatible EventSource polyfill so you should be able to do this if you want/need to:

EventSource = SSE;

Usage

Import

From a module context:

import { SSE } from "./sse.js";

From a non-module context:

(async () => {
  const { SSE } = import("./sse.js");
  window.SSE = SSE;
})();

Constructor

var source = new SSE(url, options);

Getting started

The most simple way to use SSE is to create the SSE object, attach one or more listeners, and activate the stream:

var source = new SSE(url);
source.addEventListener("message", function (e) {
  // Assuming we receive JSON-encoded data payloads:
  var payload = JSON.parse(e.data);
  console.log(payload);
});

Like EventSource, SSE will automatically execute the request and start streaming. If you want to disable this behavior, and be more specific as to when the request should be triggered, you can pass the start: false option and later call the stream() method:

var source = new SSE(url, {start: false});
source.addEventListener('message', (e) => { ... });
// ... later on
source.stream();

Passing custom headers

var source = new SSE(url, { headers: { Authorization: "Bearer 0xdeadbeef" } });

Making a POST request and overriding the HTTP method

To make a HTTP POST request, simply specify a payload in the options:

var source = new SSE(url, {
  headers: { "Content-Type": "text/plain" },
  payload: "Hello, world!",
});

Alternatively, you can also manually override the HTTP method used to perform the request, regardless of the presence of a payload option, by specifying the method option:

var source = new SSE(url, {
  headers: { "Content-Type": "text/plain" },
  payload: "Hello, world!",
  method: "GET",
});

Auto-reconnect functionality

SSE supports automatic reconnection when the connection is lost or encounters an error. This can be enabled through the options:

var source = new SSE(url, {
  autoReconnect: true, // Enable auto-reconnect
  reconnectDelay: 3000, // Wait 3 seconds before reconnecting
  maxRetries: null, // Retry indefinitely (set a number to limit retries)
  useLastEventId: true, // Send Last-Event-ID header on reconnect (recommended)
});

When auto-reconnect is enabled:

  • The connection will automatically attempt to reconnect after any connection loss or error
  • Each reconnection attempt will wait for the specified delay (in milliseconds)
  • If maxRetries is set, reconnection attempts will stop after that number is reached
  • If useLastEventId is true, the last received event ID will be sent in the Last-Event-ID header
  • Auto-reconnect is automatically disabled when calling close() on the SSE instance
  • The retry count is reset whenever a successful connection is established

You can dynamically check the auto-reconnect and retry status:

if (source.autoReconnect) {
  console.log("Auto-reconnect is enabled");
  if (source.maxRetries) {
    console.log(`Attempt ${source.retryCount} of ${source.maxRetries}`);
  }
}

Reconnecting after failure

There are two ways to handle reconnection after a connection failure:

  1. Automatic Reconnection (Recommended)
const source = new SSE(url, {
  autoReconnect: true,
  reconnectDelay: 3000,
  maxRetries: 5, // Stop after 5 failed attempts
});

source.addEventListener("error", (e) => {
  if (source.maxRetries && source.retryCount >= source.maxRetries) {
    console.log("Max retries reached, connection permanently closed");
  } else {
    console.log(
      `Connection lost. ${
        source.maxRetries
          ? `Attempt ${source.retryCount + 1}/${source.maxRetries}`
          : "Will"
      } reconnect in 3s...`
    );
  }
});
  1. Manual Reconnection
const source = new SSE(url, { autoReconnect: false });

source.addEventListener("error", (e) => {
  console.log("Connection lost");
  // Wait a bit then reconnect
  setTimeout(() => {
    source.stream();
  }, 3000);
});

// Or reconnect on abort
source.addEventListener("abort", () => {
  source.stream();
});

Last-Event-ID Support

The Last-Event-ID header is a crucial part of the SSE specification that helps maintain message continuity across reconnections. When enabled (default), SSE will automatically:

  1. Track the last received event ID
  2. Send this ID in the Last-Event-ID header on reconnection attempts
  3. Allow the server to resume the event stream from where it left off

This behavior can be controlled with the useLastEventId option:

const source = new SSE(url, {
  useLastEventId: true, // Recommended: follows SSE specification
});

It's strongly recommended to keep useLastEventId enabled as it's part of the SSE specification and ensures no events are lost during reconnection. Only disable it if you have specific requirements that conflict with this behavior.

You can access the last event ID at any time:

console.log("Last received event ID:", source.lastEventId);

Example of proper Last-Event-ID handling:

const source = new SSE("/api/events", {
  autoReconnect: true,
  useLastEventId: true,
  headers: { "Client-ID": "dashboard-1" },
});

source.addEventListener("message", (e) => {
  if (e.id) {
    console.log(`Received event ${e.id}`);
    // The lastEventId is automatically tracked
    // and will be sent on next reconnection
  }
});

source.addEventListener("open", (e) => {
  if (source.lastEventId) {
    console.log(`Reconnected, resuming from event ${source.lastEventId}`);
  }
});

Event stream order

The SSE events are dispatched in the following order:

| Event | Description | When | Event Properties | | ------------------ | ----------------------------- | --------------------------------------------- | --------------------------- | | readystatechange | State changed to CONNECTING | When stream() is called | readyState: 0 | | open | Connection established | When server response headers are received | responseCode, headers | | readystatechange | State changed to OPEN | After connection is established | readyState: 1 | | message | Data received | When server sends data | data, id, lastEventId | | error | Connection error | When connection fails or server returns error | responseCode, data | | readystatechange | State changed to CLOSED | When connection is closed | readyState: 2 | | abort | Connection aborted | When close() is called | None |

When auto-reconnect is enabled, the following additional events may occur:

| Event | Description | When | Event Properties | | ------------------ | ----------------------------- | -------------------------------- | --------------- | | readystatechange | State changed to CONNECTING | When reconnection starts | readyState: 0 | | error | Connection error | When connection fails | None | | readystatechange | State changed to CLOSED | After error, before next attempt | readyState: 2 |

The cycle repeats until either:

  • A successful connection is established (retry count resets to 0)
  • Max retries is reached (auto-reconnect is disabled)
  • close() is called (auto-reconnect is disabled)

All events also include a source property referencing the SSE instance that dispatched the event.

Note: When a server-sent event specifies an event field, only an event of that type is dispatched. If no event field is set, the default message event type is used. This matches the behavior of the native EventSource API.

Expected response from server

It is expected that the server will return the data in the following format, as defined here:

event: <type>\n
data: <data>\n
\n

Note that the space after the colon field delimiter is optional. A space after the colon, if present, is always removed from the parsed field value as mandated by the SSE specification. If your SSE server does not output with a space after the colon delimiter, it must take care to correctly express field values with leading spaces.

Options reference

| Name | Description | | ----------------- | -------------------------------------------------------------------------------------------------------------------- | | headers | An object containing the request headers to send with the request. Example: {'Authorization': 'Bearer 0123456789'} | | payload | The request payload to send with the request. Example: '{"filter": "temperature > 25"}' | | method | The HTTP method to use. If not specified, defaults to `

View on GitHub
GitHub Stars615
CategoryDevelopment
Updated7d ago
Forks103

Languages

JavaScript

Security Score

100/100

Audited on Mar 17, 2026

No findings