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

@paddle/partner-embeds-react

v1.1.1

Published

React bindings for partners to embed Paddle verification flows

Readme

@paddle/partner-embeds-react

React hooks for embedding Paddle flows (verification, etc.) into React applications. Wraps @paddle/partner-embeds with idiomatic React APIs that handle mounting, cleanup, and ref management automatically.

Installation

Both the core SDK and the React bindings are required:

npm install @paddle/partner-embeds @paddle/partner-embeds-react

Quick start

Verification flow

import { useRef } from 'react'
import { usePaddleVerification } from '@paddle/partner-embeds-react'

function VerificationForm({ token }: { token: string }) {
  const containerRef = useRef<HTMLDivElement>(null)

  usePaddleVerification({
    containerRef,
    token,
    environment: 'sandbox',
    prefill: {
      countryCode: 'US',
      annualRevenue: '100k_500k',
    },
    theme: { mode: 'light' },
    onReady: () => console.log('Loaded'),
    onStepChange: ({ step }) => console.log('Step:', step),
    onComplete: ({ id }) => console.log('Verified:', id),
    onClose: () => console.log('Closed'),
    onError: ({ code, message }) => console.error(code, message),
  })

  return <div ref={containerRef} />
}

The hook manages the full embed lifecycle — it mounts the iframe when the component mounts and destroys it on unmount. No manual cleanup is needed.

API reference

usePaddleVerification(options)

Embeds a Paddle verification flow into a React component.

Options

| Option | Type | Required | Description | | -------------- | -------------------------------- | -------- | ---------------------------------------------------------- | | containerRef | RefObject<HTMLElement \| null> | Yes | React ref to the DOM element that will contain the iframe. | | token | string | Yes | Verification token obtained from the Paddle API. | | environment | 'production' \| 'sandbox' | No | Defaults to 'production'. | | theme | { mode: 'light' \| 'dark' } | No | Controls the visual theme of the embedded UI. | | prefill | VerificationPrefillPayload | No | Pre-populate form fields (see below). |

Prefill options

| Field | Type | Description | | -------------------- | ---------------------------------------------------------------------------------- | --------------------------------------- | | countryCode | string | ISO country code (e.g. 'US', 'GB'). | | annualRevenue | 'not_yet_live' \| '0_100k' \| '100k_500k' \| '500k_3m' \| '3m_10m' \| '10m_plus' | Annual revenue bracket. | | businessType | 'individual' \| 'private' \| 'public' | Type of business entity. | | productDescription | string | Description of the product being sold. | | pricingPageUrl | string | URL to the pricing page. | | termsOfServiceUrl | string | URL to terms of service. | | privacyPolicyUrl | string | URL to privacy policy. | | refundPolicyUrl | string | URL to refund policy. |

Callbacks

onReady
onReady?: () => void

Fires when the iframe has loaded and is ready for interaction. Use this to hide loading states.

function Verification({ token }: { token: string }) {
  const containerRef = useRef<HTMLDivElement>(null)
  const [isLoading, setIsLoading] = useState(true)

  usePaddleVerification({
    containerRef,
    token,
    onReady: () => setIsLoading(false),
  })

  return (
    <>
      {isLoading && <Spinner />}
      <div ref={containerRef} />
    </>
  )
}
onStepChange
onStepChange?: (payload: { step: string; totalSteps?: number }) => void

Fires when the user navigates between steps. Use this for custom progress indicators.

function Verification({ token }: { token: string }) {
  const containerRef = useRef<HTMLDivElement>(null)
  const [currentStep, setCurrentStep] = useState<string>()

  usePaddleVerification({
    containerRef,
    token,
    onStepChange: ({ step, totalSteps }) => {
      setCurrentStep(step)
      console.log(`Step ${step}${totalSteps ? ` of ${totalSteps}` : ''}`)
    },
  })

  return (
    <>
      {currentStep && <p>Current step: {currentStep}</p>}
      <div ref={containerRef} />
    </>
  )
}
onComplete
onComplete?: (payload: { id?: string }) => void

Fires when the verification flow has been completed successfully. The id is the verification identifier. Use this to redirect the user or update your application state.

usePaddleVerification({
  containerRef,
  token,
  onComplete: ({ id }) => {
    navigate(`/dashboard?verified=${id}`)
  },
})
onClose
onClose?: () => void

Fires when the user closes or dismisses the verification flow before completing it.

usePaddleVerification({
  containerRef,
  token,
  onClose: () => {
    setShowVerification(false)
    toast('You can resume verification at any time.')
  },
})
onError
onError?: (payload: { code: string; message: string }) => void

Fires when an error occurs within the embed.

usePaddleVerification({
  containerRef,
  token,
  onError: ({ code, message }) => {
    console.error(`Paddle error [${code}]: ${message}`)
    setError(`Something went wrong: ${message}`)
  },
})
onResize
onResize?: (payload: { height: number }) => void

Fires when the embedded content changes height. The iframe is automatically resized, but you can use this if you need to adjust surrounding layout.

Return value

The hook returns an object with a send method for sending messages to the iframe:

const { send } = usePaddleVerification({ ... })

usePaddleEmbed(options) (advanced)

A lower-level hook for embedding any Paddle flow. Use this when you need full control over the embed path and messaging.

import { useRef } from 'react'
import { usePaddleEmbed } from '@paddle/partner-embeds-react'

function CustomEmbed() {
  const containerRef = useRef<HTMLDivElement>(null)

  const { send } = usePaddleEmbed({
    containerRef,
    embedPath: '/embed/some-flow',
    params: { id: 'abc_123' },
    environment: 'sandbox',
    theme: { mode: 'dark' },
    onReady: () => console.log('Ready'),
    onError: ({ code, message }) => console.error(code, message),
    onResize: ({ height }) => console.log('Height:', height),
    onMessage: (msg) => console.log('Message:', msg),
  })

  return <div ref={containerRef} />
}

Options

| Option | Type | Required | Description | | -------------- | -------------------------------- | -------- | ------------------------------------------- | | containerRef | RefObject<HTMLElement \| null> | Yes | React ref to the container element. | | embedPath | string | Yes | Path to the embed flow. | | params | Record<string, string> | No | Query parameters appended to the embed URL. | | environment | 'production' \| 'sandbox' | No | Defaults to 'production'. | | theme | { mode: 'light' \| 'dark' } | No | Controls the visual theme. |

Callbacks

| Callback | Payload | Description | | ----------- | ------------------------------------------------------ | ----------------------------------------------- | | onReady | — | Fires when the iframe is loaded and ready. | | onError | { code: string; message: string } | Fires on errors within the embed. | | onResize | { height: number } | Fires when the embedded content changes height. | | onMessage | { type: string; version: string; payload?: unknown } | Catch-all for any message from the iframe. |

Return value

const { send } = usePaddleEmbed({ ... })

// Send a message to the embedded iframe
send({ type: 'paddle:theme', version: '1.0', payload: { mode: 'dark' } })

Environments

| Environment | Base URL | | ------------------------ | ------------------------------------ | | 'production' (default) | https://vendors.paddle.com | | 'sandbox' | https://sandbox-vendors.paddle.com |