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

crossbus

v0.1.1

Published

Modern cross-context messaging for browsers - iframes, workers, tabs, and native bridges

Readme


Why CrossBus?

Stop wrestling with postMessage. CrossBus gives you a simple RPC layer for iframes, workers, tabs, and AI agents—with security defaults you can't forget to configure.

// That's it. Two lines to connect an iframe.
const hub = CrossBus.createSecure({ isHub: true, allowedOrigins: ['https://app.com'] });
hub.handle('getData', async (p) => ({ users: await db.query(p.filter) }));

// In your iframe - instant RPC
const data = await agent.request('hub', 'getData', { filter: 'active' });

🔒 Secure by Default

  • No wildcard origins in production
  • AES-256-GCM encryption plugin
  • Rate limiting per peer
  • Handler whitelisting

⚡ Fast

  • ~170M ops/sec emitSync
  • Competitive with nanoevents
  • Zero runtime dependencies
  • Tree-shakeable ESM

🤖 Browser-First Design

  • Cross-context messaging
  • Copy-paste patterns
  • Schema validation
  • Native bridge support

🏆 Feature Comparison

| Feature | CrossBus | Comlink | Penpal | Post-Robot | |---------|:---------:|:-------:|:------:|:----------:| | llms.txt + agent.json | ✅ | ❌ | ❌ | ❌ | | createSecure() factory | ✅ | ❌ | ❌ | ❌ | | Handler rate limiting | ✅ | ❌ | ❌ | ❌ | | Schema validation | ✅ | ❌ | ❌ | ❌ | | healthCheck() + diagnose() | ✅ | ❌ | ❌ | ❌ | | Causal ordering | ✅ | ❌ | ❌ | ❌ | | 7 transport types | ✅ | ❌ | ❌ | ❌ | | WebSocket reconnection | ✅ | ❌ | ❌ | ❌ |


⚡ 30-Second Quick Start

npm install crossbus

Hub (Main Page)

import { CrossBus, PostMessageTransport } from 'crossbus';

// 1. Create secure hub (enforces security best practices)
const hub = CrossBus.createSecure({
  peerId: 'hub',
  isHub: true,
  allowedOrigins: ['https://yourdomain.com']
});

// 2. Register handlers
hub.handle('getData', async ({ userId }) => {
  return await fetchUserData(userId);
});

// 3. Connect iframe
const iframe = document.getElementById('agent-frame');
hub.addTransport(new PostMessageTransport(iframe.contentWindow), { peerId: 'agent' });

Agent (Iframe)

import { CrossBus, PostMessageTransport } from 'crossbus';

const agent = new CrossBus({ peerId: 'agent', allowedOrigins: ['*'] });
agent.addTransport(new PostMessageTransport(window.parent), { peerId: 'hub' });

// That's it! RPC to parent is now trivial
const user = await agent.request('hub', 'getData', { userId: 123 });

📊 Performance That Matters

| Benchmark | CrossBus | nanoevents | EventEmitter3 | mitt | |-----------|-----------|------------|---------------|------| | emit (1 listener) | 172M ops/s 🏆 | 170M | 131M | 21M | | emit (10 listeners) | 57M | 73M 🏆 | 31M | 22M | | Large payloads (10KB) | 111M | 116M 🏆 | 40M | 19M |

Benchmarked with bun run bench:compare on Apple Silicon. Results vary by run.


🎯 Use Cases

| Use Case | Transport | Why CrossBus | |----------|-----------|--------------| | Micro-frontends | PostMessageTransport | Orchestrate cross-domain iframes with type-safe RPC | | Hybrid apps | NativeBridgeTransport | Bridge web ↔ native (iOS/Android) | | Web workers | MessageChannelTransport | Parallel processing with clean async APIs | | Multi-tab sync | BroadcastChannelTransport | Share state across browser tabs | | Service workers | ServiceWorkerTransport | Runtime network behavior modification | | Real-time collab | WebSocketTransport | Auto-reconnect, backpressure, streaming |


🛡️ Security Features You'll Actually Use

// Security is NOT optional—createSecure() enforces it
const hub = CrossBus.createSecure({
  allowedOrigins: ['https://trusted.com']  // ✅ No wildcards allowed
});

// Per-handler security controls
hub.handle('admin:delete', handler, {
  allowedPeers: ['admin-agent'],       // Only admin can call
  rateLimit: 10,                        // 10 calls/sec max
  validatePayload: (p) => p.id != null  // Custom validation
});

// Schema validation plugin
import { withSchemaValidation } from 'crossbus/plugins/schema-validation';

hub.handle('createUser', withSchemaValidation({
  type: 'object',
  required: ['name', 'email'],
  properties: {
    name: { type: 'string', minLength: 1 },
    email: { type: 'string', pattern: '^[^@]+@[^@]+$' }
  }
}, async (user) => createUser(user)));

Dev mode warnings alert you to insecure configurations before they reach production.


🤖 Built for Multi-Context Apps

CrossBus excels at coordinating complex browser applications:

Documentation for AI Assistants

| File | Purpose | |------|---------| | llms.txt | AI-optimized quick reference | | agent.json | A2A Agent Card manifest | | GEMINI.md | Google/Gemini instructions | | CLAUDE.md | Anthropic/Claude instructions | | docs/AGENTS.md | 1200+ lines multi-agent guide |


📡 7 Transport Types

| Transport | Use Case | Example | |-----------|----------|---------| | PostMessage | iframe ↔ parent | Chat widgets, embedded apps | | BroadcastChannel | Tab ↔ tab | Cart sync, notifications | | MessageChannel | Main ↔ worker | Heavy computation offload | | SharedWorker | Cross-tab state | Shared connection pool | | ServiceWorker | Offline-first | PWA sync | | NativeBridge | WebView ↔ Native | Mobile apps | | WebSocket | Browser ↔ Server | Real-time backend |


🔌 Plugin Ecosystem

// Encryption (AES-256-GCM)
import { withEncryption } from 'crossbus/plugins/encryption';
withEncryption(bus, await Encryption.deriveKey('password', 'salt'));

// Retry with exponential backoff
import { withRetry } from 'crossbus/plugins/retry';
withRetry(bus, { maxRetries: 3, baseDelay: 100 });

// Circuit breaker
import { createPeerCircuitBreaker } from 'crossbus/plugins/circuit-breaker';
const breaker = createPeerCircuitBreaker(bus, { failureThreshold: 5 });

// Compression for large payloads
import { withCompression } from 'crossbus/plugins/compression';
withCompression(bus, { threshold: 1024 });

// Rate limiting
import { withRateLimiter } from 'crossbus/plugins/rate-limiter';
withRateLimiter(bus, { maxRequests: 100, windowMs: 1000 });

// Batching for high-frequency updates
import { withBatching } from 'crossbus/plugins/batch';
withBatching(bus, { windowMs: 50, maxBatchSize: 100 });

🏢 Enterprise Ready

// Distributed tracing (OpenTelemetry-compatible)
import { Tracer, tracingPlugin } from 'crossbus/enterprise';
const tracer = new Tracer({ serviceName: 'hub' });
bus.addOutboundHook(tracingPlugin(tracer));

// Prometheus-compatible metrics
import { globalMetrics } from 'crossbus/enterprise';
console.log(globalMetrics.toPrometheus());

// Backpressure control
import { BackpressureController } from 'crossbus/enterprise';
const bp = new BackpressureController(bus, { highWaterMark: 1000 });

// Message versioning / migration
import { MessageVersioning } from 'crossbus/enterprise';
const versioning = new MessageVersioning();
versioning.registerMigration('user', 1, 2, (data) => ({ ...data, v2Field: true }));

📦 Bundle Size

| Export | Size (gzip) | |--------|-------------| | Full bundle | ~15 KB | | Core only | ~10 KB | | Nano emitter | 295 bytes |


🧪 Test Coverage

  1074 tests passing
  98.41% line coverage on core
  0 dependencies

📖 Documentation

  • AGENTS.md — Complete multi-agent infrastructure guide
  • API.md — Full API reference
  • SECURITY.md — Security features and best practices
  • examples/ — Machine-readable patterns

🚀 Get Started Now

npm install crossbus
import { CrossBus } from 'crossbus';

const bus = CrossBus.createSecure({
  peerId: 'my-app',
  allowedOrigins: ['https://myapp.com']
});

// You're ready to build something amazing.


License: Apache 2.0 © 2026