Setup Statsig in 90 seconds by copying this AI prompt into your IDE:
Prompt
Copy
Ask AI
# Statsig SDK Integration for Next.jsYou are a frontend engineer integrating the Statsig SDK into a **Next.js application**. Follow all steps below one by one:---## Full Integration Instructions1. **Detect the package manager** by checking for: - `package-lock.json` → use `npm` - `yarn.lock` → use `yarn` - `pnpm-lock.yaml` → use `pnpm`2. **Detect the Next.js router type** by checking for: - `app/` directory → **App Router** - `pages/` directory → **Pages Router**3. **Install the Statsig package** using the correct package manager:# For npmnpm install @statsig/react-bindings @statsig/session-replay @statsig/web-analytics# For yarnyarn add @statsig/react-bindings @statsig/session-replay @statsig/web-analytics# For pnpmpnpm add @statsig/react-bindings @statsig/session-replay @statsig/web-analytics4. Add your Statsig client key to .env.local:NEXT_PUBLIC_STATSIG_CLIENT_KEY=ask the user for their CLIENT KEY and use that input5. Integrate Statsig into the app (auto-detect router type):## If the project uses the App Router (has an app/ directory):// Create app/my-statsig.tsx"use client";import React from "react";import { LogLevel, StatsigProvider } from "@statsig/react-bindings";export default function MyStatsig({ children }: { children: React.ReactNode }) { const id = typeof userID !== "undefined" ? userID : "a-user"; const user = { userID: id, // Optional additional fields: // email: 'user@example.com', // customIDs: { internalID: 'internal-123' }, // custom: { plan: 'premium' } }; return ( <StatsigProvider sdkKey={process.env.NEXT_PUBLIC_STATSIG_CLIENT_KEY!} user={user} options={{ logLevel: LogLevel.Debug }} > {children} </StatsigProvider> );}// Update app/layout.tsx to wrap children with MyStatsigimport MyStatsig from "./my-statsig";export default function RootLayout({ children,}: Readonly<{ children: React.ReactNode }>) { return ( <html lang="en"> <body> <MyStatsig> {children} {/* Preserve all existing layout content */} </MyStatsig> </body> </html> );}### If the project uses the Pages Router (has a pages/ directory):// Update pages/_app.tsximport type { AppProps } from "next/app";import { LogLevel, StatsigProvider } from "@statsig/react-bindings";export default function App({ Component, pageProps }: AppProps) { const id = typeof userID !== "undefined" ? userID : "a-user"; const user = { userID: id, // Optional additional fields: // email: 'user@example.com', // customIDs: { internalID: 'internal-123' }, // custom: { plan: 'premium' } }; return ( <StatsigProvider sdkKey={process.env.NEXT_PUBLIC_STATSIG_CLIENT_KEY!} user={user} options={{ logLevel: LogLevel.Debug }} > <Component {...pageProps} /> {/* Preserve all existing pages */} </StatsigProvider> );}### Final Notes- The system must **detect the router type** and **apply the correct integration automatically**.- **Do not remove or change any existing JSX or layout structure** — only wrap the app with `StatsigProvider`.- **Preserve the file's language**: if it's TypeScript (`.tsx`), keep it as TypeScript; if it's JavaScript (`.jsx`), keep it as JavaScript.- After these steps, Statsig will be integrated across the entire app, with **feature gates, configs, and experiments** available everywhere.
Statsig supports both Page Router & App Router, with some differences in integration patterns.
App Router
1
Set environment variables
Add the keys to your .env.local file:
.env.local
Copy
Ask AI
# the NEXT_PUBLIC_ prefix is required for this to be available on the client sideThis page explains 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>```text</Step><Step title="Install packages">For App Router, install the @statsig/next package:<CodeGroup>```bash NPMnpm i @statsig/next```text```bash Yarnyarn add @statsig/next```text```bash PNPMpnpm add @statsig/next```ruby</CodeGroup></Step><Step title="Add the StatsigBootstrapProvider">The \<StatsigBootstrapProvider\> creates both a Statsig Client and Server instance under the hood, and ["bootstraps"](/client/concepts/initialize#2-bootstrap-initialization) 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](#client-bootstrapping-recommended) and [React](/client/React) docs can provide more guidance.Add this component around the content in your root `layout.tsx` file:```tsx app/layout.tsximport { 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> );}```text</Step></Steps></Tab><Tab title="Page Router"><Steps> <Step title="Set environment variables">Add the keys to your .env.local file:```bash .env.local# the NEXT_PUBLIC_ prefix is required for this to be available on the client sideNEXT_PUBLIC_STATSIG_CLIENT_KEY=client-<REPLACE_WITH_YOUR_CLIENT_KEY>```text</Step><Step title="Install packages">Install the @statsig/react-bindings package:<CodeGroup>```bash NPMnpm i @statsig/react-bindings @statsig/web-analytics```text```bash Yarnyarn add @statsig/react-bindings @statsig/web-analytics```text```bash PNPMpnpm add @statsig/react-bindings @statsig/web-analytics```text</CodeGroup></Step><Step title="Add StatsigProvider to _app.tsx">To integrate Statsig into your Page Router app you can add the `StatsigProvider` to your `_app.tsx` file.There is a [full example](https://github.com/statsig-io/js-client-monorepo/tree/main/samples/next-js-pages-router-sample) in the samples directory of the javascript sdk.```tsx pages/_app.tsximport type { AppProps } from "next/app";import { LogLevel, StatsigProvider,} from "@statsig/react-bindings";import { StatsigAutoCapturePlugin } from '@statsig/web-analytics';export default function App({ Component, pageProps }: AppProps) { return ( <StatsigProvider sdkKey={process.env.NEXT_PUBLIC_STATSIG_CLIENT_KEY!} user={{ userID: "a-user" }} options={{ plugins: [ new StatsigAutoCapturePlugin() ], }}> <Component {...pageProps} /> </StatsigProvider> );}
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!
Now that your SDK is initialized, let’s check a Feature Gate. Feature Gates can be used to create logic branches in code that can be rolled out to different users from the Statsig Console. Gates are always CLOSED or OFF (think return false;) by default.
App Router
Copy
Ask AI
'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> );}```ruby<Note>In an App Router app, you need to use the [`use client` directive](https://nextjs.org/docs/app/building-your-application/rendering/client-components) to ensure your logic runs on the frontend.</Note></Tab><Tab title="Page Router">```tsximport { useGateValue } from "@statsig/react-bindings";export default function Home() { const gate = useGateValue("my_gate"); return ( <div> Gate Value: {gate ? 'PASSED' : 'FAILED'} </div> );}
Feature Gates can be very useful for simple on/off switches, with optional but advanced user targeting. However, if you want to be able send a different set of values (strings, numbers, and etc.) to your clients based on specific user attributes, e.g. country, Dynamic Configs can help you with that. The API is very similar to Feature Gates, but you get an entire json object you can configure on the server and you can fetch typed parameters from it. For example:
App Router
Copy
Ask AI
'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> );}```ruby<Note>In an App Router app, you need to use the [`use client` directive](https://nextjs.org/docs/app/building-your-application/rendering/client-components) to ensure your logic runs on the frontend.</Note></Tab><Tab title="Page Router">```tsximport { useDynamicConfig } from "@statsig/react-bindings";export default function Home() { const config = useDynamicConfig("my_dynamic_config"); return ( <div> Title: {config.get('title', 'Fallback Title')} </div> );}
Then we have Layers/Experiments, which you can use to run A/B/n experiments. We offer two APIs, but we recommend the use of layers to enable quicker iterations with parameter reuse.
App Router
Copy
Ask AI
'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> );}```ruby<Note>In an App Router app, you need to use the [`use client` directive](https://nextjs.org/docs/app/building-your-application/rendering/client-components) to ensure your logic runs on the frontend.</Note></Tab><Tab title="Page Router">```tsximport { 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> );}
Parameter Stores hold a set of parameters for your mobile app. These parameters can be remapped on-the-fly from a static value to a Statsig entity (Feature Gates, Experiments, and Layers), so you can decouple your code from the configuration in Statsig. Read more about Param Stores here.
App Router
Copy
Ask AI
'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> );}```ruby<Note>In an App Router app, you need to use the [`use client` directive](https://nextjs.org/docs/app/building-your-application/rendering/client-components) to ensure your logic runs on the frontend.</Note></Tab><Tab title="Page Router">```tsximport { useParameterStore} from "@statsig/react-bindings";export default function Home() { const store = useParameterStore("my_param_store"); return ( <div> Title: {store.get('title', 'Fallback Title')} </div> );}
Now that you have a Feature Gate or an Experiment set up, you may want to track some custom events and see how your new features or different experiment groups affect these events. This is super easy with Statsig - simply call the Log Event API for the event, and you can additionally provide some value and/or an object of metadata to be logged together with the event:
App Router
Copy
Ask AI
'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> );}```ruby<Note>In an App Router app, you need to use the [`use client` directive](https://nextjs.org/docs/app/building-your-application/rendering/client-components) to ensure your logic runs on the frontend.</Note></Tab><Tab title="Page Router">```tsximport { 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> );}
By including the @statsig/web-analytics package in your project, you can automatically capture common web events like clicks and page views.For more information on filtering events, enabling console log capture, and other configuration options available in web analytics, see the Web Analytics Configuration documentation.
Vercel’s Static Site Generation renders HTML at build time. Because static HTML can’t be responsive to per-user values, experimenting on SSG content requires one of these patterns:
Use Vercel Edge Middleware with Statsig’s Edge Config Adapter for zero-latency redirects.
Isolate Statsig usage to hydrated client components only.
Copy
Ask AI
// Create a single client and share it across multiple StatsigProvidersconst myStatsigClient = new StatsigClient(YOUR_SDK_KEY, user, options);await myStatsigClient.initializeAsync();<StatsigProvider client={myStatsigClient}> <YourComponent /></StatsigProvider><StatsigProvider client={myStatsigClient}> <AnotherComponent /></StatsigProvider>