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

@multiplayer-app/session-recorder-react

v1.3.36

Published

Multiplayer Fullstack Session Recorder for React (browser wrapper)

Readme

Description

Multiplayer Session Recorder React

React bindings for the Multiplayer Full Stack Session Recorder.

Use this wrapper to wire the browser SDK into your React or Next.js application with idiomatic hooks, context helpers, and navigation tracking.

Installation

npm install @multiplayer-app/session-recorder-react @opentelemetry/api
# or
yarn add @multiplayer-app/session-recorder-react @opentelemetry/api

To get full‑stack session recording working, set up one of our backend SDKs/CLI apps:

Quick start

  1. Recommended: Call SessionRecorder.init(options) before you mount your React app to avoid losing any data.
  2. Wrap your application with the SessionRecorderProvider.
  3. Start or stop sessions using the widget or the provided hooks.

Minimal setup with manual initialization (Recommended)

// src/main.tsx or src/index.tsx app root
import React from 'react'
import ReactDOM from 'react-dom/client'
import App from './App'
import SessionRecorder, { SessionRecorderProvider } from '@multiplayer-app/session-recorder-react'

const sessionRecorderConfig = {
  version: '1.0.0',
  environment: 'production',
  application: 'my-react-app',
  apiKey: 'YOUR_MULTIPLAYER_API_KEY',
  // IMPORTANT: in order to propagate OTLP headers to a backend
  // domain(s) with a different origin, add backend domain(s) below.
  // e.g. if you serve your website from www.example.com
  // and your backend domain is at api.example.com set value as shown below:
  // format: string|RegExp|Array
  propagateTraceHeaderCorsUrls: [new RegExp('https://api.example.com', 'i')]
}

// Initialize the session recorder before mounting (Recommended)
SessionRecorder.init(sessionRecorderConfig)

ReactDOM.createRoot(document.getElementById('root')!).render(
  <SessionRecorderProvider>
    <App />
  </SessionRecorderProvider>
)

Behind the scenes, the provider sets up listeners and exposes helper APIs through React context and selectors.

Set session attributes to provide context for the session

Use session attributes to attach user context to recordings. The provided userName and userId will be visible in the Multiplayer sessions list and in the session details (shown as the reporter), making it easier to identify who reported or recorded the session.

import { useEffect } from 'react'
import SessionRecorder from '@multiplayer-app/session-recorder-react'
//... your code

const MyComponent = () => {
  useEffect(() => {
    SessionRecorder.setSessionAttributes({
      userId: '12345', // replace with your user id
      userName: 'John Doe' // replace with your user name
    })
  }, [])

  //... your code
}

//... your code

Using without the built‑in widget (imperative‑only)

If you prefer not to render our floating widget, disable it and rely purely on the imperative hooks. Use the context hook when you need imperative control (for example, to bind to buttons or QA tooling) as shown in the example below:

import SessionRecorder, { SessionRecorderProvider } from '@multiplayer-app/session-recorder-react'

// Initialize without the built‑in widget
SessionRecorder.init({
  application: 'my-react-app',
  version: '1.0.0',
  environment: 'production',
  apiKey: 'YOUR_MULTIPLAYER_API_KEY',
  showWidget: false // hide the built-in widget
})

// Wrap your app with the provider to enable hooks/context
<SessionRecorderProvider>
  <App />
</SessionRecorderProvider>

Conditional controls with state (recommended UX)

Create your own UI and wire it to the hook methods. Render only the relevant actions based on the current session state (e.g., show Stop only when recording is started):

import React from 'react'
import { useSessionRecorder, useSessionRecordingState, SessionState, SessionType } from '@multiplayer-app/session-recorder-react'

export function SmartSessionControls() {
  const { startSession, stopSession, pauseSession, resumeSession } = useSessionRecorder()
  const sessionState = useSessionRecordingState()

  const isStarted = sessionState === SessionState.started
  const isPaused = sessionState === SessionState.paused

  return (
    <div>
      {/* Idle state: allow starting */}
      {!isStarted && !isPaused && (
        <>
          <button onClick={() => startSession()}>Start</button>
          <button onClick={() => startSession(SessionType.CONTINUOUS)}>Start Continuous</button>
        </>
      )}

      {/* Started state: allow pause or stop */}
      {isStarted && (
        <>
          <button onClick={() => pauseSession()}>Pause</button>
          <button onClick={() => stopSession('Finished recording')}>Stop</button>
        </>
      )}

      {/* Paused state: allow resume or stop */}
      {isPaused && (
        <>
          <button onClick={() => resumeSession()}>Resume</button>
          <button onClick={() => stopSession('Finished recording')}>Stop</button>
        </>
      )}
    </div>
  )
}

Reading recorder state with selectors

The package ships a lightweight observable store that mirrors the browser SDK. Use the selectors to drive UI state without forcing rerenders on unrelated updates.

import React from 'react'
import {
  useSessionRecordingState,
  useSessionType,
  useIsInitialized,
  SessionState,
  SessionType
} from '@multiplayer-app/session-recorder-react'

export function RecorderStatusBanner() {
  const isReady = useIsInitialized()
  const sessionState = useSessionRecordingState()
  const sessionType = useSessionType()

  if (!isReady) {
    return <span>Session recorder initializing…</span>
  }

  return (
    <span>
      State: {sessionState ?? SessionState.stopped} | Mode: {sessionType ?? SessionType.MANUAL}
    </span>
  )
}

Recording navigation in React apps

The Session Recorder React package includes a useNavigationRecorder hook that forwards router changes to the shared navigation recorder. Attach it inside your routing layer to correlate screen changes with traces and replays.

// React Router v7/v6
import { useLocation, useNavigationType } from 'react-router-dom'
import { useNavigationRecorder } from '@multiplayer-app/session-recorder-react'

export function NavigationTracker() {
  const location = useLocation()
  const navigationType = useNavigationType()

  useNavigationRecorder(location.pathname, {
    navigationType,
    params: location.state as Record<string, unknown> | undefined
  })

  return null
}
// React Router v5 (older)
import { useLocation, useHistory } from 'react-router-dom'
import { useNavigationRecorder } from '@multiplayer-app/session-recorder-react'

export function NavigationTrackerLegacy() {
  const location = useLocation()
  const history = useHistory()

  // PUSH | REPLACE | POP => push | replace | pop
  const navigationType = (history.action || 'PUSH').toLowerCase()

  useNavigationRecorder(location.pathname, {
    navigationType,
    params: location.state as Record<string, unknown> | undefined
  })

  return null
}

Advanced navigation metadata

useNavigationRecorder accepts an options object allowing you to override the detected path, attach custom routeName, include query params, or disable document title capture. For full control you can call SessionRecorder.navigation.record({ ... }) directly using the shared browser instance exported by this package.

Configuration reference

The options passed to SessionRecorder.init(...) are forwarded to the underlying browser SDK. Refer to the browser README for the full option list, including:

  • application, version, environment, apiKey
  • showWidget, showContinuousRecording
  • recordNavigation, recordCanvas, recordGestures
  • propagateTraceHeaderCorsUrls, ignoreUrls
  • masking, captureBody, captureHeaders
  • maxCapturingHttpPayloadSize and other advanced HTTP controls

Any time recordNavigation is enabled, the browser SDK will emit OpenTelemetry navigation spans and keep an in-memory stack of visited routes. You can access the navigation helpers through SessionRecorder.navigation if you need to introspect from React components.

Capturing exceptions in React apps

The browser SDK auto‑captures uncaught errors and unhandled promise rejections. In React apps you’ll typically also want an Error Boundary to catch render errors and report them. This package ships a ready‑to‑use boundary and also shows how to wire React 18/19 root error callbacks.

Using the built‑in error boundary

import React from 'react'
import { ErrorBoundary } from '@multiplayer-app/session-recorder-react'

export function AppWithBoundary() {
  return (
    <ErrorBoundary fallback={<div>Something went wrong</div>}>
      <App />
    </ErrorBoundary>
  )
}

The boundary calls SessionRecorder.captureException(error) internally and renders the provided fallback on error.

Custom boundary (if you need full control)

import React from 'react'
import SessionRecorder from '@multiplayer-app/session-recorder-react'

class MyErrorBoundary extends React.Component<{ children: React.ReactNode }, { hasError: boolean }> {
  state = { hasError: false }
  static getDerivedStateFromError() {
    return { hasError: true }
  }
  componentDidCatch(error: unknown, errorInfo?: Record<string, any>) {
    SessionRecorder.captureException(error as any, errorInfo)
  }
  render() {
    return this.state.hasError ? <h1>Oops.</h1> : this.props.children
  }
}

React 18/19 root error hooks

React 19 adds onUncaughtError and onCaughtError to createRoot options (along with onRecoverableError that exists in 18/19). You can wire all three to SessionRecorder.captureException similar to Sentry’s handler:

import React from 'react'
import ReactDOM from 'react-dom/client'
import SessionRecorder from '@multiplayer-app/session-recorder-react'
import App from './App'

SessionRecorder.init({
  /* ... your config ... */
})

const container = document.getElementById('root')!

const root = ReactDOM.createRoot(container, {
  // React 19: thrown and not caught by an Error Boundary
  onUncaughtError(error, errorInfo) {
    SessionRecorder.captureException(error, { componentStack: errorInfo?.componentStack })
  },
  // React 19: caught by an Error Boundary
  onCaughtError(error, errorInfo) {
    SessionRecorder.captureException(error, { componentStack: errorInfo?.componentStack })
  },
  // React 18/19: recoverable runtime errors
  onRecoverableError(error) {
    SessionRecorder.captureException(error)
  }
})

root.render(<App />)

Notes:

  • Uncaught errors and unhandled promise rejections are captured automatically by the SDK.
  • Error Boundary + root callbacks give the richest context (component stack via errorInfo.componentStack).
  • In Continuous mode, captured exceptions set span status ERROR and auto‑save the rolling session window.

Next.js integration tips

  • Initialize the provider in a Client Component (for example app/providers.tsx) because the browser SDK requires window.
  • In the App Router, render the SessionRecorderProvider at the top of app/layout.tsx and add the NavigationTracker component inside your root layout so every route change is captured.
  • If your frontend calls APIs on different origins, set propagateTraceHeaderCorsUrls so backend traces correlate correctly.

Next.js 15.3+ (App Router) — instrumentation-client.ts

Next.js 15.3+ adds client-side instrumentation via src/instrumentation-client.ts, which runs before hydration. Initialize the recorder at top-level and optionally export onRouterTransitionStart for navigation tracking. See the official docs: instrumentation-client.ts.

  1. Create src/instrumentation-client.ts:
import SessionRecorder from '@multiplayer-app/session-recorder-react'

// Initialize as early as possible (before hydration)
try {
  SessionRecorder.init({
    application: 'my-next-app',
    version: '1.0.0',
    environment: process.env.NEXT_PUBLIC_ENVIRONMENT ?? 'production',
    apiKey: process.env.NEXT_PUBLIC_MULTIPLAYER_API_KEY!,
    showWidget: true,
    // If your APIs are on different origins, add them so OTLP headers are propagated
    // format: string | RegExp | Array
    propagateTraceHeaderCorsUrls: [new RegExp('https://api.example.com', 'i')]
  })
} catch (error) {
  // Keep instrumentation resilient
  console.warn('[SessionRecorder] init failed in instrumentation-client:', error)
}

// Optional: Next.js will call this when navigation begins
export function onRouterTransitionStart(url: string, navigationType: 'push' | 'replace' | 'traverse') {
  try {
    SessionRecorder.navigation.record({
      path: url || '/',
      navigationType,
      framework: 'nextjs',
      source: 'instrumentation-client'
    })
  } catch (error) {
    console.warn('[SessionRecorder] navigation record failed:', error)
  }
}

Notes:

  • Use NEXT_PUBLIC_ environment variables for values needed on the client (e.g. NEXT_PUBLIC_MULTIPLAYER_API_KEY).
  • instrumentation-client.ts ensures initialization happens before your UI mounts; the provider is still required to wire React context and hooks.
  • You can rely on onRouterTransitionStart for navigation tracking in Next.js 15.3+.

Next.js < 15.3

An official Next.js-specific wrapper is coming soon. Until then, you can use this package safely in Next.js by:

  1. Initializing in a Client Component (client-only with dynamic imports)
'use client'
import React, { useEffect } from 'react'
import dynamic from 'next/dynamic'

const SessionRecorderProvider = dynamic(
  () => import('@multiplayer-app/session-recorder-react').then((m) => m.SessionRecorderProvider),
  { ssr: false }
)

export function Providers({ children }: { children: React.ReactNode }) {
  useEffect(() => {
    if (typeof window === 'undefined') return
    let isMounted = true
    const initSessionRecorder = async () => {
      try {
        const { default: SessionRecorder } = await import('@multiplayer-app/session-recorder-react')
        if (!isMounted) return
        SessionRecorder.init({
          application: 'my-next-app',
          version: '1.0.0',
          environment: process.env.NEXT_PUBLIC_ENVIRONMENT ?? 'production',
          apiKey: process.env.NEXT_PUBLIC_MULTIPLAYER_API_KEY!,
          showWidget: true,
          // If your APIs are on different origins, add them so OTLP headers are propagated
          // format: string | RegExp | Array
          propagateTraceHeaderCorsUrls: [new RegExp('https://api.example.com', 'i')]
        })
      } catch (error) {
        console.error('Failed to initialize session recorder', error)
      }
    }
    initSessionRecorder()
    return () => {
      isMounted = false
    }
  }, [])
  return <SessionRecorderProvider>{children}</SessionRecorderProvider>
}
  1. Wire it in src/app/layout.tsx
import React from 'react'
import dynamic from 'next/dynamic'

// Render provider client-only as a belt-and-suspenders against SSR
const Providers = dynamic(() => import('./providers').then((m) => m.Providers), { ssr: false })

export default function RootLayout({ children }: { children: React.ReactNode }) {
  return (
    <html lang='en'>
      <body>
        <Providers>{children}</Providers>
      </body>
    </html>
  )
}
  1. Tracking navigation (App Router)
'use client'
import { usePathname, useSearchParams } from 'next/navigation'
import { useNavigationRecorder } from '@multiplayer-app/session-recorder-react'

export function NavigationTracker() {
  const pathname = usePathname()
  const searchParams = useSearchParams()

  // Convert search params to an object for richer metadata
  const params = Object.fromEntries(searchParams?.entries?.() ?? [])

  // Hook records whenever pathname changes (query changes included via params)
  useNavigationRecorder(pathname || '/', {
    params,
    framework: 'nextjs',
    source: 'next/navigation'
  })

  return null
}
  1. Tracking navigation (Pages Router, older)
'use client'
import { useRouter } from 'next/router'
import { useNavigationRecorder } from '@multiplayer-app/session-recorder-react'

export function NavigationTrackerLegacy() {
  const { asPath, query } = useRouter()
  const pathname = asPath.split('?')[0]

  useNavigationRecorder(pathname, {
    params: query,
    framework: 'nextjs',
    source: 'next/router'
  })

  return null
}

Important: Client Components only (Next.js)

When using this package in Next.js App Router, ensure any code that uses Session Recorder hooks or APIs runs in a Client Component.

  • Hooks and selectors such as useSessionRecorder, useSessionRecordingState, useIsInitialized, and useNavigationRecorder must be called from files that start with 'use client'.
  • Any direct usage of SessionRecorder.* that touches the browser SDK must also run on the client.
  • Render SessionRecorderProvider from a Client Component.

Example: Reading session state in a Client Component

'use client'
import React from 'react'
import { useSessionRecordingState, SessionState } from '@multiplayer-app/session-recorder-react'

export default function SessionStatus() {
  const state = useSessionRecordingState()
  return <span>Session state: {state ?? SessionState.stopped}</span>
}

TypeScript support

All hooks and helpers ship with TypeScript types. To extend the navigation metadata, annotate the params or metadata properties in your own app code. The package re-exports all relevant browser SDK types for convenience.

Troubleshooting

  • Ensure the provider wraps your entire component tree so context hooks resolve.
  • Confirm SessionRecorder.init runs only once and before your app mounts.
  • Ensure the session recorder required options are passed and the API key is valid.
  • For SSR environments, guard any direct document or window usage behind typeof window !== 'undefined' checks (the helper hooks already do this).

License

Distributed under the MIT License.