Skip to main content

Next.js with Statsig

💡 Tip: Get started quickly with one of our sample apps!

AI-powered Setup

Setup Statsig in 90 seconds using one of these two options:

Wizard

Run this wizard command in your terminal

npx @statsig/wizard@latest
(Or) AI Prompt

Manual Installation

Statsig supports both Page Router & App Router, with some differences in integration patterns.

First, add the keys to your .env.local file:

# .env.local

# the NEXT_PUBLIC_ prefix is required for this to be available on the client side
NEXT_PUBLIC_STATSIG_CLIENT_KEY=client-<REPLACE_WITH_YOUR_CLIENT_KEY>
STATSIG_SERVER_KEY=secret-<REPLACE_WITH_YOUR_SERVER_KEY>

For App Router, install the @statsig/next package:

npm i @statsig/next

The <StatsigBootstrapProvider> creates both a Statsig Client and Server instance under the hood, and "bootstraps" the client so it can render each page without a blocking network request. this will keep your app speedy and is recommended for most users. If you need more control over your setup, our Bootstrapping and React docs can provide more guidance.

Add this component around the content in your root layout.tsx file:

// app/layout.tsx

import { StatsigBootstrapProvider } from "@statsig/next"

export default function RootLayout({
children,
}: Readonly<{
children: React.ReactNode;
}>) {

const user = {
userID: "user-123", // add additional parameters as needed
};
return (
<html lang="en">
<body>
<StatsigBootstrapProvider
user={user}
clientKey={process.env.NEXT_PUBLIC_STATSIG_CLIENT_KEY}
serverKey={process.env.STATSIG_SERVER_KEY}
>
{children}
</StatsigBootstrapProvider>
</body>
</html>
);
}

See the User (StatsigUser) doc for more info on the user property. From here, you're ready to start checking gates & experiments and sending events in any sub-file of layout.tsx!

Checking a Gate

'use client';

import { useGateValue } from "@statsig/react-bindings";

export default function Home() {
const gate = useGateValue("my_gate");

return (
<div>
Gate Value: {gate ? 'PASSED' : 'FAILED'}
</div>
);
}
note

In an App Router app, you need to use the use client directive to ensure your logic runs on the frontend.

Getting a Dynamic Config

'use client';

import { useDynamicConfig } from "@statsig/react-bindings";

export default function Home() {
const config = useDynamicConfig("my_dynamic_config");

return (
<div>
Title: {config.get('title', 'Fallback Title')}
</div>
);
}
note

In an App Router app, you need to use the use client directive to ensure your logic runs on the frontend.

Getting an Experiment

'use client';

import { useExperiment, useLayer} from "@statsig/react-bindings";

export default function Home() {
const layer = useLayer("my_experiment_layer");
// or
const experiment = useExperiment("my_experiment");

return (
<div>
Title: {layer.get('title', 'Fallback Title')}
{/* or */}
Title: {experiment.get('title', 'Fallback Title')}
</div>
);
}
note

In an App Router app, you need to use the use client directive to ensure your logic runs on the frontend.

Getting a Parameter Store

'use client';

import { useParameterStore} from "@statsig/react-bindings";

export default function Home() {
const store = useParameterStore("my_param_store");

return (
<div>
Title: {store.get('title', 'Fallback Title')}
</div>
);
}
note

In an App Router app, you need to use the use client directive to ensure your logic runs on the frontend.

Logging an Event

'use client';

import { useStatsigClient } from "@statsig/react-bindings";

export default function Home() {
const { client } = useStatsigClient();

return (
<div>
<button onClick={() => client.logEvent("my_custom_event")}>
Click Me
</button>
</div>
);
}
note

In an App Router app, you need to use the use client directive to ensure your logic runs on the frontend.

Session Replay

By including the @statsig/session-replay package in your project, you can automatically capture and log user sessions as videos. This feature is useful for debugging and understanding user behavior. Read more about Session Replay.

...

Web Analytics / Auto Capture

By including the @statsig/web-analytics package in your project, you can automatically capture common web events like clicks and page views. Read more about Web Analytics.

...

Advanced Setup

We offer deeper integrations with Next.js that improve the performance and stability of your Statsig integration. If you were just trying to log an event or check your first gate, your project is configured and ready to go with the above basic setup instructions.

Bootstrapping is a method of keeping updated values on your server (in the case of Next, your node webserver), and sending them down with the frontend code when a request is made. This has the advantage of preventing an additional network request before your content is displayed, improving your site's responsiveness. This also enables Statsig usage on server-rendered components. While the performance gains are appealing, bootstrapping requires some additional setup effort, and you must be mindful of which code you are running server side and client side.

For more info, see our page on choosing a Bootstrap Initialization Strategy.

Install @statsig/statsig-node-core

To generate the required values, we can use the Statsig server SDK (@statsig/statsig-node-core) on our backend.

npm i @statsig/statsig-node-core

Add @statsig/statsig-node-core to serverExternalPackages

As node core is a wrapper around a Rust library, Next.js can't package it to be run on the client side, and the compiler will throw errors if we let it try. To prevent this, designate @statsig/statsig-node-core as a serverExternalPackage in your next.config.js file:

const nextConfig = {
serverExternalPackages: ['@statsig/statsig-node-core'],
}

Next, add a Server key to your .env file. Note that this one is private and does not start with NEXT_PUBLIC_. You can find your key at which you can find at console.statsig.com/api_keys.

# .env.local
NEXT_PUBLIC_STATSIG_CLIENT_KEY= # No Change
STATSIG_SERVER_KEY=secret-<REPLACE_WITH_YOUR_SERVER_KEY> # <- Added this line

Integrate the Backend Logic

In our App Router example, we should add a new file statsig-backend.ts to our app folder. This file will contain the logic to initialize our Statsig server SDK and generate the bootstrap values.

// app/statsig-backend.ts

import { Statsig, StatsigUser } from '@statsig/statsig-node-core';

const statsig = new Statsig(
process.env.STATSIG_SERVER_KEY!,
);

// Initialize statsig with options
const initialize = statsig.initialize();

export async function generateBootstrapValues(user: StatsigUser): Promise<string> {
await initialize;
const values = statsig.getClientInitializeResponse(user, {
hashAlgorithm: 'djb2',
});
return values;
}

Apply the Bootstrap Values

We now need to refactor our Root layout.tsx to call the generateBootstrapValues function and pass it to the client side.

// app/layout.tsx
// Note, this file calls into statsig-backend.ts - wherever you implement this logic, it should be on the server side.

// ...
import { generateBootstrapValues } from "./statsig-backend";
import { StatsigUser as StatsigUserCore } from '@statsig/statsig-node-core';
// ...

export default async function RootLayout({
children,
}: Readonly<{
children: React.ReactNode;
}>) {
const userObject = {userID: "userID-123"} //add in your real userID here
const statsigUserObject = StatsigUserCore(userObject) // The server-side Statsig SDK requires a constructor for StatsigUser
const bootstrapValues = await generateBootstrapValues(statsigUserObject);

return (
<html lang="en">
<MyStatsig user={userObject} values={bootstrapValues}> // add the JSON user object here
<body>
{children}
</body>
</MyStatsig>
</html>
);
}

Finally, update the MyStatsig component to accept the bootstrapValues prop, swapping out useClientAsyncInit for useClientBootstrapInit.

// app/my-statsig.tsx

"use client";

import {
LogLevel,
StatsigProvider,
StatsigUser, // <- Add this
useClientBootstrapInit, // <- Add this
} from "@statsig/react-bindings";
import { StatsigAutoCapturePlugin } from '@statsig/web-analytics';

export default function MyStatsig({
children,
user, //add the user object and values
values,
}: {
children: React.ReactNode;
user: StatsigUser,
values: string;
}) {
// Update to using useClientBootstrapInit instead of auto initializing in the provider
const client = useClientBootstrapInit(
process.env.NEXT_PUBLIC_STATSIG_CLIENT_KEY!,
user,
values,
{
logLevel: LogLevel.Debug,
plugins: [ new StatsigAutoCapturePlugin() ]
}
);

return <StatsigProvider client={client}>{children}</StatsigProvider>;
}

If you load the app now, you should see the same values as your previous implementation, this time without any additional network requests.

Managing StableIDs

Statsig generates StableIDs as a pseudo-ID for logged-out experiments and user management. StableIDs are generated client-side, but when boostrapping, values are generated on the server, creating undesirable side-effects like stableIDs regenerating more than logical for any one device/user. A simple cookie can solve this problem, with an implementation pattern suggested here.

Proxying Network Traffic (Optional)

If you want to harden your integration and protect your feature gating/experimentation values/event logging from being blocked by ad blockers, you can set up a network proxy.

It is possible to route all Statsig network traffic through your Next.js server. There are a few reasons why you might want to set this up.

  • Avoid ad blockers
  • Keep network traffic within your own cluster
  • Maintain your own event filtering/de-duplication logic

The Statsig client uses two main endpoints. /initialize and /log_event. We will need to setup Next.js Route Handlers for these. For the sake of this demo, we will house them under app/statsig-proxy.

Add Route /initialize

// app/statsig-proxy/initialize/route.ts

import { StatsigUser } from "@statsig/statsig-node-core";

import { generateBootstrapValues } from "./statsig-backend";

export async function POST(request: Request): Promise<Response> {
const json = await request.json();

if (!json || typeof json !== "object") {
return new Response(null, { status: 400 });
}

const data = await generateBootstrapValues();
return new Response(data);
}

Add Route /log_event

// app/statsig-proxy/log_event/route.ts

type ExtendedRequestInit = RequestInit & {
duplex?: "half" | "full";
};

export async function POST(request: Request): Promise<Response> {
const tail = request.url.split("?").pop();
const logEventUrl = `https://events.statsigapi.net/v1/log_event?${tail}`;

const fetchOptions: ExtendedRequestInit = {
method: "POST",
body: request.body,
headers: request.headers,
duplex: "half",
};

return fetch(logEventUrl, fetchOptions);
}

Assign Urls

Now that we have endpoints for handling /initialize and /log_event, we need to configure that Statsig client to use them.

In our app/my-statsig.tsx file, where we created our StatsigClient, we can pass in some extra StatsigOptions.

const inst = new StatsigClient(clientSdkKey, user, {
networkConfig: {
logEventUrl: "/statsig-proxy/log_event",
initializeUrl: "/statsig-proxy/initialize",
},
disableCompression: true,
disableStatsigEncoding: true,

// Optional - Prints debug logs to the console
logLevel: LogLevel.Debug,
});

Statsig Site Generation (SSG)

Vercel's Static Site Generation renders the HTML for your site at build time (rather than request time), optimizing the performance of HTML delivery. Static pre-rendered content can't be responsive, so its difficult to run experiments on, or flag your features. We recommend two approaches to experimenting on Static-Generated Content:

  • 1. Use Vercel's Edge Middleware: With the Edge Middleware and tools like Statsig's Edge Config Adapter, you can experiment on the entirety of your static generated content with zero-latency redirect tests.
  • 2. Isolate Statsig Usage to Hydrated Elements: Often SSG'd pages are "hydrated" with addition client-rendered content that is more responsive and dynamic. Statsig usage can be isolated to these elements, supporting SSG's first-render speeds, and loading in experimented content after the fact.

Typically, approach #2 is executed by installing the <StatsigProvider> only around content that will be client-side rendered. In some cases, you might have multiple client-rendered components without a common parent - in those cases you'll need multiple StatsigProviders, while having them share a single client instance. Do this by initializing a StatsigClient using the regular javascript syntax:

const myStatsigClient = new StatsigClient(YOUR_SDK_KEY, user, options);
await myStatsigClient.initializeAsync();

And then plug this client object into the providers as needed, managing the client object as a singleton if needed.

<StatsigProvider client={myStatsigClient}>
<YourComponent />
</StatsigProvider>

<StatsigProvider client={myStatsigClient}>
<YourComponent />
</StatsigProvider>

Flags SDK

Statsig also has a adapter for Vercel's Flags SDK. See docs here on how to get started.