Post contents
This article is talking about an experimental React API
There may be unexpected bugs and issues with it.
In addition, this API is not available in stable React, you need to use a canary release of React
React is going through a growth cycle! Between fundamental shifts like React Server Components to newer APIs like useDeferredValue and useTransition, there's never been a better time to learn a new React API.
Speaking of new React APIs, let's take a look at one that's been introduced the React's canary channel lately: cache.
What is React's cache function?
At its core, React's cache function enables you to wrap a function to avoid recomputing results when passing the same arguments to them.
Take the following example:
const alertCounter = (id) => {	alert(id);};function App() {	const [counter, setCounter] = useState(0);	const [_, rerender] = useReducer(() => ({}), {});	    alertCounter(counter);    return (		<div>			<button onClick={() => setCounter((v) => v + 1)}>Add to {counter}</button>            <!-- Force a re-render to see the alert -->			<button onClick={rerender}>Rerender</button>            <!-- To verify that we're actually re-rendering, any input value should disappear between renders -->			<input key={Math.floor(Math.random() * 10)} />		</div>	);}React Broken Basic Cache Usage - StackBlitz
Editimport { createRoot } from "react-dom/client";import { useReducer, useState } from "react";const alertCounter = (id) => {	alert(id);};function App() {	const [counter, setCounter] = useState(0);	const [_, rerender] = useReducer(() => ({}), {});	alertCounter(counter);	return (		<div>			<button onClick={() => setCounter((v) => v + 1)}>Add to {counter}</button>			<button onClick={rerender}>Rerender</button>			<input key={Math.floor(Math.random() * 10)} />		</div>	);}createRoot(document.getElementById("root")).render(<App />);Now traditional React rules would say that alertCounter should show an alert on every render, regardless of if counter is being changed or not. We can see this whenever we trigger a re-render manually without changing counter.
But what if we could leave App unchanged and only have alertCounter re-run whenever counter is updated in the component?
Well, with cache, we can;
import { cache, useState, useReducer } from "react"const alertCounter = cache((id) => {	alert(id);});function App() {	const [counter, setCounter] = useState(0);	const [_, rerender] = useReducer(() => ({}), {});    	alertCounter(counter);    return (		<div>			<button onClick={() => setCounter((v) => v + 1)}>Add to {counter}</button>            <!-- Force a re-render to see the alert -->			<button onClick={rerender}>Rerender</button>            <!-- To verify that we're actually re-rendering, any input value should disappear between renders -->			<input key={Math.floor(Math.random() * 10)} />		</div>	);}Now if we force a re-render without changing count, it will no longer alert:
React Basic Cache Usage - StackBlitz
Editimport { createRoot } from "react-dom/client";import { cache, useReducer, useState } from "react";const alertCounter = cache((id) => {	alert(id);});function App() {	const [counter, setCounter] = useState(0);	const [_, rerender] = useReducer(() => ({}), {});	alertCounter(counter);	return (		<div>			<button onClick={() => setCounter((v) => v + 1)}>Add to {counter}</button>			<button onClick={rerender}>Rerender</button>			<input key={Math.floor(Math.random() * 10)} />		</div>	);}createRoot(document.getElementById("root")).render(<App />);This is because the cache function is memoizing the usage of the function and eagerly opting out of execution as a result.
How does cache differ from useMemo or memo?
The experienced React developers among us may point to two similar APIs that also memoize values in React:
The first of these comparisons isn't quite apt; memo is used to avoid re-renders in a component by memoizing a function component's based on its props.
But the second API, useMemo, is an interesting comparison. After all, we could modify the above to do something similar for us:
const alertCounter = (id) => {	alert(id);};function App() {	const [counter, setCounter] = useState(0);	const [_, rerender] = useReducer(() => ({}), {});	    useMemo(() => alertCounter(counter), [counter]);    return (		<div>			<button onClick={() => setCounter((v) => v + 1)}>Add to {counter}</button>            <!-- Force a re-render to see the alert -->			<button onClick={rerender}>Rerender</button>            <!-- To verify that we're actually re-rendering, any input value should disappear between renders -->			<input key={Math.floor(Math.random() * 10)} />		</div>	);}That said, cache has two primary benefits over useMemo:
- You don't need to modify the component code itself to cache the function results
- cachecaches results between components
I personally don't find the first argument particularly compelling, so let's take a look at the second reason; cross-component result caching.
Cross-component result caching
Say that you're looking to generate a theme based on the users' input:

I didn't spend long optimizing how the theme would look for different color types. Admittedly, this doesn't look amazing, but it will suffice for the sake of a demo.
Now imagine that you want your code generation to occur only once per user color selection; after all, generating a sufficiently complex color palette can be an expensive and synchronous task at times.
Using the cache function, we can do something like this:
const getTheme = cache((primaryColor) => {	// Theoretically, this could get very expensive to compute	// Depending on how many colors and how accurately	const [secondaryColor, tertiaryColor] =		generateComplimentaryColors(primaryColor);	return {		primaryColor,		secondaryColor,		tertiaryColor,		primaryTextColor: getReadableColor(primaryColor),		secondaryTextColor: getReadableColor(secondaryColor),		tertiaryTextColor: getReadableColor(tertiaryColor),	};});To then generate a theme based on the user selection:
function App() {	const [themeColor, setThemeColor] = useState("#7e38ff");	const [tempColor, setTempColor] = useState(themeColor);	return (		<div>            <label>                <div>Primary color</div>                <input                    type="color"                    id="body"                    name="body"                    value={tempColor}                    onChange={(e) => setTempColor(e.target.value)}                />            </label>            <button onClick={() => setThemeColor(tempColor)}>Set theme</button>		</div>	)}And finally, we can display this color palette in a table:
<table>    <tbody>        <ThemePreviewRow type="primary" themeColor={themeColor} />        <ThemePreviewRow type="secondary" themeColor={themeColor} />        <ThemePreviewRow type="tertiary" themeColor={themeColor} />    </tbody></table>Where each of the ThemePreviewRow component instances is accessing the same getTheme memoized function:
function ThemePreviewRow({ type, themeColor }) {	// The calculations to get the theme only occur once, even though this is	// called in multiple component instances.	const theme = getTheme(themeColor);    return (		<tr>			<th>{capitalize(type)}</th>			<td>				<div					className="colorBox"					style={{						backgroundColor: theme[type + "Color"],						color: theme[type + "TextColor"],					}}				>					Some Text				</div>			</td>		</tr>	);}This allows us to avoid passing down the entire theme for each ThemePreviewRow components, instead relying on cache's memoization to allow multiple components to access the values each.
React Theme Cache - StackBlitz
Editimport { createRoot } from "react-dom/client";import { cache, useState } from "react";import { generateComplimentaryColors, getReadableColor } from "./colors.js";import "./style.css";const getTheme = cache((primaryColor) => {	// Theoretically, this could get very expensive to compute	// Depending on how many colors and how accurately	const [secondaryColor, tertiaryColor] =		generateComplimentaryColors(primaryColor);	return {		primaryColor,		secondaryColor,		tertiaryColor,		primaryTextColor: getReadableColor(primaryColor),		secondaryTextColor: getReadableColor(secondaryColor),		tertiaryTextColor: getReadableColor(tertiaryColor),	};});const capitalize = (str) => str[0].toUpperCase() + str.slice(1);function ThemePreviewRow({ type, themeColor }) {	// The calculations to get the theme only occur once, even though this is	// called in multiple component instances.	const theme = getTheme(themeColor);	return (		<tr>			<th>{capitalize(type)}</th>			<td>				<div					className="colorBox"					style={{						backgroundColor: theme[type + "Color"],						color: theme[type + "TextColor"],					}}				>					Some Text				</div>			</td>		</tr>	);}function App() {	const [themeColor, setThemeColor] = useState("#7e38ff");	const [tempColor, setTempColor] = useState(themeColor);	return (		<div>			<div className="spaceBottom">				<div className="spaceBottom">					<label>						<div className="spaceBottom">Primary color</div>						<input							type="color"							id="body"							name="body"							value={tempColor}							onChange={(e) => setTempColor(e.target.value)}						/>					</label>				</div>				<div>					<button onClick={() => setThemeColor(tempColor)}>Set theme</button>				</div>			</div>			<div>				<table>					<tbody>						<ThemePreviewRow type="primary" themeColor={themeColor} />						<ThemePreviewRow type="secondary" themeColor={themeColor} />						<ThemePreviewRow type="tertiary" themeColor={themeColor} />					</tbody>				</table>			</div>		</div>	);}createRoot(document.getElementById("root")).render(<App />);Other notable things about cache
There's a few other things about cache that I'd like to talk about. Notably;
Use cache to pre-load data
Because cache's returned results are cached based on the user's input, we're able to eagerly access data when we know it will be needed, but before its actually needed.
IE in our App from before:
function App() {	const [themeColor, setThemeColor] = useState("#7e38ff");	const [tempColor, setTempColor] = useState(themeColor);	getTheme(themeColor);		// ...}By doing this, our objective is that our theme will have been generated by the time we get to render our first ThemePreviewRow.
While this advice is less/not useful for synchronous tasks, you're able to use cache to get async results as well, where this would be much more handy:
import { cache, use } from "react";const getMovie = cache(async (id) => {  return await db.movie.get(id);}async function MovieDetails({id}) {  const movie = use(getMovie(id));  return (    <section>      <h1>{movie.title}</h1>      <img src={movie.poster} />      <ul>{movie.actors.map(actor => <li key={actor.id}>{actor.name}</li>)}</ul>    </section>  );}function MoviePage({id}) {  // Pre-fetch data before we render the details itself  getMovie(id);  // ...  return (    <>      <MovieDetails id={id} />    </>  );}This is a pattern you'll often see with asynchronous server components as well as the new use Hook in React.
Errors are memoized in cache
Returned results aren't the only thing that the cache function memoizes and returns to users of the API; it also caches errors thrown in the inner function:
const getIsEven = cache((number) => {  alert("I am checking if " + number + " is even or not");  if (number % 2 === 0) {    throw "Number is even";  }});// Even if you render this component multiple times, it will only perform the// calculation needed to throw the error once.function ThrowAnErrorIfEven({ number, instance }) {  getIsEven(number);  return <p>I am instance #{instance}</p>;}function App = () => {    const [counter, setCounter] = useState(0);    return (        <div>            <p>You should only see one alert when you push the button below</p>			<button onClick={() => setCounter((v) => v + 1)}>Add to {counter}</button>            <ErrorBoundary>                <ThrowAnErrorIfEven number={counter} instance={1} />            </ErrorBoundary>            <ErrorBoundary>                <ThrowAnErrorIfEven number={counter} instance={2} />            </ErrorBoundary>            <ErrorBoundary>                <ThrowAnErrorIfEven number={counter} instance={3} />            </ErrorBoundary>            <ErrorBoundary>                <ThrowAnErrorIfEven number={counter} instance={4} />            </ErrorBoundary>        </div>    )}React Cache Error - StackBlitz
Editimport { createRoot } from "react-dom/client";import { cache, Component, useState } from "react";const getIsEven = cache((number) => {	alert("I am checking if " + number + " is even or not");	if (number % 2 === 0) {		throw "Number is even";	}});function ThrowAnErrorIfEven({ number, instance }) {	getIsEven(number);	return <p>I am instance #{instance}</p>;}function App() {	const [counter, setCounter] = useState(0);	const [howManyInstances, setHowManyInstances] = useState(3);	return (		<div>			<p>You should only see one alert when you push the button below</p>			<button onClick={() => setCounter((v) => v + 1)}>Add to {counter}</button>			{Array.from({ length: howManyInstances }).map((_, i) => (				<div key={i}>					<ErrorBoundary key={counter}>						<ThrowAnErrorIfEven number={counter} instance={i} />					</ErrorBoundary>				</div>			))}			<p>Even if you add a thousand instances of the component</p>			<button onClick={() => setHowManyInstances((v) => v + 1)}>				Add instance of {"<ThrowAnErrorIfEven>"}			</button>		</div>	);}class ErrorBoundary extends Component {	state = { error: null };	static getDerivedStateFromError(error) {		// Update state so the next render will show the fallback UI.		return { error };	}	render() {		if (this.state.error) {			return <p>There was an error: {this.state.error}</p>;		}		return this.props.children;	}}createRoot(document.getElementById("root")).render(<App />);Conclusion
This has been a fun look into an upcoming API from the React core team; cache!
While it's early days for the function, it's clear to me why it's such an integral API for them to add; it fits in wonderfully with their vision of data fetching and augmentation, especially in regards to async and server fetching.
Speaking of, next time let's take a look at how React is adding data fetching to React's core APIs.
Until next time!
- Corbin