Custom cache handler for Next.js with support for Google Cloud Storage and file-based caching. Designed for Pantheon's Next.js hosting platform.
- Dual Cache Handlers: Support for both GCS (production) and file-based (development) caching
- Tag-Based Invalidation: Efficient O(1) cache invalidation using tag mapping
- Buffer Serialization: Handles Next.js 15 buffer compatibility issues
- Build-Aware Caching: Automatically invalidates route cache on new builds
- Static Route Preservation: Preserves SSG routes during cache clearing
npm install @pantheon-systems/nextjs-cache-handler// cacheHandler.ts
import { createCacheHandler } from '@pantheon-systems/nextjs-cache-handler';
const CacheHandler = createCacheHandler({
type: 'auto', // Auto-detect: GCS if CACHE_BUCKET exists, else file-based
});
export default CacheHandler;// next.config.mjs
const nextConfig = {
cacheHandler: require.resolve('./cacheHandler'),
cacheMaxMemorySize: 0, // Disable in-memory caching to use custom handler
};
export default nextConfig;Creates a cache handler based on the provided configuration.
interface CacheHandlerConfig {
/**
* Handler type selection:
* - 'auto': Automatically detect based on environment (GCS if CACHE_BUCKET is set, otherwise file)
* - 'file': Use file-based caching (local development)
* - 'gcs': Use Google Cloud Storage (production/Pantheon)
*/
type?: 'auto' | 'file' | 'gcs';
}Note: Debug logging is controlled via the
CACHE_DEBUGenvironment variable. See the Debugging section for details.
| Variable | Description | Required |
|---|---|---|
CACHE_BUCKET |
GCS bucket name for storing cache | Required for GCS handler |
OUTBOUND_PROXY_ENDPOINT |
Edge cache proxy endpoint | Optional (enables edge cache clearing) |
CACHE_DEBUG |
Enable debug logging (true or 1) |
Optional |
Factory function that returns the appropriate cache handler class based on configuration.
import { createCacheHandler } from '@pantheon-systems/nextjs-cache-handler';
// Auto-detect based on environment
const CacheHandler = createCacheHandler();
// Force file-based caching
const FileCacheHandler = createCacheHandler({ type: 'file' });
// Force GCS caching
const GcsCacheHandler = createCacheHandler({ type: 'gcs' });Returns cache statistics for the current environment.
import { getSharedCacheStats } from '@pantheon-systems/nextjs-cache-handler';
const stats = await getSharedCacheStats();
console.log(stats);
// {
// size: 10,
// keys: ['fetch:abc123', 'route:_index'],
// entries: [
// { key: 'fetch:abc123', tags: ['posts'], type: 'fetch', lastModified: 1234567890 }
// ]
// }Clears all cache entries (preserving static SSG routes).
import { clearSharedCache } from '@pantheon-systems/nextjs-cache-handler';
const clearedCount = await clearSharedCache();
console.log(`Cleared ${clearedCount} cache entries`);For advanced use cases, you can import the handlers directly:
import { FileCacheHandler, GcsCacheHandler } from '@pantheon-systems/nextjs-cache-handler';
// Use directly in your configuration
export default FileCacheHandler;The handler distinguishes between two cache types:
- Fetch Cache: Stores data from
fetch()calls with caching enabled - Route Cache: Stores rendered pages and route data
The handler maintains a tag-to-keys mapping for efficient O(1) cache invalidation:
// When setting cache with tags
await cacheHandler.set('post-1', data, { tags: ['posts', 'blog'] });
// When invalidating by tag
await cacheHandler.revalidateTag('posts');
// All entries tagged with 'posts' are invalidatedThe cache handler automatically propagates cache tags to Surrogate-Key HTTP response headers, enabling standard CDN cache invalidation workflows.
- Create or update
middleware.tsin your app root:
export { middleware, config } from '@pantheon-systems/nextjs-cache-handler/middleware';- That's it! Cache tags now appear in response headers:
# Request a cached page
curl -I https://your-app.com/blog/my-post
# Response includes:
# Surrogate-Key: blog-posts featured-content api-dataWhen you use cacheTag() in your Next.js code:
import { cacheTag, cacheLife } from 'next/cache';
async function getBlogPost(slug: string) {
'use cache';
cacheLife('blog'); // 5min revalidation
cacheTag('blog-posts', `post-${slug}`);
return await fetchPost(slug);
}The middleware automatically:
- Captures tags from cache hits during page rendering
- Aggregates all tags from multiple cache entries
- Sets the
Surrogate-Keyheader with space-separated tags - Merges with any existing Surrogate-Key headers
- Standard CDN Integration: Works with any CDN that supports Surrogate-Key headers
- Redundant Purging: Complements API-based cache clearing for reliability
- Debugging: Easily see which tags apply to each response
- Zero Config: Just re-export the middleware
Customize the middleware behavior:
import { createSurrogateKeyMiddleware } from '@pantheon-systems/nextjs-cache-handler/middleware';
export const middleware = createSurrogateKeyMiddleware({
debug: true, // Enable debug logging
fallbackKey: 'my-app', // Custom fallback when no tags
});
export const config = {
matcher: ['/app/*'], // Custom route matching
};The Surrogate-Key headers work alongside the existing API-based edge cache clearing:
When you call revalidateTag('blog-posts'):
- ✅ Origin cache entries deleted
- ✅ Edge cache purged via API:
DELETE /cache/keys/blog-posts - ✅ Edge cache validates via Surrogate-Key headers
This provides dual-layer invalidation for maximum reliability.
Check that Surrogate-Key headers are being set:
# Development
curl -I http://localhost:3000/your-page
# Production
curl -I https://your-app.com/your-pageLook for the Surrogate-Key header in the response.
No Surrogate-Key header appearing?
- Verify middleware is set up: Check
middleware.tsexists and exports correctly - Check if page is using cache: Only cached pages have tags
- Enable debug mode: Use
createSurrogateKeyMiddleware({ debug: true }) - Check logs: Look for tag capture messages in server logs
Tags not matching expectations?
- Tags are captured from cache hits, not cache misses
- First request to a page (cache miss) won't have tags
- Subsequent requests (cache hits) will include tags
- Use
cacheTag()in 'use cache' blocks to ensure tags are stored
On each new build, the handler automatically:
- Detects the new build ID
- Invalidates the route cache (Full Route Cache)
- Preserves the data cache (Fetch Cache)
This matches Next.js's expected behavior where route cache is invalidated on each deploy but data cache persists.
Enable debug logging to see detailed cache operations by setting the CACHE_DEBUG environment variable:
# Enable debug logging
CACHE_DEBUG=true npm run start
# Or
CACHE_DEBUG=1 npm run startThe cache handler uses four log levels:
| Level | When Shown | Use Case |
|---|---|---|
debug |
Only when CACHE_DEBUG=true |
Verbose operational logs (GET, SET, HIT, MISS) |
info |
Only when CACHE_DEBUG=true |
Important events (initialization, cache cleared) |
warn |
Always | Recoverable issues that might need attention |
error |
Always | Errors that affect cache operations |
When debug logging is enabled, you'll see output like:
[GcsCacheHandler] Initializing cache handler
[GcsCacheHandler] GET: /api/posts
[GcsCacheHandler] HIT: /api/posts (route)
[GcsCacheHandler] SET: /api/users (fetch)
[EdgeCacheClear] Cleared 3 paths in 45ms
[GcsCacheHandler] Revalidated 5 entries for tags: posts, blog
This helps diagnose cache behavior, verify cache hits/misses, and troubleshoot invalidation issues.
-
Ensure you're logged into npm with access to the
@pantheon-systemsscope:npm login --scope=@pantheon-systems
-
Verify your login:
npm whoami
-
Update the version in
package.json:# Patch release (0.1.0 -> 0.1.1) npm version patch # Minor release (0.1.0 -> 0.2.0) npm version minor # Major release (0.1.0 -> 1.0.0) npm version major
-
Build and test:
npm run build npm test -
Publish to npm:
npm publish --access public
The
--access publicflag is required for scoped packages to be publicly accessible.
After publishing, verify the package is available:
npm view @pantheon-systems/nextjs-cache-handlerOr install it in a test project:
npm install @pantheon-systems/nextjs-cache-handlerMIT