npm package discovery and stats viewer.

Discover Tips

  • General search

    [free text search, go nuts!]

  • Package details

    pkg:[package-name]

  • User packages

    @[username]

Sponsor

Optimize Toolset

I’ve always been into building performant and accessible sites, but lately I’ve been taking it extremely seriously. So much so that I’ve been building a tool to help me optimize and monitor the sites that I build to make sure that I’m making an attempt to offer the best experience to those who visit them. If you’re into performant, accessible and SEO friendly sites, you might like it too! You can check it out at Optimize Toolset.

About

Hi, 👋, I’m Ryan Hefner  and I built this site for me, and you! The goal of this site was to provide an easy way for me to check the stats on my npm packages, both for prioritizing issues and updates, and to give me a little kick in the pants to keep up on stuff.

As I was building it, I realized that I was actually using the tool to build the tool, and figured I might as well put this out there and hopefully others will find it to be a fast and useful way to search and browse npm packages as I have.

If you’re interested in other things I’m working on, follow me on Twitter or check out the open source projects I’ve been publishing on GitHub.

I am also working on a Twitter bot for this site to tweet the most popular, newest, random packages from npm. Please follow that account now and it will start sending out packages soon–ish.

Open Software & Tools

This site wouldn’t be possible without the immense generosity and tireless efforts from the people who make contributions to the world and share their work via open source initiatives. Thank you 🙏

© 2025 – Pkg Stats / Ryan Hefner

tabs-broadcast

v3.3.1

Published

Library for managing inter-tab communication

Downloads

263

Readme

TabsBroadcast

License Stars GitHub file size in bytes Latest tag Repo depends Pckg depends Last commits

TabsBroadcast is a library for managing inter-tab communication via the BroadcastChannel API. It implements a singleton pattern to ensure a single instance and allows for registering, emitting, and handling various types of events across different browser tabs. The library also manages primary and slave tabs, ensuring that only one tab is designated as the primary tab, which can perform certain tasks exclusively.


License

This project is licensed under the MIT License. See the LICENSE file for details.


Author


Features

  • Singleton pattern to ensure a single instance.
  • Inter-tab communication using the BroadcastChannel API.
  • Primary-Slave tab management.
  • Event registration and handling.
  • Emit messages to all tabs or only from the primary tab.
  • Configurable settings.
  • Extensible through plugins.

Demo

You can access the live demo at the following URL:

TabsBroadcast Demo


Installation

You can install the library using npm, pnpm, yarn or bun:

npm install tabs-broadcast

or

pnpm install tabs-broadcast

or

yarn add tabs-broadcast

or

bun install tabs-broadcast

Usage

To use the library, import the TabsBroadcast class and initialize it:

Importing the Library

import TabsBroadcast from 'tabs-broadcast';

Creating an Instance

const tabsBroadcast = new TabsBroadcast();

Config Options

  • channelName: The name of the BroadcastChannel. Using for multiple instance per site. Default: xploit_tab_channel.
  • listenOwnChannel:: Whether the tab should listen to its own emitted messages. Default: false.
  • emitByPrimaryOnly: Whether only the primary tab can emit messages. Default: true.
  • onBecomePrimary: Callback function when the tab becomes the primary tab.
  • disableInternalErrors: Disable internal errors logging. Default true.

To work within the same application with micro-frontends or apps, use the same channelName


Core concept

Primary-Slave Tab Management

The library ensures that one tab is marked as the primary tab and others as slave tabs. When the primary tab is closed, another tab is promoted to the primary status.

Basic Usage Example

// Create an instance of TabsBroadcast
const tabsBroadcast = new TabsBroadcast();

// Register a listener for a custom event
tabsBroadcast.on('customEvent', (data) => {
    console.log('Received custom event:', data);
});

// Emit an event only from the primary tab
if (tabsBroadcast.primary) {
    tabsBroadcast.emit('customEvent', { message: 'Hello from the primary tab!' });
}

This example demonstrates how to create an instance of TabsBroadcast, register an event listener for a custom event, emit an event only from the primary tab, and handle the tab's unload event to destroy the BroadcastChannel.

Why Do I Need Primary-Slave Tab Management?

In modern web applications, users often open multiple tabs of the same application. Managing the state and interaction between these tabs efficiently is crucial. Primary-Slave Tab Management addresses several key challenges:

  1. Avoiding Conflicts: When multiple tabs attempt to perform the same actions (e.g., synchronizing data with the server), it can lead to conflicts and errors. Primary-Slave Tab Management designates one tab as the primary tab, responsible for executing such critical tasks, while the other tabs (slaves) perform auxiliary functions.
  2. Resource Optimization: Performing tasks (like background data synchronization or periodic updates) only in one tab reduces the load on the browser and server, significantly improving performance and lowering resource consumption.
  3. Centralized State Management: The primary tab can manage the shared state of the application and coordinate actions across all tabs. This ensures data consistency and predictable application behavior.
  4. Communication between micro-frontends. The library allows you to separate individual micro-frontends into layers, which allows them to communicate between each other, as well as with the parent they are rendered into.

What Problems Can Primary-Slave Tab Management Solve?

  1. Data Synchronization: The primary tab can perform periodic data synchronization with the server and distribute updates to other tabs, ensuring data is up-to-date across all tabs.
  2. User Session Management: The primary tab can monitor user activity and manage sessions (e.g., automatic logout on inactivity), enhancing security and user experience.
  3. Notifications and Alerts: The primary tab can centrally handle notifications and alerts, preventing the user from receiving duplicate notifications in every tab.
  4. Load Distribution: In scenarios involving resource-intensive operations (e.g., processing large data sets), the primary tab can distribute tasks among other tabs, optimizing overall application performance.

Primary-Slave Tab Management is an effective way to improve performance, manage state, and enhance the reliability of web applications operating with multiple tabs.


Layers

Layers allow you to divide events within a single application into topics, assignments, or streams (whatever you want to call it). An event sent in a particular layer will be processed only by a listener who is waiting for an event in that particular layer.

Using layers improves library performance by reducing the number of iterations, and also saves memory consumption.


TypeScript Support

This library fully supports TypeScript, providing type definitions for seamless integration with TypeScript projects. TypeScript users can leverage static typing to catch errors early in the development process and benefit from improved code editor support, including auto-completion and type checking.

The library includes a index.d.ts file for full type definition support.


Methods

on(message: string, callback: (data: any) => void, layer?: string): void

Register a callback to be executed whenever a message of the specified type is received.

tabsBroadcast.on('eventName', (data) => {
    console.log("Event 'eventName' received with payload:", data);
});

You can now use the wildcard (*) listener to capture all events. This is useful when you need to log, monitor, or debug all activity in a layer.

tabsBroadcast.on('*', (event) => {
    console.log(`Captured wildcard event:`, event);
});

You can specify a layer to isolate the events from each other. The trigger will be triggered only if the specified event is passed to a specific layer

tabsBroadcast.on('eventName', (data) => {
    console.log("Event 'eventName' received with payload:", data);
}, 'APP_LAYER_0');

onList(list: Array<[string, Function, layer]>): void

Register multiple callbacks to be executed whenever messages of specified types are received.

tabsBroadcast.onList([
    ['eventName1', (data) => console.log("Event 'eventName1' received:", data)],
    ['eventName2', (data) => console.log("Event 'eventName2' received:", data), 'APP_LAYER_0'],
    ['eventName3', (data) => console.log("Event 'eventName3' received:", data), 'APP_LAYER_1']
]);

once(message: string, callback: (data: any) => void, layer?: string): void

Register a callback to be executed only once when a message of the specified type is received.

tabsBroadcast.once('eventName', (data) => {
    console.log('One-time event received:', data);
});

You can specify a layer to isolate the events from each other

tabsBroadcast.once('eventName', (data) => {
    console.log('One-time event received:', data);
}, 'APP_LAYER_0');

onceList(list: Array<[string, Function, string]>): void

Register multiple callbacks to be executed one-time when messages of specified types are received.

tabsBroadcast.onceList([
    ['eventName1', (data) => console.log("One-time event 'eventName1' received:", data)],
    ['eventName2', (data) => console.log("One-time event 'eventName2' received:", data), 'APP_LAYER_0'],
    ['eventName3', (data) => console.log("One-time event 'eventName3' received:", data), 'APP_LAYER_1'],
]);

off(message: string, layer?: string): void

Unregister all callbacks of the specified type.

tabsBroadcast.off('eventName');

You can specify a specific layer from which the event should be deleted. If you do not specify it, then all specified events will be deleted from all layers

tabsBroadcast.off('eventName', 'APP_LAYER_0');

emit(message: string, data?: any, layer?: string): void

Emit a message to all listening tabs with the specified name, payload and layer.

tabsBroadcast.emit('eventName');
tabsBroadcast.emit('eventName', 'Hello World');
tabsBroadcast.emit('eventName', { foo: 'bar', key: new ArrayBuffer() });
tabsBroadcast.emit('eventName', null, 'APP_LAYER_3');
tabsBroadcast.emit('eventName', 'Hello Worlds', 'APP_LAYER_4');

You can specify a specific layer in which to send events. It is a good practice when the layers are inherently separated

The emit method supports sending messages to multiple layers simultaneously:

tabsBroadcast.emit('eventName', { id: 1 }, [ 'APP_LAYER_0', 'APP_LAYER_3' ]);

setConfig(config: TDefaultConfig): void

Set custom configuration properties.

tabsBroadcast.setConfig({
    channelName: 'newChannelName',
    listenOwnChannel: false,
    onBecomePrimary: (detail) => console.log('New primary tab:', detail),
    emitByPrimaryOnly: true,
	disableInternalErrors: true
});

destroy(): void

The destroy method clears all registered listeners, deletes all layers, and releases the BroadcastChannel. Additionally, you can specify an optional delay (in milliseconds) before destruction:

// Destroy resources with a delay (500ms)
await tabsBroadcast.destroy(500);

// Destroy resources immediately
await tabsBroadcast.destroy();

getEvents() : TCallbackItem[]

Receive a copy of the registered events list.

const events = tabsBroadcast.getEvents();

console.log('Registered events:', events);

getLayers() : string[]

Receive a list of the using layers.

const layers = tabsBroadcast.getLayers();

console.log('Using layers:', layers); // -> ['APP_LAYER_0', 'APP_LAYER_1']

Static properties

primary: boolean

Check if the current tab is the primary tab.

if (tabsBroadcast.primary) {
    console.log('This is the primary tab.');
}

Plugins

TabsBroadcast supports plugins to extend its functionality. You can use the use method to load plugins.

Creating a Plugin

A plugin is a function that receives the TabsBroadcast instance as a parameter and extends it with new methods or logic.

Example: Plugin for Emitting Events to All Layers

const emitToAllLayersPlugin = (instance) => {
    instance['emitToAllLayers'] = function (type, payload) {
        const allLayers = Object.keys(this.layers);
        this.emit(type, payload, allLayers);
    };
};

// Use the plugin
const tabsBroadcast = new TabsBroadcast();
tabsBroadcast.use(emitToAllLayersPlugin);

// Emit an event to all existing layers
tabsBroadcast['emitToAllLayers']('globalEvent', { synced: true });

Example: Plugin for Auto Logging

This plugin automatically logs all emitted and received messages to the console:

const autoLogPlugin = (instance) => {
    const originalEmit = instance.emit;

    // Extend emit to log outgoing events
    instance.emit = function (type, payload, layers) {
        console.log(`[LOG] Emitting event: ${type}`, payload, layers);
        originalEmit.call(this, type, payload, layers);
    };

    // Register wildcard listeners for all layers
    Object.keys(instance.layers).forEach(layer => {
        instance.on('*', (event) => {
            console.log(`[LOG] Event received in layer ${layer}:`, event);
        }, layer);
    });
};

// Use the plugin
const tabsBroadcast = new TabsBroadcast();
tabsBroadcast.use(autoLogPlugin);

// Test emitting events
tabsBroadcast.emit('testEvent', { foo: 'bar' }, 'APP_LAYER_0');

Example: Notification Plugin

This plugin displays a notification whenever an event is emitted:

const notificationPlugin = (instance) => {
    instance['notifyOnEmit'] = function (message) {
        const originalEmit = this.emit;
        this.emit = function (type, payload, layers) {
            alert(`Notification: ${message}`);
            originalEmit.call(this, type, payload, layers);
        };
    };
};

// Use the plugin
const tabsBroadcast = new TabsBroadcast();
tabsBroadcast.use(notificationPlugin);

// Enable notifications
tabsBroadcast['notifyOnEmit']('New event emitted!');

// Emit an event (triggers a browser alert)
tabsBroadcast.emit('customEvent', { myData: 42 }, 'APP_LAYER_0');

Sponsorship and Support

If you have found this library useful and would like to support its continued development and maintenance, you can make a donation to the following USDT (TRC20) wallet address:

TFWHdvkHs78jrANbyYfAy6JaXVVfKQiwjv

Your donation will directly contribute to improving functionality, bug fixes, and ensuring long-term support for this library. Thank you for your support! 🚀

Ravy.pro