How to do redirect testing
Nov 01, 2023
On this page
- Creating our Next.js app and adding PostHog
- Setting up PostHog
- Adding test pages
- Creating our A/B test
- Setting up the redirect test middleware
- Getting or creating a user ID for flag evaluation
- Evaluating our redirect test with PostHog
- Capturing exposures
- Bootstrapping the data
- Handling bootstrap data on the frontend
- Further reading
Redirect testing is a way to A/B test web pages by redirecting users to one or the other.
To show you how to do a redirect test with PostHog, we set up a two-page Next.js app, create an A/B test in PostHog, and then implement it in our app using middleware and feature flags.
Note: Although we are using Next.js in this tutorial, this method works with any framework where you can do server-side redirects.
Creating our Next.js app and adding PostHog
To start, we create our Next.js app. Run the command below, select No for TypeScript, Yes to use the App Router
, and the default for all the other options.
npx create-next-app@latest redirect-test
Setting up PostHog
Next, we set up PostHog. Start by going into your new redirect-test
folder and installing it.
cd redirect-testnpm i posthog-js
Next, in the redirect-test/app
folder, create a providers.js
file and set up a component that returns an initialized PostHogProvider
. You can get the project API key and instance address you need for initialization from your project settings.
// app/providers.js'use client'import posthog from 'posthog-js'import { PostHogProvider } from 'posthog-js/react'if (typeof window !== 'undefined') {posthog.init("<ph_project_api_key>", {api_host: "https://us.i.posthog.com"})}export default function PHProvider({ children }) {return <PostHogProvider client={posthog}>{children}</PostHogProvider>}
Import the PHProvider
component into layout.js
and wrap your app in it.
import './globals.css'import PHProvider from './providers'export default function RootLayout({ children }) {return (<html lang="en"><PHProvider><body>{children}</body></PHProvider></html>)}
Once set up, PostHog autocaptures usage and you can use all its tools throughout your app.
Adding test pages
In the app
folder, create two new folders named control
and test
. In each of them, create a basic page.js
file with a button to capture an event. This is what the control page looks like:
// app/control/page.js'use client'import { usePostHog } from "posthog-js/react";export default function Control() {const posthog = usePostHog();return (<main><h1>Hello!</h1><button onClick={() => posthog.capture("main_button_clicked")}>Click me!</button></main>);}
This is what the test page looks like:
// app/test/page.js'use client'import { usePostHog } from "posthog-js/react";export default function Test() {const posthog = usePostHog();return (<main><h1>Hello from the bright side!</h1><p>Clicking this button will bring you happiness</p><button onClick={() => posthog.capture("main_button_clicked")}>I want to be happy!</button></main>);}
Now run npm run dev
. Go to each of our pages to see that they work: http://localhost:3000/control
and http://localhost:3000/test
.
Click the button on each page to capture a custom event in PostHog.
Creating our A/B test
Our A/B test will compare these two pages to see which drives more button clicks. To do this, we go to the experiment tab (what we call A/B tests in PostHog) in PostHog and click "New experiment." Name your experiment and feature flag key (like main-redirect
), set your experiment goal to main_button_clicked
, and click "Save as draft."
Because we are working locally, you can launch the experiment immediately.
Setting up the redirect test middleware
Next.js enables you to run middleware that intercepts and modifies requests for your app. We use it to redirect a user to the control
or test
page based on their assigned variant.
To start, create a middleware.js
file in the base redirect-test
directory. We want it to run on both the /test
and /control
paths, so we add them to the matcher config. For now, we have the /test
path redirect to /control
as a placeholder.
// redirect-test/middleware.jsimport { NextResponse } from 'next/server'export async function middleware(request) {if (request.nextUrl.pathname=== '/test') {// Placeholder for now. We'll replace this code in the next stepreturn NextResponse.redirect(new URL('/control', request.url))}return NextResponse.next()}export const config = {matcher: ['/test', '/control'],};
Getting or creating a user ID for flag evaluation
To evaluate the experiment flag value for each unique user, each user will need a distinct user ID.
To do this, we need to:
- Check if a
distinct_id
exists in the PostHog cookie, and use it if so. - Create a
distinct_id
if not.
This requires using your project API key to get the cookies, parsing them as JSON, and potentially creating a distinct ID using crypto.randomUUID()
. Altogether, this looks like this:
import { NextResponse } from 'next/server'export async function middleware(request) {const ph_project_api_key = '<ph_project_api_key>'const ph_cookie_key = `ph_${ph_project_api_key}_posthog`const cookie = request.cookies.get(ph_cookie_key);let distinct_id;if (cookie) {// Use PostHog distinct_iddistinct_id = JSON.parse(cookie.value).distinct_id;} else {// Create new distinct_iddistinct_id = crypto.randomUUID();}//... rest of code
Evaluating our redirect test with PostHog
With our distinct ID, we use the PostHog API to check the value of the main-redirect
feature flag for a user (because we can’t use PostHog SDKs in Next.js middleware). This is known as evaluating the feature flag.
Specifically, we evaluate the flag by making a POST request to the [https://us.posthog.com/decide?v=3](/docs/api/decide)
route with your project API key and user distinct ID. From the response, we get the value of the main-redirect
feature flag and use it to redirect to the right page. Altogether, it looks like this:
// redirect-test/middleware.js//... rest of codeconst requestOptions = {method: 'POST',headers: {'Content-Type': 'application/json'},body: JSON.stringify({api_key: ph_project_api_key,distinct_id: distinct_id})};// Evaluate experiment flagconst ph_request = await fetch('https://us.i.posthog.com/decide?v=3', // or eu.i.posthog.comrequestOptions);const data = await ph_request.json();const flagResponse = data.featureFlags['main-redirect']// Redirect to correct pageif (request.nextUrl.pathname=== '/test' && flagResponse === 'control') {return NextResponse.redirect(new URL('/control', request.url))}if (request.nextUrl.pathname=== '/control' && flagResponse === 'test') {return NextResponse.redirect(new URL('/test', request.url))}return NextResponse.next()}//... rest of code
Capturing exposures
To get accurate results for our experiment, we also need to capture a $feature_flag_called
event after the feature flag has been evaluated. This records which experiment variant each user was assigned to and enables us to calculate results for the experiment.
This is known as an exposure event and shows a user is part of the experiment. It requires another POST request like this:
//... rest of code, after flag evaluation// Capture exposure eventconst eventOptions = {method: 'POST',headers: {'Content-Type': 'application/json'},body: JSON.stringify({api_key: ph_project_api_key,distinct_id: distinct_id,properties: {"$feature_flag": 'main-redirect',"$feature_flag_response": flagResponse},event: "$feature_flag_called"})};const eventRequest = await fetch('https://us.i.posthog.com/capture',eventOptions);//... rest of code, redirect logic
Bootstrapping the data
The final piece to our redirect test is bootstrapping the user distinct ID and feature flags. Bootstrapping is when you initialize PostHog with precomputed user data so that it is available as soon as PostHog loads, without needing to make additional API calls
Why is bootstrapping necessary? If we didn't bootstrap the distinct ID, PostHog would set a second distinct ID for the same user on the frontend. When calculating the results of the experiment, PostHog wouldn't know the two were connected, creating a broken test.
We create a bootstrapData
cookie with the flags and distinct ID data and then add it to the response. We also add a check for the bootstrapData
cookie in the middleware when we are creating the distinct ID so we don’t get two different IDs whenever we redirect.
When put together with everything else, our final middleware.js
file looks like this:
// middleware.jsimport { NextResponse } from 'next/server'export async function middleware(request) {const ph_project_api_key = '<ph_project_api_key>'const ph_cookie_key = `ph_${ph_project_api_key}_posthog`const cookie = request.cookies.get(ph_cookie_key);const bootstrapCookie = request.cookies.get('bootstrapData');let distinct_id;if (bootstrapCookie) {// Use bootstrap cookie distinct_iddistinct_id = JSON.parse(bootstrapCookie.value).distinctId;} else if (cookie) {distinct_id = JSON.parse(cookie.value).distinct_id;} else {distinct_id = crypto.randomUUID();}const requestOptions = {method: 'POST',headers: {'Content-Type': 'application/json'},body: JSON.stringify({api_key: ph_project_api_key,distinct_id: distinct_id})};const ph_request = await fetch('https://us.i.posthog.com/decide?v=3', // or eurequestOptions);const data = await ph_request.json();const flagResponse = data.featureFlags['main-redirect']// Capture events, for exposureconst eventOptions = {method: 'POST',headers: {'Content-Type': 'application/json'},body: JSON.stringify({api_key: ph_project_api_key,distinct_id: distinct_id,properties: {"$feature_flag": 'main-redirect',"$feature_flag_response": flagResponse},event: "$feature_flag_called"})};const eventRequest = await fetch('https://us.i.posthog.com/capture',eventOptions);// Format flags and distinct_id for bootstrap cookieconst bootstrapData = {distinctID: distinct_id,featureFlags: data.featureFlags}if (request.nextUrl.pathname === '/test' && flagResponse === 'control') {const newResponse = NextResponse.redirect(new URL('/control', request.url))// Set the bootstrap data cookie on the responsenewResponse.cookies.set('bootstrapData', JSON.stringify(bootstrapData))return newResponse}if (request.nextUrl.pathname === '/control' && flagResponse === 'test') {const newResponse = NextResponse.redirect(new URL('/test', request.url))newResponse.cookies.set('bootstrapData', JSON.stringify(bootstrapData))return newResponse}const newResponse = NextResponse.next()newResponse.cookies.set('bootstrapData', JSON.stringify(bootstrapData))return newResponse}export const config = {matcher: ['/test', '/control'],};
Handling bootstrap data on the frontend
To handle this bootstrap data on the frontend, we need to parse the cookie and pass the data to the PostHog initialization. We add this by first installing the cookie-cutter
package.
npm i cookie-cutter
We then import and use it in app/providers.js
to add the bootstrap data to our PostHog initialization like this:
// app/providers.js'use client'import posthog from 'posthog-js'import { PostHogProvider } from 'posthog-js/react'import cookieCutter from 'cookie-cutter'if (typeof window !== 'undefined') {// Get the bootstrap cookie data from the middlewareconst bootstrapData = cookieCutter.get('bootstrapData')let parsedBootstrapData = {}if (flags) {parsedBootstrapData = JSON.parse(flags)}posthog.init("<ph_posthog_project_api_key", {api_host: "https://us.i.posthog.com",bootstrap: parsedBootstrapData})}export default function PHProvider({ children }) {return <PostHogProvider client={posthog}>{children}</PostHogProvider>}
When we relaunch our application and go to either of the test or control routes, the middleware redirects users to the correct page, their experience remains consistent across reloads, and our redirect test is successfully running.
Further reading
- How to use Next.js middleware to bootstrap feature flags
- How to evaluate and update feature flags with the PostHog API
- How to bootstrap feature flags in React and Express