use cache
The use cache
directive designates a component and/or a function to be cached. It can be used at the top of a file to indicate that all exports in the file are cacheable, or inline at the top of a function or component to inform Next.js the return value should be cached and reused for subsequent requests. This is an experimental Next.js feature, and not a native React feature like use client
or use server
.
Usage
Enable support for the use cache
directive with the dynamicIO
flag in your next.config.ts
file:
import type { NextConfig } from 'next'
const nextConfig: NextConfig = {
experimental: {
dynamicIO: true,
},
}
export default nextConfig
Then, you can use the use cache
directive at the file, component, or function level:
// File level
'use cache'
export default async function Page() {
// ...
}
// Component level
export async function MyComponent() {
'use cache'
return <></>
}
// Function level
export async function getData() {
'use cache'
const data = await fetch('/api/data')
return data
}
Good to know
use cache
is an experimental Next.js feature, and not a native React feature likeuse client
oruse server
.- Any serializable arguments (or props) passed to the cached function, as well as any serializable values it reads from the parent scope, will be converted to a format like JSON and automatically become a part of the cache key.
- Any non-serializable arguments, props, or closed-over values will turn into opaque references inside the cached function, and can be only passed through and not inspected nor modified. These non-serializable values will be filled in at the request time and won't become a part of the cache key.
- For example, a cached function can take in JSX as a
children
prop and return<div>{children}</div>
, but it won't be able to introspect the actualchildren
object.
- For example, a cached function can take in JSX as a
- The return value of the cacheable function must also be serializable. This ensures that the cached data can be stored and retrieved correctly.
- Functions that use the
use cache
directive must not have any side-effects, such as modifying state, directly manipulating the DOM, or setting timers to execute code at intervals. - If used alongside Partial Prerendering, segments that have
use cache
will be prerendered as part of the static HTML shell. - The
use cache
directive will be available separately from thedynamicIO
flag in the future. - Unlike
unstable_cache
which only supports JSON data,use cache
can cache any serializable data React can render, including the render output of components.
Examples
Caching entire routes with use cache
To prerender an entire route, add use cache
to the top both the layout
and page
files. Each of these segments are treated as separate entry points in your application, and will be cached independently.
"use cache"
import { unstable_cacheLife as cacheLife } from 'next/cache'
export default Layout({children}: {children: ReactNode}) {
return <div>{children}</div>
}
Any components imported and nested in page
file will inherit the cache behavior of page
.
"use cache"
import { unstable_cacheLife as cacheLife } from 'next/cache'
async function Users() {
const users = await fetch('/api/users');
// loop through users
}
export default Page() {
return (
<main>
<Users/>
</main>
)
}
This is recommended for applications that previously used the
export const dynamic = "force-static"
option, and will ensure the entire route is prerendered.
Caching component output with use cache
You can use use cache
at the component level to cache any fetches or computations performed within that component. When you reuse the component throughout your application it can share the same cache entry as long as the props maintain the same structure.
The props are serialized and form part of the cache key, and the cache entry will be reused as long as the serialized props produce the same value in each instance.
export async function Bookings({ type = 'haircut' }: BookingsProps) {
'use cache'
async function getBookingsData() {
const data = await fetch(`/api/bookings?type=${encodeURIComponent(type)}`)
return data
}
return //...
}
interface BookingsProps {
type: string
}
export async function Bookings({ type = 'haircut' }) {
'use cache'
async function getBookingsData() {
const data = await fetch(`/api/bookings?type=${encodeURIComponent(type)}`)
return data
}
return //...
}
Caching function output with use cache
Since you can add use cache
to any asynchronous function, you aren't limited to caching components or routes only. You might want to cache a network request or database query or compute something that is very slow. By adding use cache
to a function containing this type of work it becomes cacheable, and when reused, will share the same cache entry.
export async function getData() {
'use cache'
const data = await fetch('/api/data')
return data
}
Revalidating
By default, Next.js sets a revalidation period of 15 minutes when you use the use cache
directive. Next.js sets a near-infinite expiration duration, meaning it's suitable for content that doesn't need frequent updates.
While this revalidation period may be useful for content you don't expect to change often, you can use the cacheLife
and cacheTag
APIs to configure the cache behavior:
Both of these APIs integrate across the client and server caching layers, meaning you can configure your caching semantics in one place and have them apply everywhere.
See the cacheLife
and cacheTag
docs for more information.
Interleaving
If you need to pass non-serializable arguments to a cacheable function, you can pass them as children
. This means the children
reference can change without affecting the cache entry.
async function Page() {
const uncachedData = await getData()
return (
<CacheComponent>
<DynamicComponent data={uncachedData} />
</CacheComponent>
)
}
async function CacheComponent({ children }) {
'use cache'
const cachedData = await fetch('/api/cached-data')
return (
<div>
<PrerenderedComponent data={cachedData} />
{children}
</div>
)
}
You can also pass Server Actions through cached components to Client Components without invoking them inside the cacheable function.
import ClientComponent from './ClientComponent';
async function Page() {
const performUpdate = async () => {
"use server"
// Perform some server-side update
await db.update(...);
};
return <CacheComponent performUpdate={performUpdate} />;
}
async function CachedComponent({ performUpdate }) {
"use cache"
// Do not call performUpdate here
return <ClientComponent action={performUpdate} />;
}
'use client'
export default function ClientComponent({ action }) {
return <button onClick={action}>Update</button>
}
Related
dynamicIO
cacheLife
cacheTag
cacheLife
revalidateTag
Was this helpful?