--- title: useTransition --- `useTransition` is a React Hook that lets you render a part of the UI in the background. ```js const [isPending, startTransition] = useTransition() ``` --- ## Reference {/*reference*/} ### `useTransition()` {/*usetransition*/} Call `useTransition` at the top level of your component to mark some state updates as Transitions. ```js import { useTransition } from 'react'; function TabContainer() { const [isPending, startTransition] = useTransition(); // ... } ``` [See more examples below.](#usage) #### Parameters {/*parameters*/} `useTransition` does not take any parameters. #### Returns {/*returns*/} `useTransition` returns an array with exactly two items: 1. The `isPending` flag that tells you whether there is a pending Transition. 2. The [`startTransition` function](#starttransition) that lets you mark updates as a Transition. --- ### `startTransition(action)` {/*starttransition*/} The `startTransition` function returned by `useTransition` lets you mark an update as a Transition. ```js {6,8} function TabContainer() { const [isPending, startTransition] = useTransition(); const [tab, setTab] = useState('about'); function selectTab(nextTab) { startTransition(() => { setTab(nextTab); }); } // ... } ``` #### Functions called in `startTransition` are called "Actions". {/*functions-called-in-starttransition-are-called-actions*/} The function passed to `startTransition` is called an "Action". By convention, any callback called inside `startTransition` (such as a callback prop) should be named `action` or include the "Action" suffix: ```js {1,9} function SubmitButton({ submitAction }) { const [isPending, startTransition] = useTransition(); return ( ); } ``` #### Parameters {/*starttransition-parameters*/} * `action`: A function that updates some state by calling one or more [`set` functions](/reference/react/useState#setstate). React calls `action` immediately with no parameters and marks all state updates scheduled synchronously during the `action` function call as Transitions. Any async calls that are awaited in the `action` will be included in the Transition, but currently require wrapping any `set` functions after the `await` in an additional `startTransition` (see [Troubleshooting](#react-doesnt-treat-my-state-update-after-await-as-a-transition)). State updates marked as Transitions will be [non-blocking](#marking-a-state-update-as-a-non-blocking-transition) and [will not display unwanted loading indicators](#preventing-unwanted-loading-indicators). #### Returns {/*starttransition-returns*/} `startTransition` does not return anything. #### Caveats {/*starttransition-caveats*/} * `useTransition` is a Hook, so it can only be called inside components or custom Hooks. If you need to start a Transition somewhere else (for example, from a data library), call the standalone [`startTransition`](/reference/react/startTransition) instead. * You can wrap an update into a Transition only if you have access to the `set` function of that state. If you want to start a Transition in response to some prop or a custom Hook value, try [`useDeferredValue`](/reference/react/useDeferredValue) instead. * The function you pass to `startTransition` is called immediately, marking all state updates that happen while it executes as Transitions. If you try to perform state updates in a `setTimeout`, for example, they won't be marked as Transitions. * You must wrap any state updates after any async requests in another `startTransition` to mark them as Transitions. This is a known limitation that we will fix in the future (see [Troubleshooting](#react-doesnt-treat-my-state-update-after-await-as-a-transition)). * The `startTransition` function has a stable identity, so you will often see it omitted from Effect dependencies, but including it will not cause the Effect to fire. If the linter lets you omit a dependency without errors, it is safe to do. [Learn more about removing Effect dependencies.](/learn/removing-effect-dependencies#move-dynamic-objects-and-functions-inside-your-effect) * A state update marked as a Transition will be interrupted by other state updates. For example, if you update a chart component inside a Transition, but then start typing into an input while the chart is in the middle of a re-render, React will restart the rendering work on the chart component after handling the input update. * Transition updates can't be used to control text inputs. * If there are multiple ongoing Transitions, React currently batches them together. This is a limitation that may be removed in a future release. ## Usage {/*usage*/} ### Perform non-blocking updates with Actions {/*perform-non-blocking-updates-with-actions*/} Call `useTransition` at the top of your component to create Actions, and access the pending state: ```js [[1, 4, "isPending"], [2, 4, "startTransition"]] import {useState, useTransition} from 'react'; function CheckoutForm() { const [isPending, startTransition] = useTransition(); // ... } ``` `useTransition` returns an array with exactly two items: 1. The `isPending` flag that tells you whether there is a pending Transition. 2. The `startTransition` function that lets you create an Action. To start a Transition, pass a function to `startTransition` like this: ```js import {useState, useTransition} from 'react'; import {updateQuantity} from './api'; function CheckoutForm() { const [isPending, startTransition] = useTransition(); const [quantity, setQuantity] = useState(1); function onSubmit(newQuantity) { startTransition(async function () { const savedQuantity = await updateQuantity(newQuantity); startTransition(() => { setQuantity(savedQuantity); }); }); } // ... } ``` The function passed to `startTransition` is called the "Action". You can update state and (optionally) perform side effects within an Action, and the work will be done in the background without blocking user interactions on the page. A Transition can include multiple Actions, and while a Transition is in progress, your UI stays responsive. For example, if the user clicks a tab but then changes their mind and clicks another tab, the second click will be immediately handled without waiting for the first update to finish. To give the user feedback about in-progress Transitions, to `isPending` state switches to `true` at the first call to `startTransition`, and stays `true` until all Actions complete and the final state is shown to the user. Transitions ensure side effects in Actions to complete in order to [prevent unwanted loading indicators](#preventing-unwanted-loading-indicators), and you can provide immediate feedback while the Transition is in progress with `useOptimistic`. #### Updating the quantity in an Action {/*updating-the-quantity-in-an-action*/} In this example, the `updateQuantity` function simulates a request to the server to update the item's quantity in the cart. This function is *artificially slowed down* so that it takes at least a second to complete the request. Update the quantity multiple times quickly. Notice that the pending "Total" state is shown while any requests are in progress, and the "Total" updates only after the final request is complete. Because the update is in an Action, the "quantity" can continue to be updated while the request is in progress. ```json package.json hidden { "dependencies": { "react": "beta", "react-dom": "beta" }, "scripts": { "start": "react-scripts start", "build": "react-scripts build", "test": "react-scripts test --env=jsdom", "eject": "react-scripts eject" } } ``` ```js src/App.js import { useState, useTransition } from "react"; import { updateQuantity } from "./api"; import Item from "./Item"; import Total from "./Total"; export default function App({}) { const [quantity, setQuantity] = useState(1); const [isPending, startTransition] = useTransition(); const updateQuantityAction = async newQuantity => { // To access the pending state of a transition, // call startTransition again. startTransition(async () => { const savedQuantity = await updateQuantity(newQuantity); startTransition(() => { setQuantity(savedQuantity); }); }); }; return (

Checkout


); } ``` ```js src/Item.js import { startTransition } from "react"; export default function Item({action}) { function handleChange(event) { // To expose an action prop, call the callback in startTransition. startTransition(async () => { action(event.target.value); }) } return (
Eras Tour Tickets
) } ``` ```js src/Total.js const intl = new Intl.NumberFormat("en-US", { style: "currency", currency: "USD" }); export default function Total({quantity, isPending}) { return (
Total: {isPending ? "πŸŒ€ Updating..." : `${intl.format(quantity * 9999)}`}
) } ``` ```js src/api.js export async function updateQuantity(newQuantity) { return new Promise((resolve, reject) => { // Simulate a slow network request. setTimeout(() => { resolve(newQuantity); }, 2000); }); } ``` ```css .item { display: flex; align-items: center; justify-content: start; } .item label { flex: 1; text-align: right; } .item input { margin-left: 4px; width: 60px; padding: 4px; } .total { height: 50px; line-height: 25px; display: flex; align-content: center; justify-content: space-between; } ```
This is a basic example to demonstrate how Actions work, but this example does not handle requests completing out of order. When updating the quantity multiple times, it's possible for the previous requests to finish after later requests causing the quantity to update out of order. This is a known limitation that we will fix in the future (see [Troubleshooting](#my-state-updates-in-async-transitions-are-out-of-order) below). For common use cases, React provides built-in abstractions such as: - [`useActionState`](/reference/react/useActionState) - [`
` actions](/reference/react-dom/components/form) - [Server Actions](/reference/rsc/server-actions) These solutions handle request ordering for you. When using Transitions to build your own custom hooks or libraries that manage async state transitions, you have greater control over the request ordering, but you must handle it yourself. #### Updating the quantity without an Action {/*updating-the-users-name-without-an-action*/} In this example, the `updateQuantity` function also simulates a request to the server to update the item's quantity in the cart. This function is *artificially slowed down* so that it takes at least a second to complete the request. Update the quantity multiple times quickly. Notice that the pending "Total" state is shown while any requests is in progress, but the "Total" updates multiple times for each time the "quantity" was clicked: ```json package.json hidden { "dependencies": { "react": "beta", "react-dom": "beta" }, "scripts": { "start": "react-scripts start", "build": "react-scripts build", "test": "react-scripts test --env=jsdom", "eject": "react-scripts eject" } } ``` ```js src/App.js import { useState, useTransition } from "react"; import { updateQuantity } from "./api"; import Item from "./Item"; import Total from "./Total"; export default function App({}) { const [quantity, setQuantity] = useState(1); const [isPending, setIsPending] = useState(false); const onUpdateQuantity = async newQuantity => { // Manually set the isPending State. setIsPending(true); const savedQuantity = await updateQuantity(newQuantity); setIsPending(false); setQuantity(savedQuantity); }; return (

Checkout


); } ``` ```js src/Item.js export default function Item({onUpdateQuantity}) { function handleChange(event) { onUpdateQuantity(event.target.value); } return (
Eras Tour Tickets
) } ``` ```js src/Total.js const intl = new Intl.NumberFormat("en-US", { style: "currency", currency: "USD" }); export default function Total({quantity, isPending}) { return (
Total: {isPending ? "πŸŒ€ Updating..." : `${intl.format(quantity * 9999)}`}
) } ``` ```js src/api.js export async function updateQuantity(newQuantity) { return new Promise((resolve, reject) => { // Simulate a slow network request. setTimeout(() => { resolve(newQuantity); }, 2000); }); } ``` ```css .item { display: flex; align-items: center; justify-content: start; } .item label { flex: 1; text-align: right; } .item input { margin-left: 4px; width: 60px; padding: 4px; } .total { height: 50px; line-height: 25px; display: flex; align-content: center; justify-content: space-between; } ```
A common solution to this problem is to prevent the user from making changes while the quantity is updating: ```json package.json hidden { "dependencies": { "react": "beta", "react-dom": "beta" }, "scripts": { "start": "react-scripts start", "build": "react-scripts build", "test": "react-scripts test --env=jsdom", "eject": "react-scripts eject" } } ``` ```js src/App.js import { useState, useTransition } from "react"; import { updateQuantity } from "./api"; import Item from "./Item"; import Total from "./Total"; export default function App({}) { const [quantity, setQuantity] = useState(1); const [isPending, setIsPending] = useState(false); const onUpdateQuantity = async event => { const newQuantity = event.target.value; // Manually set the isPending state. setIsPending(true); const savedQuantity = await updateQuantity(newQuantity); setIsPending(false); setQuantity(savedQuantity); }; return (

Checkout


); } ``` ```js src/Item.js export default function Item({isPending, onUpdateQuantity}) { return (
Eras Tour Tickets
) } ``` ```js src/Total.js const intl = new Intl.NumberFormat("en-US", { style: "currency", currency: "USD" }); export default function Total({quantity, isPending}) { return (
Total: {isPending ? "πŸŒ€ Updating..." : `${intl.format(quantity * 9999)}`}
) } ``` ```js src/api.js export async function updateQuantity(newQuantity) { return new Promise((resolve, reject) => { // Simulate a slow network request. setTimeout(() => { resolve(newQuantity); }, 2000); }); } ``` ```css .item { display: flex; align-items: center; justify-content: start; } .item label { flex: 1; text-align: right; } .item input { margin-left: 4px; width: 60px; padding: 4px; } .total { height: 50px; line-height: 25px; display: flex; align-content: center; justify-content: space-between; } ```
This solution makes the app feel slow, because the user must wait each time they update the quantity. It's possible to add more complex handling manually to allow the user to interact with the UI while the quantity is updating, but Actions handle this case with a straight-forward built-in API. --- ### Exposing `action` prop from components {/*exposing-action-props-from-components*/} You can expose an `action` prop from a component to allow a parent to call an Action. For example, this `TabButton` component wraps its `onClick` logic in an `action` prop: ```js {8-10} export default function TabButton({ action, children, isActive }) { const [isPending, startTransition] = useTransition(); if (isActive) { return {children} } return ( ); } ``` Because the parent component updates its state inside the `action`, that state update gets marked as a Transition. This means you can click on "Posts" and then immediately click "Contact" and it does not block user interactions: ```js import { useState } from 'react'; import TabButton from './TabButton.js'; import AboutTab from './AboutTab.js'; import PostsTab from './PostsTab.js'; import ContactTab from './ContactTab.js'; export default function TabContainer() { const [tab, setTab] = useState('about'); return ( <> setTab('about')} > About setTab('posts')} > Posts (slow) setTab('contact')} > Contact
{tab === 'about' && } {tab === 'posts' && } {tab === 'contact' && } ); } ``` ```js src/TabButton.js active import { useTransition } from 'react'; export default function TabButton({ action, children, isActive }) { const [isPending, startTransition] = useTransition(); if (isActive) { return {children} } return ( ); } ``` ```js src/AboutTab.js export default function AboutTab() { return (

Welcome to my profile!

); } ``` ```js src/PostsTab.js import { memo } from 'react'; const PostsTab = memo(function PostsTab() { // Log once. The actual slowdown is inside SlowPost. console.log('[ARTIFICIALLY SLOW] Rendering 500 '); let items = []; for (let i = 0; i < 500; i++) { items.push(); } return (
    {items}
); }); function SlowPost({ index }) { let startTime = performance.now(); while (performance.now() - startTime < 1) { // Do nothing for 1 ms per item to emulate extremely slow code } return (
  • Post #{index + 1}
  • ); } export default PostsTab; ``` ```js src/ContactTab.js export default function ContactTab() { return ( <>

    You can find me online here:

    • admin@mysite.com
    • +123456789
    ); } ``` ```css button { margin-right: 10px } b { display: inline-block; margin-right: 10px; } ```
    --- ### Displaying a pending visual state {/*displaying-a-pending-visual-state*/} You can use the `isPending` boolean value returned by `useTransition` to indicate to the user that a Transition is in progress. For example, the tab button can have a special "pending" visual state: ```js {4-6} function TabButton({ action, children, isActive }) { const [isPending, startTransition] = useTransition(); // ... if (isPending) { return {children}; } // ... ``` Notice how clicking "Posts" now feels more responsive because the tab button itself updates right away: ```js import { useState } from 'react'; import TabButton from './TabButton.js'; import AboutTab from './AboutTab.js'; import PostsTab from './PostsTab.js'; import ContactTab from './ContactTab.js'; export default function TabContainer() { const [tab, setTab] = useState('about'); return ( <> setTab('about')} > About setTab('posts')} > Posts (slow) setTab('contact')} > Contact
    {tab === 'about' && } {tab === 'posts' && } {tab === 'contact' && } ); } ``` ```js src/TabButton.js active import { useTransition } from 'react'; export default function TabButton({ action, children, isActive }) { const [isPending, startTransition] = useTransition(); if (isActive) { return {children} } if (isPending) { return {children}; } return ( ); } ``` ```js src/AboutTab.js export default function AboutTab() { return (

    Welcome to my profile!

    ); } ``` ```js src/PostsTab.js import { memo } from 'react'; const PostsTab = memo(function PostsTab() { // Log once. The actual slowdown is inside SlowPost. console.log('[ARTIFICIALLY SLOW] Rendering 500 '); let items = []; for (let i = 0; i < 500; i++) { items.push(); } return (
      {items}
    ); }); function SlowPost({ index }) { let startTime = performance.now(); while (performance.now() - startTime < 1) { // Do nothing for 1 ms per item to emulate extremely slow code } return (
  • Post #{index + 1}
  • ); } export default PostsTab; ``` ```js src/ContactTab.js export default function ContactTab() { return ( <>

    You can find me online here:

    • admin@mysite.com
    • +123456789
    ); } ``` ```css button { margin-right: 10px } b { display: inline-block; margin-right: 10px; } .pending { color: #777; } ```
    --- ### Preventing unwanted loading indicators {/*preventing-unwanted-loading-indicators*/} In this example, the `PostsTab` component fetches some data using [use](/reference/react/use). When you click the "Posts" tab, the `PostsTab` component *suspends*, causing the closest loading fallback to appear: ```js import { Suspense, useState } from 'react'; import TabButton from './TabButton.js'; import AboutTab from './AboutTab.js'; import PostsTab from './PostsTab.js'; import ContactTab from './ContactTab.js'; export default function TabContainer() { const [tab, setTab] = useState('about'); return ( πŸŒ€ Loading...}> setTab('about')} > About setTab('posts')} > Posts setTab('contact')} > Contact
    {tab === 'about' && } {tab === 'posts' && } {tab === 'contact' && }
    ); } ``` ```js src/TabButton.js export default function TabButton({ action, children, isActive }) { if (isActive) { return {children} } return ( ); } ``` ```js src/AboutTab.js hidden export default function AboutTab() { return (

    Welcome to my profile!

    ); } ``` ```js src/PostsTab.js hidden import {use} from 'react'; import { fetchData } from './data.js'; function PostsTab() { const posts = use(fetchData('/posts')); return (
      {posts.map(post => )}
    ); } function Post({ title }) { return (
  • {title}
  • ); } export default PostsTab; ``` ```js src/ContactTab.js hidden export default function ContactTab() { return ( <>

    You can find me online here:

    • admin@mysite.com
    • +123456789
    ); } ``` ```js src/data.js hidden // Note: the way you would do data fetching depends on // the framework that you use together with Suspense. // Normally, the caching logic would be inside a framework. let cache = new Map(); export function fetchData(url) { if (!cache.has(url)) { cache.set(url, getData(url)); } return cache.get(url); } async function getData(url) { if (url.startsWith('/posts')) { return await getPosts(); } else { throw Error('Not implemented'); } } async function getPosts() { // Add a fake delay to make waiting noticeable. await new Promise(resolve => { setTimeout(resolve, 1000); }); let posts = []; for (let i = 0; i < 500; i++) { posts.push({ id: i, title: 'Post #' + (i + 1) }); } return posts; } ``` ```css button { margin-right: 10px } b { display: inline-block; margin-right: 10px; } .pending { color: #777; } ```
    Hiding the entire tab container to show a loading indicator leads to a jarring user experience. If you add `useTransition` to `TabButton`, you can instead display the pending state in the tab button instead. Notice that clicking "Posts" no longer replaces the entire tab container with a spinner: ```js import { Suspense, useState } from 'react'; import TabButton from './TabButton.js'; import AboutTab from './AboutTab.js'; import PostsTab from './PostsTab.js'; import ContactTab from './ContactTab.js'; export default function TabContainer() { const [tab, setTab] = useState('about'); return ( πŸŒ€ Loading...}> setTab('about')} > About setTab('posts')} > Posts setTab('contact')} > Contact
    {tab === 'about' && } {tab === 'posts' && } {tab === 'contact' && }
    ); } ``` ```js src/TabButton.js active import { useTransition } from 'react'; export default function TabButton({ action, children, isActive }) { const [isPending, startTransition] = useTransition(); if (isActive) { return {children} } if (isPending) { return {children}; } return ( ); } ``` ```js src/AboutTab.js hidden export default function AboutTab() { return (

    Welcome to my profile!

    ); } ``` ```js src/PostsTab.js hidden import {use} from 'react'; import { fetchData } from './data.js'; function PostsTab() { const posts = use(fetchData('/posts')); return (
      {posts.map(post => )}
    ); } function Post({ title }) { return (
  • {title}
  • ); } export default PostsTab; ``` ```js src/ContactTab.js hidden export default function ContactTab() { return ( <>

    You can find me online here:

    • admin@mysite.com
    • +123456789
    ); } ``` ```js src/data.js hidden // Note: the way you would do data fetching depends on // the framework that you use together with Suspense. // Normally, the caching logic would be inside a framework. let cache = new Map(); export function fetchData(url) { if (!cache.has(url)) { cache.set(url, getData(url)); } return cache.get(url); } async function getData(url) { if (url.startsWith('/posts')) { return await getPosts(); } else { throw Error('Not implemented'); } } async function getPosts() { // Add a fake delay to make waiting noticeable. await new Promise(resolve => { setTimeout(resolve, 1000); }); let posts = []; for (let i = 0; i < 500; i++) { posts.push({ id: i, title: 'Post #' + (i + 1) }); } return posts; } ``` ```css button { margin-right: 10px } b { display: inline-block; margin-right: 10px; } .pending { color: #777; } ```
    [Read more about using Transitions with Suspense.](/reference/react/Suspense#preventing-already-revealed-content-from-hiding) Transitions only "wait" long enough to avoid hiding *already revealed* content (like the tab container). If the Posts tab had a [nested `` boundary,](/reference/react/Suspense#revealing-nested-content-as-it-loads) the Transition would not "wait" for it. --- ### Building a Suspense-enabled router {/*building-a-suspense-enabled-router*/} If you're building a React framework or a router, we recommend marking page navigations as Transitions. ```js {3,6,8} function Router() { const [page, setPage] = useState('/'); const [isPending, startTransition] = useTransition(); function navigate(url) { startTransition(() => { setPage(url); }); } // ... ``` This is recommended for three reasons: - [Transitions are interruptible,](#marking-a-state-update-as-a-non-blocking-transition) which lets the user click away without waiting for the re-render to complete. - [Transitions prevent unwanted loading indicators,](#preventing-unwanted-loading-indicators) which lets the user avoid jarring jumps on navigation. - [Transitions wait for all pending actions](#perform-non-blocking-updates-with-actions) which lets the user wait for side effects to complete before the new page is shown. Here is a simplified router example using Transitions for navigations. ```js src/App.js import { Suspense, useState, useTransition } from 'react'; import IndexPage from './IndexPage.js'; import ArtistPage from './ArtistPage.js'; import Layout from './Layout.js'; export default function App() { return ( }> ); } function Router() { const [page, setPage] = useState('/'); const [isPending, startTransition] = useTransition(); function navigate(url) { startTransition(() => { setPage(url); }); } let content; if (page === '/') { content = ( ); } else if (page === '/the-beatles') { content = ( ); } return ( {content} ); } function BigSpinner() { return

    πŸŒ€ Loading...

    ; } ``` ```js src/Layout.js export default function Layout({ children, isPending }) { return (
    Music Browser
    {children}
    ); } ``` ```js src/IndexPage.js export default function IndexPage({ navigate }) { return ( ); } ``` ```js src/ArtistPage.js import { Suspense } from 'react'; import Albums from './Albums.js'; import Biography from './Biography.js'; import Panel from './Panel.js'; export default function ArtistPage({ artist }) { return ( <>

    {artist.name}

    }> ); } function AlbumsGlimmer() { return (
    ); } ``` ```js src/Albums.js import {use} from 'react'; import { fetchData } from './data.js'; export default function Albums({ artistId }) { const albums = use(fetchData(`/${artistId}/albums`)); return (
      {albums.map(album => (
    • {album.title} ({album.year})
    • ))}
    ); } ``` ```js src/Biography.js import {use} from 'react'; import { fetchData } from './data.js'; export default function Biography({ artistId }) { const bio = use(fetchData(`/${artistId}/bio`)); return (

    {bio}

    ); } ``` ```js src/Panel.js export default function Panel({ children }) { return (
    {children}
    ); } ``` ```js src/data.js hidden // Note: the way you would do data fetching depends on // the framework that you use together with Suspense. // Normally, the caching logic would be inside a framework. let cache = new Map(); export function fetchData(url) { if (!cache.has(url)) { cache.set(url, getData(url)); } return cache.get(url); } async function getData(url) { if (url === '/the-beatles/albums') { return await getAlbums(); } else if (url === '/the-beatles/bio') { return await getBio(); } else { throw Error('Not implemented'); } } async function getBio() { // Add a fake delay to make waiting noticeable. await new Promise(resolve => { setTimeout(resolve, 500); }); return `The Beatles were an English rock band, formed in Liverpool in 1960, that comprised John Lennon, Paul McCartney, George Harrison and Ringo Starr.`; } async function getAlbums() { // Add a fake delay to make waiting noticeable. await new Promise(resolve => { setTimeout(resolve, 3000); }); return [{ id: 13, title: 'Let It Be', year: 1970 }, { id: 12, title: 'Abbey Road', year: 1969 }, { id: 11, title: 'Yellow Submarine', year: 1969 }, { id: 10, title: 'The Beatles', year: 1968 }, { id: 9, title: 'Magical Mystery Tour', year: 1967 }, { id: 8, title: 'Sgt. Pepper\'s Lonely Hearts Club Band', year: 1967 }, { id: 7, title: 'Revolver', year: 1966 }, { id: 6, title: 'Rubber Soul', year: 1965 }, { id: 5, title: 'Help!', year: 1965 }, { id: 4, title: 'Beatles For Sale', year: 1964 }, { id: 3, title: 'A Hard Day\'s Night', year: 1964 }, { id: 2, title: 'With The Beatles', year: 1963 }, { id: 1, title: 'Please Please Me', year: 1963 }]; } ``` ```css main { min-height: 200px; padding: 10px; } .layout { border: 1px solid black; } .header { background: #222; padding: 10px; text-align: center; color: white; } .bio { font-style: italic; } .panel { border: 1px solid #aaa; border-radius: 6px; margin-top: 20px; padding: 10px; } .glimmer-panel { border: 1px dashed #aaa; background: linear-gradient(90deg, rgba(221,221,221,1) 0%, rgba(255,255,255,1) 100%); border-radius: 6px; margin-top: 20px; padding: 10px; } .glimmer-line { display: block; width: 60%; height: 20px; margin: 10px; border-radius: 4px; background: #f0f0f0; } ``` [Suspense-enabled](/reference/react/Suspense) routers are expected to wrap the navigation updates into Transitions by default. --- ### Displaying an error to users with an error boundary {/*displaying-an-error-to-users-with-error-boundary*/} If a function passed to `startTransition` throws an error, you can display an error to your user with an [error boundary](/reference/react/Component#catching-rendering-errors-with-an-error-boundary). To use an error boundary, wrap the component where you are calling the `useTransition` in an error boundary. Once the function passed to `startTransition` errors, the fallback for the error boundary will be displayed. ```js src/AddCommentContainer.js active import { useTransition } from "react"; import { ErrorBoundary } from "react-error-boundary"; export function AddCommentContainer() { return ( ⚠️Something went wrong

    }>
    ); } function addComment(comment) { // For demonstration purposes to show Error Boundary if (comment == null) { throw new Error("Example Error: An error thrown to trigger error boundary"); } } function AddCommentButton() { const [pending, startTransition] = useTransition(); return ( ); } ``` ```js src/App.js hidden import { AddCommentContainer } from "./AddCommentContainer.js"; export default function App() { return ; } ``` ```js src/index.js hidden import React, { StrictMode } from 'react'; import { createRoot } from 'react-dom/client'; import './styles.css'; import App from './App'; const root = createRoot(document.getElementById('root')); root.render( ); ``` ```json package.json hidden { "dependencies": { "react": "19.0.0-rc-3edc000d-20240926", "react-dom": "19.0.0-rc-3edc000d-20240926", "react-scripts": "^5.0.0", "react-error-boundary": "4.0.3" }, "main": "/index.js" } ```
    --- ## Troubleshooting {/*troubleshooting*/} ### Updating an input in a Transition doesn't work {/*updating-an-input-in-a-transition-doesnt-work*/} You can't use a Transition for a state variable that controls an input: ```js {4,10} const [text, setText] = useState(''); // ... function handleChange(e) { // ❌ Can't use Transitions for controlled input state startTransition(() => { setText(e.target.value); }); } // ... return ; ``` This is because Transitions are non-blocking, but updating an input in response to the change event should happen synchronously. If you want to run a Transition in response to typing, you have two options: 1. You can declare two separate state variables: one for the input state (which always updates synchronously), and one that you will update in a Transition. This lets you control the input using the synchronous state, and pass the Transition state variable (which will "lag behind" the input) to the rest of your rendering logic. 2. Alternatively, you can have one state variable, and add [`useDeferredValue`](/reference/react/useDeferredValue) which will "lag behind" the real value. It will trigger non-blocking re-renders to "catch up" with the new value automatically. --- ### React doesn't treat my state update as a Transition {/*react-doesnt-treat-my-state-update-as-a-transition*/} When you wrap a state update in a Transition, make sure that it happens *during* the `startTransition` call: ```js startTransition(() => { // βœ… Setting state *during* startTransition call setPage('/about'); }); ``` The function you pass to `startTransition` must be synchronous. You can't mark an update as a Transition like this: ```js startTransition(() => { // ❌ Setting state *after* startTransition call setTimeout(() => { setPage('/about'); }, 1000); }); ``` Instead, you could do this: ```js setTimeout(() => { startTransition(() => { // βœ… Setting state *during* startTransition call setPage('/about'); }); }, 1000); ``` --- ### React doesn't treat my state update after `await` as a Transition {/*react-doesnt-treat-my-state-update-after-await-as-a-transition*/} When you use `await` inside a `startTransition` function, the state updates that happen after the `await` are not marked as Transitions. You must wrap state updates after each `await` in a `startTransition` call: ```js startTransition(async () => { await someAsyncFunction(); // ❌ Not using startTransition after await setPage('/about'); }); ``` However, this works instead: ```js startTransition(async () => { await someAsyncFunction(); // βœ… Using startTransition *after* await startTransition(() => { setPage('/about'); }); }); ``` This is a JavaScript limitation due to React losing the scope of the async context. In the future, when [AsyncContext](https://github.com/tc39/proposal-async-context) is available, this limitation will be removed. --- ### I want to call `useTransition` from outside a component {/*i-want-to-call-usetransition-from-outside-a-component*/} You can't call `useTransition` outside a component because it's a Hook. In this case, use the standalone [`startTransition`](/reference/react/startTransition) method instead. It works the same way, but it doesn't provide the `isPending` indicator. --- ### The function I pass to `startTransition` executes immediately {/*the-function-i-pass-to-starttransition-executes-immediately*/} If you run this code, it will print 1, 2, 3: ```js {1,3,6} console.log(1); startTransition(() => { console.log(2); setPage('/about'); }); console.log(3); ``` **It is expected to print 1, 2, 3.** The function you pass to `startTransition` does not get delayed. Unlike with the browser `setTimeout`, it does not run the callback later. React executes your function immediately, but any state updates scheduled *while it is running* are marked as Transitions. You can imagine that it works like this: ```js // A simplified version of how React works let isInsideTransition = false; function startTransition(scope) { isInsideTransition = true; scope(); isInsideTransition = false; } function setState() { if (isInsideTransition) { // ... schedule a Transition state update ... } else { // ... schedule an urgent state update ... } } ``` ### My state updates in Transitions are out of order {/*my-state-updates-in-transitions-are-out-of-order*/} If you `await` inside `startTransition`, you might see the updates happen out of order. In this example, the `updateQuantity` function simulates a request to the server to update the item's quantity in the cart. This function *artificially returns the every other request after the previous* to simulate race conditions for network requests. Try updating the quantity once, then update it quickly multiple times. You might see the incorrect total: ```json package.json hidden { "dependencies": { "react": "beta", "react-dom": "beta" }, "scripts": { "start": "react-scripts start", "build": "react-scripts build", "test": "react-scripts test --env=jsdom", "eject": "react-scripts eject" } } ``` ```js src/App.js import { useState, useTransition } from "react"; import { updateQuantity } from "./api"; import Item from "./Item"; import Total from "./Total"; export default function App({}) { const [quantity, setQuantity] = useState(1); const [isPending, startTransition] = useTransition(); // Store the actual quantity in separate state to show the mismatch. const [clientQuantity, setClientQuantity] = useState(1); const updateQuantityAction = newQuantity => { setClientQuantity(newQuantity); // Access the pending state of the transition, // by wrapping in startTransition again. startTransition(async () => { const savedQuantity = await updateQuantity(newQuantity); startTransition(() => { setQuantity(savedQuantity); }); }); }; return (

    Checkout


    ); } ``` ```js src/Item.js import {startTransition} from 'react'; export default function Item({action}) { function handleChange(e) { // Update the quantity in an Action. startTransition(() => { action(e.target.value); }); } return (
    Eras Tour Tickets
    ) } ``` ```js src/Total.js const intl = new Intl.NumberFormat("en-US", { style: "currency", currency: "USD" }); export default function Total({ clientQuantity, savedQuantity, isPending }) { return (
    Total:
    {isPending ? "πŸŒ€ Updating..." : `${intl.format(savedQuantity * 9999)}`}
    {!isPending && clientQuantity !== savedQuantity && `Wrong total, expected: ${intl.format(clientQuantity * 9999)}`}
    ); } ``` ```js src/api.js let firstRequest = true; export async function updateQuantity(newName) { return new Promise((resolve, reject) => { if (firstRequest === true) { firstRequest = false; setTimeout(() => { firstRequest = true; resolve(newName); // Simulate every other request being slower }, 1000); } else { setTimeout(() => { resolve(newName); }, 50); } }); } ``` ```css .item { display: flex; align-items: center; justify-content: start; } .item label { flex: 1; text-align: right; } .item input { margin-left: 4px; width: 60px; padding: 4px; } .total { height: 50px; line-height: 25px; display: flex; align-content: center; justify-content: space-between; } .total div { display: flex; flex-direction: column; align-items: flex-end; } .error { color: red; } ```
    When clicking multiple times, it's possible for previous requests to finish after later requests. When this happens, React currently has no way to know the intended order. This is because the updates are scheduled asynchronously, and React loses context of the order across the async boundary. This is expected, because Actions within a Transition do not guarantee execution order. For common use cases, React provides higher-level abstractions like [`useActionState`](/reference/react/useActionState) and [`` actions](/reference/react-dom/components/form) that handle ordering for you. For advanced use cases, you'll need to implement your own queuing and abort logic to handle this.