Revalidate NextJS pages from Wagtail

Starting with v12.2.0, Next.js supports On-Demand Incremental Static Regeneration to manually purge the Next.js cache for a specific page.

In this article, we'll see how this can be integrated with a headless deployment of Wagtail to automatically request to our NextJS frontend to revalidate pages when they are created or updated.

Creating the revalidation API route on NextJS

We will start by creating the an API endpoint to allow revalidation on demand in our NextJS app.

To do so we'll create the following file: pages/api/revalidate/[...path].ts with the following content:

import type { NextApiRequest, NextApiResponse } from "next";

type ResponseMessage = {
  message: string;
  results?: any;
  err?: string;
};


export default async (
  req: NextApiRequest,
  res: NextApiResponse<ResponseMessage>
) => {
  if (req.method === "GET") {
    // Authentication
    const token = req.headers.token || null;
    if (token !== process.env.CMS_REVALIDATE_TOKEN) {
      return res.status(403).json({ message: "error", err: "Not authorized" });
    }

    try {
      const { path } = req.query;
      await res.revalidate(`/${(path as Array<string>).join("/")}`);
      res.status(200).json({
        message: "ok",
        results: "Revalidated",
      });
    } catch (err) {
      console.log(err);
      res.status(500).json({
        message: "error",
        err: "Error occured while revalidating page.",
      });
    }
  } else {
    // Only POST supported
    res.status(405).json({ message: "error", err: "Method not supported" });
  }
};

The previous code uses the CMS_REVALIDATE_TOKEN environment variable to authenticate requests against a token received as a header and after that, gets the path that needs to be revalidated from the request path and passes it to the revalidate function.

Integrating with Wagtail

On the Wagtail side, we'll start by creating a utility function that simply receives the path that we need to revalidate, reads the FRONTEND_REVALIDATION_TOKEN required to perform the revalidation request from the django settings and performs the revalidation request.

A sample code to do this can be found below:

from django.conf import settings
import requests
import logging

logger = logging.getLogger(__name__)


def revalidate_frontend_page(path: str):
    response = requests.get(
        f"https://example.com/api/revalidate/{path.lstrip('/')}",
        headers={"token": settings.FRONTEND_REVALIDATION_TOKEN},
    )
    if response.status_code != 200:
        logger.error(
            f"Received a response with status code {response.status_code} revalidating {path}"
        )

Now we can use existing Wagtail signals for page publishing and unpublishing, to hook into when a page is published or unpublished and request to our NextJS frontend to revalidate that page using the revalidate_frontend_page function.

The following code should be placed into a signals.py file and shows how it could be done:

from django.dispatch import receiver
from wagtail.signals import page_published, page_unpublished
from wagtail.models import Page
from myapp.utils import revalidate_frontend_page


@receiver(page_published, sender=Page)
def after_page_publish_signal(sender, instance, **kwargs):
    revalidate_frontend_page(instance.get_url())


@receiver(page_unpublished, sender=Page)
def after_page_unpublish_signal(sender, instance, **kwargs):
    revalidate_frontend_page(instance.get_url())