Skip to content

How to optimize package bundling

Source URL: https://nextjs.org/docs/pages/guides/package-bundling

Bundling is the process of combining your application code and its dependencies into optimized output files for the client and server. Smaller bundles load faster, reduce JavaScript execution time, improve Core Web Vitals, and lower server cold start times.

Next.js automatically optimizes bundles by code splitting, tree-shaking, and other techniques. However, there are some cases where you may need to optimize your bundles manually.

There are two tools for analyzing your application’s bundles:

This guide will walk you through how to use each tool and how to optimize large bundles.

Available in v16.1 and later. You can share feedback in the dedicated GitHub discussion and view the demo at turbopack-bundle-analyzer-demo.vercel.sh.

The Next.js Bundle Analyzer is integrated with Turbopack’s module graph. You can inspect server and client modules with precise import tracing, making it easier to find large dependencies. Open the interactive Bundle Analyzer demo to explore the module graph.

To get started, run the following command and open up the interactive view in your browser.

Terminal window
npx next experimental-analyze
Terminal window
yarn next experimental-analyze
Terminal window
pnpm next experimental-analyze
Terminal window
bunx next experimental-analyze

Within the UI, you can filter by route, environment (client or server), and type (JavaScript, CSS, JSON), or search by file:

The treemap shows each module as a rectangle. Where the size of the module is represented by the area of the rectangle.

Click a module to see its size, inspect its full import chain and see exactly where it’s used in your application:

Image description missing

Step 4: Write output to disk for sharing or diffing

Section titled “Step 4: Write output to disk for sharing or diffing”

If you want to share the analysis with teammates or compare bundle sizes before/after optimizations, you can skip the interactive view and save the analysis as a static file with the --output flag:

Terminal window
npx next experimental-analyze --output
Terminal window
yarn next experimental-analyze --output
Terminal window
pnpm next experimental-analyze --output
Terminal window
bunx next experimental-analyze --output

This command writes the output to .next/diagnostics/analyze. You can copy this directory elsewhere to compare results:

Terminal window
cp -r .next/diagnostics/analyze ./analyze-before-refactor

More options are available for the Bundle Analyzer, see Next.js CLI reference docs for the full list.

The @next/bundle-analyzer is a plugin that helps you manage the size of your application bundles. It generates a visual report of the size of each package and their dependencies. You can use the information to remove large dependencies, split, or lazy-load your code.

Install the plugin by running the following command:

Terminal window
pnpm add @next/bundle-analyzer
Terminal window
npm install @next/bundle-analyzer
Terminal window
yarn add @next/bundle-analyzer
Terminal window
bun add @next/bundle-analyzer

Then, add the bundle analyzer’s settings to your next.config.js.

/** @type {import('next').NextConfig} */
const nextConfig = {}
const withBundleAnalyzer = require('@next/bundle-analyzer')({
enabled: process.env.ANALYZE === 'true',
})
module.exports = withBundleAnalyzer(nextConfig)

Run the following command to analyze your bundles:

Terminal window
ANALYZE=true npm run build
# or
ANALYZE=true yarn build
# or
ANALYZE=true pnpm build

The report will open three new tabs in your browser, which you can inspect.

Once you’ve identified a large module, the solution will depend on your use case. Below are common causes and how to fix them:

If you’re using a package that exports hundreds of modules (such as icon and utility libraries), you can optimize how those imports are resolved using the optimizePackageImports option in your next.config.js file. This option will only load the modules you actually use, while still giving you the convenience of writing import statements with many named exports.

/** @type {import('next').NextConfig} */
const nextConfig = {
experimental: {
optimizePackageImports: ['icon-library'],
},
}
module.exports = nextConfig

Good to know: Next.js also optimizes some libraries automatically, thus they do not need to be included in the optimizePackageImports list. See the full list of supported packages.

A common cause of large client bundles is doing expensive rendering work in Client Components. This often happens with libraries that exist only to transform data into UI, such as syntax highlighting, chart rendering, or markdown parsing.

If that work does not require browser APIs or user interaction, it can be run in a Server Component.

In this example, a prism based highlighter runs in a Client Component. Even though the final output is just a <code> block, the entire highlighting library is bundled into the client JavaScript bundle:

'use client'
import Highlight from 'prism-react-renderer'
import theme from 'prism-react-renderer/themes/github'
export default function Page() {
const code = `export function hello() {
console.log("hi")
}`
return (
<article>
<h1>Blog Post Title</h1>
{/* The prism package and its tokenization logic are shipped to the client */}
<Highlight code={code} language="tsx" theme={theme}>
{({ className, style, tokens, getLineProps, getTokenProps }) => (
<pre className={className} style={style}>
<code>
{tokens.map((line, i) => (
<div key={i} {...getLineProps({ line })}>
{line.map((token, key) => (
<span key={key} {...getTokenProps({ token })} />
))}
</div>
))}
</code>
</pre>
)}
</Highlight>
</article>
)
}

This increases bundle size because the client must download and execute the highlighting library, even though the result is static HTML.

Instead, move the highlighting logic to a Server Component and render the final HTML on the server. The client will only receive the rendered markup.

import { codeToHtml } from 'shiki'
export default async function Page() {
const code = `export function hello() {
console.log("hi")
}`
// The Shiki package runs on the server and is never bundled for the client.
const highlightedHtml = await codeToHtml(code, {
lang: 'tsx',
theme: 'github-dark',
})
return (
<article>
<h1>Blog Post Title</h1>
{/* Client receives plain markup */}
<pre>
<code dangerouslySetInnerHTML={{ __html: highlightedHtml }} />
</pre>
</article>
)
}

External packages that aren’t pre-bundled

Section titled “External packages that aren’t pre-bundled”

By default, packages imported into your application are not bundled. This can impact performance if external packages are not pre-bundled, for example, if imported from a monorepo or node_modules.

To bundle specific packages, you can use the transpilePackages option in your next.config.js.

/** @type {import('next').NextConfig} */
const nextConfig = {
transpilePackages: ['package-name'],
}
module.exports = nextConfig

To automatically bundle all packages, you can use the bundlePagesRouterDependencies option in your next.config.js.

/** @type {import('next').NextConfig} */
const nextConfig = {
bundlePagesRouterDependencies: true,
}
module.exports = nextConfig

If you identify packages that shouldn’t be in the bundle, you can opt specific packages out of automatic bundling using the serverExternalPackages option in your next.config.js:

/** @type {import('next').NextConfig} */
const nextConfig = {
// Automatically bundle external packages:
bundlePagesRouterDependencies: true,
// Opt specific packages out of bundling:
serverExternalPackages: ['package-name'],
}
module.exports = nextConfig

Learn more about optimizing your application for production.

  • Production
    • Recommendations to ensure the best performance and user experience before taking your Next.js application to production.