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

fumadocs-pdf-export

v1.3.0

Published

PDF export plugin for Fumadocs documentation sites

Readme

fumadocs-pdf-export

PDF export plugin for documentation sites. Works with Fumadocs, Docusaurus, Nextra, and other frameworks.

Features

  • Single-page PDF export (no page breaks)
  • Automatic accordion/collapsible expansion
  • Lazy image loading support
  • Cookie forwarding for authenticated pages
  • Configurable selectors for different frameworks
  • Pre-built presets for popular doc frameworks
  • CLI for pre-rendering PDFs at build time (no runtime Chromium needed)
  • Manifest-based static serving — works on Vercel, Netlify, any static host

Installation

Install from npm:

npm install fumadocs-pdf-export puppeteer
# or
pnpm add fumadocs-pdf-export puppeteer
# or
yarn add fumadocs-pdf-export puppeteer

Or install from GitHub:

pnpm add github:sebastianhuus/fumadocs-pdf-export puppeteer

Note: Puppeteer is a peer dependency and must be installed separately. It will download Chromium (~300MB) on install.

Quick Start (Fumadocs)

1. Create the API route

// app/api/export-pdf/route.ts
import { createPdfExportHandler } from 'fumadocs-pdf-export';

export const GET = createPdfExportHandler();

2. Import print styles

/* app/global.css */
@import 'fumadocs-pdf-export/styles/print.css';

3. Add the export button

Basic Usage (Standalone Button)

// app/docs/[[...slug]]/page.tsx
import { FumadocsExportButton } from 'fumadocs-pdf-export/components';

export default async function Page(props: PageProps<'/docs/[[...slug]]'>) {
  const params = await props.params;
  const page = source.getPage(params.slug);

  return (
    <DocsPage toc={page.data.toc}>
      <DocsTitle>{page.data.title}</DocsTitle>
      <DocsDescription>{page.data.description}</DocsDescription>

      <div className="flex justify-end print-hidden">
        <FumadocsExportButton />
      </div>

      <DocsBody>
        <MDX components={getMDXComponents()} />
      </DocsBody>
    </DocsPage>
  );
}

Recommended: Integrated Action Bar

For a more cohesive UI, integrate the PDF export button with other page actions:

// app/docs/[[...slug]]/page.tsx
import { FumadocsExportButton } from 'fumadocs-pdf-export/components';
import { LLMCopyButton, ViewOptions } from '@/components/ai/page-actions';

export default async function Page(props: PageProps<'/docs/[[...slug]]'>) {
  const params = await props.params;
  const page = source.getPage(params.slug);

  return (
    <DocsPage toc={page.data.toc}>
      <DocsTitle>{page.data.title}</DocsTitle>
      <DocsDescription className="mb-0">{page.data.description}</DocsDescription>

      {/* Integrated action bar with all page actions */}
      <div className="flex flex-row gap-2 items-center border-b pb-6 print-hidden">
        <FumadocsExportButton />
        <LLMCopyButton markdownUrl={`${page.url}.mdx`} />
        <ViewOptions
          markdownUrl={`${page.url}.mdx`}
          githubUrl={`https://github.com/user/repo/blob/main/content/docs/${page.path}`}
        />
      </div>

      <DocsBody>
        <MDX components={getMDXComponents()} />
      </DocsBody>
    </DocsPage>
  );
}

This creates a unified action bar where all page actions are grouped together with consistent spacing and styling.

4. Configure Next.js (required for pnpm)

If using pnpm, add this to your next.config.js to prevent Turbopack warnings:

// next.config.js
const nextConfig = {
  serverExternalPackages: ['puppeteer'],
};

module.exports = nextConfig;

Static PDF Generation (CLI)

For platforms that can't run Chromium at runtime (Vercel, Netlify, etc.), you can pre-render PDFs at build time and serve them as static files.

1. Generate PDFs locally

Start your dev server, then run the CLI:

# Discover pages from sitemap.xml
npx fumadocs-pdf generate --url http://localhost:3000 --sitemap

# Or specify pages explicitly
npx fumadocs-pdf generate --url http://localhost:3000 --paths /docs,/docs/getting-started,/docs/api

This outputs PDFs and a manifest.json to ./public/pdfs/ (configurable with --out).

Tip: Add a script to your package.json for convenience:

{
  "scripts": {
    "generate:pdfs": "fumadocs-pdf generate --url http://localhost:3000 --sitemap"
  }
}

Then run with pnpm generate:pdfs (or npm run generate:pdfs).

2. Use the manifest-based ExportButton

// Static PDFs only (hides button if no PDF available)
<FumadocsExportButton
  manifestPath="/pdfs/manifest.json"
  apiPath={null}
  hideWhenUnavailable
/>

// Static with live fallback (tries manifest first)
<FumadocsExportButton manifestPath="/pdfs/manifest.json" />

// Live only (existing behavior, unchanged)
<FumadocsExportButton />

3. Automate with GitHub Actions

Add this workflow to regenerate PDFs on every push:

# .github/workflows/generate-pdfs.yml
name: Generate PDFs
on:
  push:
    branches: [main]
    paths: ['content/**']

jobs:
  pdfs:
    runs-on: ubuntu-latest
    steps:
      - uses: actions/checkout@v4
      - uses: pnpm/action-setup@v4
      - uses: actions/setup-node@v4
        with:
          node-version: 20
          cache: pnpm
      - run: pnpm install
      - run: pnpm build
      - run: pnpm start &
      - run: sleep 5
      - run: npx fumadocs-pdf generate --url http://localhost:3000 --sitemap
      - uses: stefanzweifel/git-auto-commit-action@v5
        with:
          commit_message: 'chore: update generated PDFs'
          file_pattern: 'public/pdfs/*'

CLI Options

| Option | Default | Description | |--------|---------|-------------| | --url <url> | (required) | Base URL of the running dev server | | --out <dir> | ./public/pdfs | Output directory for PDFs and manifest | | --preset <name> | fumadocs | Preset: fumadocs, docusaurus, nextra | | --paths <paths> | - | Comma-separated list of URL paths to export | | --sitemap | - | Discover pages from /sitemap.xml | | --cookies <cookies> | - | Cookies to send with each request ("name=value; name2=value2") |

Authenticated / Internal Sites

By default, PDFs are written to ./public/pdfs/ which is publicly accessible. For internal sites with authentication, output to a non-public directory and serve via an authenticated API route:

fumadocs-pdf generate --url http://localhost:3000 --sitemap --out ./pdfs --cookies "session=abc123"

Then create an API route that checks auth before serving:

// app/api/pdfs/[slug]/route.ts
import { readFileSync } from 'node:fs';
import { join } from 'node:path';

export async function GET(request: Request, { params }: { params: { slug: string } }) {
  // Your auth check here
  const pdf = readFileSync(join(process.cwd(), 'pdfs', `${params.slug}.pdf`));
  return new Response(pdf, {
    headers: { 'Content-Type': 'application/pdf' },
  });
}

Point the button at the API route instead of using manifest mode:

<ExportButton apiPath="/api/pdfs" />

Configuration

Using Presets

import { createPdfExportHandler } from 'fumadocs-pdf-export';

// Fumadocs (default)
export const GET = createPdfExportHandler('fumadocs');

// Docusaurus
export const GET = createPdfExportHandler('docusaurus');

// Nextra
export const GET = createPdfExportHandler('nextra');

Custom Options

import { createPdfExportHandler } from 'fumadocs-pdf-export';

export const GET = createPdfExportHandler({
  // CSS selector for main content
  contentSelector: 'article',

  // Elements to remove from PDF
  removeSelectors: ['#sidebar', '.toc', 'nav', '.print-hidden'],

  // Accordion handling
  expandAccordions: true,
  accordionTriggerSelectors: ['button[data-state="closed"]'],
  accordionContentSelectors: ['[data-radix-accordion-content]'],

  // Lazy image handling
  triggerLazyImages: true,

  // PDF dimensions
  pageWidth: 850,
  margins: { top: 30, right: 30, bottom: 30, left: 30 },

  // Puppeteer options
  timeout: 30000,
  puppeteerOptions: {
    headless: true,
  },

  // Custom page transformation (runs in browser context)
  beforePdfGeneration: `
    document.querySelectorAll('.custom-element').forEach(el => el.remove());
  `,
});

Components

FumadocsExportButton

Pre-styled button that matches Fumadocs design system with consistent sizing and colors:

import { FumadocsExportButton } from 'fumadocs-pdf-export/components';

<FumadocsExportButton
  onExportSuccess={() => toast.success('PDF downloaded!')}
/>

Styling details:

  • Uses Fumadocs buttonVariants with color: 'secondary' and size: 'sm'
  • Includes printer icon (normal state) and spinning loader (loading state)
  • Matches the styling of other Fumadocs UI components
  • Shows "Export PDF" text with "Generating..." during export

Integration tip: Place it alongside other action buttons (like LLMCopyButton, ViewOptions) in a unified action bar:

<div className="flex flex-row gap-2 items-center border-b pb-6 print-hidden">
  <FumadocsExportButton />
  <LLMCopyButton markdownUrl={`${page.url}.mdx`} />
  <ViewOptions markdownUrl={`${page.url}.mdx`} githubUrl="..." />
</div>

Important: Always add print-hidden class to the action bar to prevent it from appearing in the PDF export.

ExportButton

Unstyled base button component for complete custom styling:

import { ExportButton } from 'fumadocs-pdf-export/components';

<ExportButton
  apiPath="/api/export-pdf"
  className="my-custom-button"
  title="Download PDF"
  filename="my-document"
  onExportStart={() => console.log('Starting...')}
  onExportSuccess={() => toast.success('Downloaded!')}
  onExportError={(err) => toast.error(err.message)}
>
  <DownloadIcon /> Export as PDF
</ExportButton>

Use this when you need full control over styling or want to match a custom design system.

API Reference

createPdfExportHandler(options?)

Creates a Next.js API route handler for PDF generation.

Parameters:

  • options - Configuration object or preset name ('fumadocs' | 'docusaurus' | 'nextra')

Returns: Next.js GET route handler

PdfExportOptions

| Option | Type | Default | Description | |--------|------|---------|-------------| | contentSelector | string | 'article' | CSS selector for main content | | removeSelectors | string[] | ['#nd-sidebar', ...] | Elements to remove | | expandAccordions | boolean | true | Expand accordions before PDF | | triggerLazyImages | boolean | true | Scroll to load lazy images | | pageWidth | number | 850 | PDF width in pixels | | margins | object | {top:30,...} | PDF margins | | timeout | number | 30000 | Navigation timeout (ms) | | puppeteerOptions | LaunchOptions | {} | Puppeteer launch options | | beforePdfGeneration | string | - | Custom JS to run before PDF |

ExportButtonProps

| Prop | Type | Default | Description | |------|------|---------|-------------| | apiPath | string \| null | '/api/export-pdf' | API endpoint for live generation. Set to null to disable | | manifestPath | string | - | Path to manifest.json for static PDFs | | hideWhenUnavailable | boolean | false | Hide button when no PDF exists (manifest-only mode) | | className | string | - | CSS classes | | children | ReactNode | - | Button content | | title | string | 'Export as PDF' | Button tooltip | | filename | string | - | Custom filename | | disabled | boolean | false | Disable button | | onExportStart | () => void | - | Called on export start | | onExportSuccess | () => void | - | Called on success | | onExportError | (Error) => void | - | Called on error |

Print Styles

The package includes print-optimized CSS that:

  • Hides navigation, sidebars, and TOC
  • Expands all accordions and collapsibles
  • Shows all tab panel content
  • Handles code block wrapping
  • Prevents page breaks inside elements

Import in your global CSS:

@import 'fumadocs-pdf-export/styles/print.css';

Fixing Page Break Issues

The built-in print styles handle headings, images, code blocks, blockquotes, and Fumadocs callouts. If you have custom components that break across pages, add break-inside: avoid in your own CSS:

@media print {
  /* Prevent your custom component from splitting across pages */
  .my-component {
    break-inside: avoid;
    page-break-inside: avoid;
  }
}

Common causes of unwanted page breaks:

  • Custom card/callout components — any container with a visible border or background will look broken when split across pages. Fix with break-inside: avoid.
  • Step/timeline components — project-specific step containers (e.g. .fes-step) need break-inside: avoid added in your local CSS.
  • Tall elementsbreak-inside: avoid on a very tall element will push it to the next page entirely, potentially leaving a large gap. If the element can be taller than a page, don't use break-inside: avoid on it — let it split naturally.

Troubleshooting

Puppeteer fails to launch

On Linux servers, you may need additional dependencies:

apt-get install -y chromium-browser

Or use puppeteer-core with a system Chrome:

export const GET = createPdfExportHandler({
  puppeteerOptions: {
    executablePath: '/usr/bin/chromium-browser',
  },
});

PDF is blank or missing content

  1. Ensure contentSelector matches your content container
  2. Check that lazy images are loading (increase timeout if needed)
  3. Verify accordions are being expanded

pnpm warnings about puppeteer

If you see "Package puppeteer can't be external" warnings with pnpm:

  1. Ensure puppeteer is installed as a direct dependency (not just via fumadocs-pdf-export)
  2. Add serverExternalPackages: ['puppeteer'] to your next.config.js (see Quick Start step 4)
  3. If using pnpm-workspace.yaml, add puppeteer to onlyBuiltDependencies:
onlyBuiltDependencies:
  - puppeteer

Authentication issues

The handler forwards cookies automatically. For complex auth:

  1. Ensure cookies are set on the same domain
  2. Check for __Host- or __Secure- prefixed cookies

License

MIT