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 🙏

© 2026 – Pkg Stats / Ryan Hefner

@equinor/fusion-framework-module-event

v6.0.0

Published

Fusion module for events

Readme

@equinor/fusion-framework-module-event

Async event dispatching module for the Fusion Framework. Enables type-safe communication between framework modules (siblings) and across parent/child instances through an event system modeled after the native DOM EventTarget, but with async dispatch so cancelable events can be properly awaited.

Important: When dispatching a cancelable event you must await the dispatchEvent call. Firing without await means preventDefault() calls from listeners will not be respected.

Who should use this

  • Module authors that need to emit lifecycle or domain events other modules can react to.
  • Application developers that want to intercept, log, or cancel events flowing through the framework.
  • Library consumers that subscribe to event streams for analytics, debugging, or cross-cutting concerns.

Quick start

Install

pnpm add @equinor/fusion-framework-module-event

The event module is included by default when initializing the Fusion Framework, so explicit installation is only needed when using it standalone.

Listen to an event

const teardown = modules.event.addEventListener('onModulesLoaded', (event) => {
  console.log('All modules loaded:', event.detail);
});

// remove the listener when no longer needed
teardown();

Dispatch an event

const event = await modules.event.dispatchEvent('myEvent', {
  detail: { id: 42 },
  cancelable: true,
});

if (!event.canceled) {
  performAction();
}

API overview

| Export | Kind | Purpose | |---|---|---| | FrameworkEvent | Class | Base event carrying detail, source, cancel/bubble flags | | FrameworkEventInit | Type | Options passed when constructing an event | | FrameworkEventMap | Interface | Extensible registry mapping event names → event types | | FrameworkEventHandler | Type | Listener callback signature (sync or async) | | IEventModuleProvider | Interface | Public API for the event provider (addEventListener, dispatchEvent, event$) | | EventModuleProvider | Class | Default provider implementation | | IEventModuleConfigurator | Interface | Configuration hooks (onDispatch, onBubble) | | filterEvent | Function | RxJS operator to narrow event$ to a single registered event type | | EventModule / eventModuleKey | Type / Const | Module definition and key ('event') |

Configuration

Configure the event module during framework setup to hook into dispatch lifecycle:

import type { FrameworkEvent } from '@equinor/fusion-framework-module-event';

const configurator = (config) => {
  // Inspect or cancel events before listeners run
  config.event.onDispatch = (event: FrameworkEvent) => {
    if (!isAllowed(event)) {
      event.preventDefault();
    }
  };

  // Disable bubbling to parent providers
  delete config.event.onBubble;
};

onDispatch

Called before registered listeners. Use it to log, validate, or cancel events globally.

onBubble

Called after all listeners if the event still bubbles. By default, the framework wires this to forward events to the parent provider. Delete it to isolate events to the current scope.

Registering custom event types

Extend FrameworkEventMap via TypeScript declaration merging to get type-safe addEventListener and dispatchEvent calls:

import type {
  FrameworkEvent,
  FrameworkEventInit,
} from '@equinor/fusion-framework-module-event';

interface MyPayload {
  id: string;
  value: number;
}

declare module '@equinor/fusion-framework-module-event' {
  interface FrameworkEventMap {
    'myFeature': FrameworkEvent<FrameworkEventInit<MyPayload>>;
  }
}

After registration, both the event name and payload are type-checked:

modules.event.addEventListener('myFeature', (event) => {
  // event.detail is typed as MyPayload
  console.log(event.detail.id);
});

Observable event stream

The event$ observable emits every dispatched event. Subscribers receive events after dispatch and cannot call preventDefault or stopPropagation — use addEventListener for side-effect-capable handling.

import { filterEvent } from '@equinor/fusion-framework-module-event';

// Subscribe to all events
const sub = modules.event.event$.subscribe((event) => {
  console.log(event.type, event.detail);
});

// Or filter to a specific registered event type
const filtered = modules.event.event$.pipe(
  filterEvent('onModulesLoaded'),
).subscribe((event) => {
  // event is narrowed to the registered type
  console.log(event.detail);
});

// Unsubscribe on teardown
sub.unsubscribe();
filtered.unsubscribe();

Event lifecycle

  1. dispatchEvent is called with a name + init or a FrameworkEvent instance.
  2. The onDispatch hook runs (if configured). Canceling here stops all listeners.
  3. Registered listeners execute sequentially. For cancelable events each listener is awaited; non-cancelable listeners fire without awaiting.
  4. If the event still bubbles, the onBubble hook runs (typically forwarding to a parent provider).
  5. The event is pushed to event$ for observable subscribers.

Cancelable events

Mark an event as cancelable in its init and await dispatch:

const event = await modules.event.dispatchEvent('myEvent', {
  detail: data,
  cancelable: true,
});

if (event.canceled) {
  // A listener called event.preventDefault()
  return;
}

A listener cancels the event by calling preventDefault():

modules.event.addEventListener('myEvent', (event) => {
  if (shouldBlock(event.detail)) {
    event.preventDefault();
  }
});

Bubbling

Events bubble to parent providers by default (canBubble: true). A listener can stop propagation:

modules.event.addEventListener('myEvent', (event) => {
  event.stopPropagation(); // prevents bubbling to parent
});

Or disable bubbling for a specific event at dispatch time:

await modules.event.dispatchEvent('myEvent', {
  detail: data,
  canBubble: false,
});