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

@miradorlabs/parallax-web

v2.3.1

Published

Parallax Web Client Side SDK

Downloads

688

Readme

Parallax Web Client SDK

Web browser SDK for the Parallax tracing platform. This package provides a browser-compatible client using gRPC-Web to interact with the Parallax Gateway API.

Installation

npm install @miradorlabs/parallax-web

Features

  • Auto-Flush Mode - Data automatically batches and sends after a configurable period of inactivity
  • Keep-Alive - Automatic periodic pings to maintain trace liveness (configurable interval)
  • Trace Lifecycle - Explicit close trace method with automatic cleanup
  • Fluent Builder Pattern - Method chaining for building traces
  • Browser-optimized - Automatic client metadata collection (browser, OS, etc.)
  • Blockchain Integration - Built-in support for correlating traces with blockchain transactions
  • TypeScript Support - Full type definitions included
  • Strict Ordering - Flush calls maintain strict ordering even when async

Quick Start (Auto-Flush - Default)

import { ParallaxClient } from '@miradorlabs/parallax-web';

const client = new ParallaxClient('your-api-key');

const trace = client.trace({ name: 'SwapExecution' })
  .addAttribute('from', '0xabc...')
  .addTags(['dex', 'swap'])
  .addEvent('quote_received');
// → CreateTrace sent after 50ms of inactivity

trace.addEvent('transaction_signed')
     .addTxHint('0xtxhash...', 'ethereum');
// → UpdateTrace sent after 50ms of inactivity

// You can still call flush() explicitly to send immediately
trace.addEvent('confirmed');
trace.flush();  // → UpdateTrace sent immediately

Manual Flush Mode

import { ParallaxClient } from '@miradorlabs/parallax-web';

const client = new ParallaxClient('your-api-key');

const trace = client.trace({ name: 'SwapExecution', autoFlush: false })
  .addAttribute('from', '0xabc...')
  .addTags(['dex', 'swap'])
  .addEvent('quote_received');

trace.flush();  // → CreateTrace

trace.addEvent('transaction_signed')
     .addTxHint('0xtxhash...', 'ethereum');

trace.flush();  // → UpdateTrace

Immediate Flush Mode

Set flushPeriodMs: 0 to flush immediately on every SDK call (no batching):

import { ParallaxClient } from '@miradorlabs/parallax-web';

const client = new ParallaxClient('your-api-key');

const trace = client.trace({ name: 'SwapExecution', flushPeriodMs: 0 })
  .addAttribute('from', '0xabc...');  // → CreateTrace sent immediately

trace.addEvent('transaction_signed'); // → UpdateTrace sent immediately
trace.addTxHint('0x...', 'ethereum'); // → UpdateTrace sent immediately

Keep-Alive & Trace Lifecycle

Automatic Keep-Alive

The SDK automatically sends keep-alive pings to the server every 10 seconds (configurable) to maintain trace liveness. This starts automatically after the first successful trace creation.

// Use default 10-second interval
const client = new ParallaxClient('your-api-key');

// Or customize the interval
const client = new ParallaxClient('your-api-key', {
  keepAliveIntervalMs: 15000  // Ping every 15 seconds
});

const trace = client.trace({ name: 'MyTrace' });
// Keep-alive starts automatically after first flush completes

Closing Traces

Always close traces when you're done to clean up resources and notify the server:

const trace = client.trace({ name: 'UserSession' });

// ... add events, attributes, etc ...

// Close when done
await trace.close('Session ended');

// All subsequent operations are ignored
trace.addEvent('ignored');  // Logs warning, does nothing

Best Practices:

  • Always call close() when you're done with a trace
  • Use try-catch blocks to ensure traces are closed even on errors
  • Provide a meaningful reason to help with debugging
const trace = client.trace({ name: 'CheckoutFlow' });

try {
  // ... trace user checkout flow ...
  await trace.close('Checkout completed');
} catch (error) {
  trace.addEvent('error', { message: error.message });
  await trace.close('Checkout failed');
}

Auto-Close on Page Unload

For browser-based applications, you can enable automatic trace closing when the user navigates away or closes the tab:

const trace = client.trace({
  name: 'UserSession',
  autoClose: true  // Automatically close on page unload
});

// Trace will automatically close with reason "Page unload" when:
// - User closes the tab/window
// - User navigates to a different page
// - Page is refreshed

Important Notes:

  • Auto-close uses the beforeunload event
  • The trace will be closed with the reason "Page unload"
  • You can still manually call close() before page unload
  • The event listener is automatically cleaned up when you manually close the trace

API Reference

ParallaxClient

The main client for interacting with the Parallax Gateway.

Constructor

new ParallaxClient(apiKey: string, options?: ParallaxClientOptions)

| Parameter | Type | Required | Description | |-----------|------|----------|-------------| | apiKey | string | Yes | API key for authentication (sent as x-parallax-api-key header) | | options | ParallaxClientOptions | No | Configuration options |

Options

interface ParallaxClientOptions {
  apiUrl?: string;              // Gateway URL (defaults to parallax-gateway-dev.mirador.org:443)
  keepAliveIntervalMs?: number; // Keep-alive ping interval in milliseconds (default: 10000)
}

Methods

trace(options?)

Creates a new trace builder.

const trace = client.trace({ name: 'MyTrace' });
const trace = client.trace({ name: 'MyTrace', autoFlush: false });
const trace = client.trace({ autoFlush: false, flushPeriodMs: 100 });

| Option | Type | Default | Description | |--------|------|---------|-------------| | name | string | undefined | Optional name of the trace | | autoFlush | boolean | true | Auto-flush after period of inactivity | | flushPeriodMs | number | 50 | Debounce period in ms (0 = immediate flush on every call) | | includeClientMeta | boolean | true | Include browser/OS metadata | | maxRetries | number | 3 | Maximum retry attempts on network failure | | retryBackoff | number | 1000 | Base delay in ms for exponential backoff (doubles each retry) | | autoClose | boolean | false | Automatically close trace on page unload |

Returns: ParallaxTrace builder instance

ParallaxTrace (Builder)

Fluent builder for constructing traces. All builder methods return this for chaining.

addAttribute(key, value)

Add a single attribute. Objects are automatically stringified.

trace.addAttribute('user', '0xabc...')
     .addAttribute('amount', 1.5)
     .addAttribute('config', { slippage: 50, deadline: 300 })  // stringified to JSON

addAttributes(attrs)

Add multiple attributes at once. Objects are automatically stringified.

trace.addAttributes({
  from: '0xabc...',
  to: '0xdef...',
  value: 1.0,
  metadata: { source: 'web', version: '1.0' }  // stringified to JSON
})

addTag(tag) / addTags(tags)

Add tags to categorize the trace.

trace.addTag('transaction')
     .addTags(['ethereum', 'send'])

addEvent(name, details?, timestamp?)

Add an event with optional details (string or object).

trace.addEvent('wallet_connected', { wallet: 'MetaMask' })
     .addEvent('transaction_initiated')
     .addEvent('transaction_confirmed', { blockNumber: 12345 })

addTxHint(txHash, chain, details?)

Add a transaction hash hint for blockchain correlation. Multiple hints can be added.

trace.addTxHint('0x123...', 'ethereum', 'Main transaction')
     .addTxHint('0x456...', 'polygon', 'Bridge transaction')

| Parameter | Type | Description | |-----------|------|-------------| | txHash | string | Transaction hash | | chain | ChainName | Chain name: 'ethereum' | 'polygon' | 'arbitrum' | 'base' | 'optimism' | 'bsc' | | details | string | Optional details about the transaction |

flush()

Flush pending data to the gateway. Fire-and-forget - returns immediately but maintains strict ordering.

  • First flush calls CreateTrace
  • Subsequent flushes call UpdateTrace
trace.flush();

Returns: void

getTraceId()

Get the trace ID (available after first flush completes).

const traceId = trace.getTraceId();  // string | null

close(reason?)

Close the trace and stop all timers (flush timer and keep-alive timer). After calling this method, all subsequent operations will be ignored.

await trace.close();
await trace.close('User completed workflow');

| Parameter | Type | Description | |-----------|------|-------------| | reason | string | Optional reason for closing the trace |

Returns: Promise<void>

Important: Once a trace is closed:

  • All method calls (addAttribute, addEvent, addTag, addTxHint, flush) will be ignored with a warning
  • The keep-alive timer will be stopped
  • A close request will be sent to the server

isClosed()

Check if the trace has been closed.

const closed = trace.isClosed();  // boolean

Complete Example: Transaction Tracking

import { ParallaxClient } from '@miradorlabs/parallax-web';

// Create client with custom keep-alive interval (optional)
const client = new ParallaxClient('your-api-key', {
  keepAliveIntervalMs: 15000  // Override default 10s interval
});

async function handleWalletTransaction(userAddress: string, recipientAddress: string, amount: string) {
  const trace = client.trace({ name: 'SendETH' })
    .addAttribute('from', userAddress)
    .addAttribute('to', recipientAddress)
    .addAttribute('value', amount)
    .addTags(['transaction', 'send', 'ethereum'])
    .addEvent('wallet_connected', { wallet: 'MetaMask' });
  // → CreateTrace sent automatically
  // → Keep-alive timer starts automatically

  trace.addEvent('user_signed');

  try {
    const receipt = await sendTransaction();

    trace.addEvent('transaction_sent', { txHash: receipt.hash })
         .addTxHint(receipt.hash, 'ethereum');
    // → UpdateTrace sent automatically

    // Close the trace when done
    await trace.close('Transaction completed successfully');
  } catch (error) {
    trace.addEvent('transaction_failed', { error: error.message });
    await trace.close('Transaction failed');
  }
}

Automatic Client Metadata Collection

When includeClientMeta: true is set (default), the SDK automatically collects:

| Metadata | Description | |----------|-------------| | client.browser | Chrome, Firefox, Safari, Edge | | client.browserVersion | Browser version number | | client.os | Windows, macOS, Linux, Android, iOS | | client.osVersion | Operating system version | | client.deviceType | desktop, mobile, or tablet | | client.userAgent | Full user agent string | | client.language | Primary browser language | | client.languages | All preferred languages (comma-separated) | | client.screenWidth / client.screenHeight | Screen dimensions | | client.viewportWidth / client.viewportHeight | Viewport dimensions | | client.colorDepth | Screen color depth | | client.pixelRatio | Device pixel ratio (for retina displays) | | client.cpuCores | Number of CPU cores | | client.deviceMemory | Device memory in GB (if available) | | client.touchSupport | Whether touch is supported | | client.connectionType | Network connection type (4g, 3g, wifi, etc.) | | client.cookiesEnabled | Whether cookies are enabled | | client.online | Whether browser is online | | client.doNotTrack | Do Not Track preference | | client.timezone | User's timezone | | client.timezoneOffset | Timezone offset from UTC | | client.url | Current page URL | | client.origin | Page origin | | client.pathname | Page pathname | | client.referrer | Page referrer | | client.documentVisibility | Document visibility state |

Note: IP address is captured by the backend from request headers.

TypeScript Support

Full TypeScript support with exported types:

import {
  ParallaxClient,
  ParallaxTrace,
  ParallaxClientOptions,
  TraceOptions,
  ChainName,  // 'ethereum' | 'polygon' | 'arbitrum' | 'base' | 'optimism' | 'bsc'
} from '@miradorlabs/parallax-web';

Browser Compatibility

This SDK uses modern browser APIs and is compatible with:

  • ES2020+
  • Fetch API
  • Promises
  • Modern browsers (Chrome, Firefox, Safari, Edge)

For older browsers, you may need polyfills.

Module Formats

The package provides multiple module formats:

  • ESM (dist/index.esm.js): For modern bundlers (Webpack, Vite, Rollup)
  • UMD (dist/index.umd.js): For browser globals and older module systems
  • TypeScript (dist/index.d.ts): Type definitions

Development

Building

npm run build

Testing

npm test
npm run test:watch
npm run test:coverage

Publishing

npm run release:patch  # 1.0.x
npm run release:minor  # 1.x.0
npm run release:major  # x.0.0

License

ISC

Author

@mirador