hydrateRoot
hydrateRoot
lets you display React components inside a browser DOM node whose HTML content was previously generated by react-dom/server
.
const root = hydrateRoot(domNode, reactNode, options?)
Reference
hydrateRoot(domNode, reactNode, options?)
Call hydrateRoot
to “attach” React to existing HTML that was already rendered by React in a server environment.
import { hydrateRoot } from 'react-dom/client';
const domNode = document.getElementById('root');
const root = hydrateRoot(domNode, reactNode);
React will attach to the HTML that exists inside the domNode
, and take over managing the DOM inside it. An app fully built with React will usually only have one hydrateRoot
call with its root component.
Parameters
-
domNode
: A DOM element that was rendered as the root element on the server. -
reactNode
: The "React node" used to render the existing HTML. This will usually be a piece of JSX like<App />
which was rendered with aReactDOM Server
method such asrenderToPipeableStream(<App />)
. -
optional
options
: An object with options for this React root.- "This feature is only available in the Canary channel" optional
onCaughtError
: Callback called when React catches an error in an Error Boundary. Called with theerror
caught by the Error Boundary, and anerrorInfo
object containing thecomponentStack
. - "This feature is only available in the Canary channel" optional
onUncaughtError
: Callback called when an error is thrown and not caught by an Error Boundary. Called with theerror
that was thrown and anerrorInfo
object containing thecomponentStack
. - optional
onRecoverableError
: Callback called when React automatically recovers from errors. Called with theerror
React throws, and anerrorInfo
object containing thecomponentStack
. Some recoverable errors may include the original error cause aserror.cause
. - optional
identifierPrefix
: A string prefix React uses for IDs generated byuseId
. Useful to avoid conflicts when using multiple roots on the same page. Must be the same prefix as used on the server.
- "This feature is only available in the Canary channel" optional
Returns
hydrateRoot
returns an object with two methods: render
and unmount
.
Caveats
hydrateRoot()
expects the rendered content to be identical with the server-rendered content. You should treat mismatches as bugs and fix them.- In development mode, React warns about mismatches during hydration. There are no guarantees that attribute differences will be patched up in case of mismatches. This is important for performance reasons because in most apps, mismatches are rare, and so validating all markup would be prohibitively expensive.
- You'll likely have only one
hydrateRoot
call in your app. If you use a framework, it might do this call for you. - If your app is client-rendered with no HTML rendered already, using
hydrateRoot()
is not supported. UsecreateRoot()
instead.
root.render(reactNode)
Call root.render
to update a React component inside a hydrated React root for a browser DOM element.
root.render(<App />);
React will update <App />
in the hydrated root
.
Parameters
reactNode
: A "React node" that you want to update. This will usually be a piece of JSX like<App />
, but you can also pass a React element constructed withcreateElement()
, a string, a number,null
, orundefined
.
Returns
root.render
returns undefined
.
Caveats
- If you call
root.render
before the root has finished hydrating, React will clear the existing server-rendered HTML content and switch the entire root to client rendering.
root.unmount()
Call root.unmount
to destroy a rendered tree inside a React root.
root.unmount();
An app fully built with React will usually not have any calls to root.unmount
.
This is mostly useful if your React root's DOM node (or any of its ancestors) may get removed from the DOM by some other code. For example, imagine a jQuery tab panel that removes inactive tabs from the DOM. If a tab gets removed, everything inside it (including the React roots inside) would get removed from the DOM as well. You need to tell React to "stop" managing the removed root's content by calling root.unmount
. Otherwise, the components inside the removed root won't clean up and free up resources like subscriptions.
Calling root.unmount
will unmount all the components in the root and "detach" React from the root DOM node, including removing any event handlers or state in the tree.
Parameters
root.unmount
does not accept any parameters.
Returns
root.unmount
returns undefined
.
Caveats
-
Calling
root.unmount
will unmount all the components in the tree and "detach" React from the root DOM node. -
Once you call
root.unmount
you cannot callroot.render
again on the root. Attempting to callroot.render
on an unmounted root will throw a "Cannot update an unmounted root" error.
Usage
Hydrating server-rendered HTML
If your app's HTML was generated by react-dom/server
, you need to hydrate it on the client.
import { hydrateRoot } from 'react-dom/client';
hydrateRoot(document.getElementById('root'), <App />);
This will hydrate the server HTML inside the browser DOM node with the 2>React component for your app. Usually, you will do it once at startup. If you use a framework, it might do this behind the scenes for you.
To hydrate your app, React will "attach" your components' logic to the initial generated HTML from the server. Hydration turns the initial HTML snapshot from the server into a fully interactive app that runs in the browser.
<!--
HTML content inside <div id="root">...</div>
was generated from App by react-dom/server.
-->
<div id="root"><h1>Hello, world!</h1><button>You clicked me <!-- -->0<!-- --> times</button></div>
import './styles.css';
import { hydrateRoot } from 'react-dom/client';
import App from './App.js';
hydrateRoot(
document.getElementById('root'),
<App />
);
import { useState } from 'react';
export default function App() {
return (
<>
<h1>Hello, world!</h1>
<Counter />
</>
);
}
function Counter() {
const [count, setCount] = useState(0);
return (
<button onClick={() => setCount(count + 1)}>
You clicked me {count} times
</button>
);
}
You shouldn't need to call hydrateRoot
again or to call it in more places. From this point on, React will be managing the DOM of your application. To update the UI, your components will use state instead.
The React tree you pass to hydrateRoot
needs to produce the same output as it did on the server.
This is important for the user experience. The user will spend some time looking at the server-generated HTML before your JavaScript code loads. Server rendering creates an illusion that the app loads faster by showing the HTML snapshot of its output. Suddenly showing different content breaks that illusion. This is why the server render output must match the initial render output on the client.
The most common causes leading to hydration errors include:
- Extra whitespace (like newlines) around the React-generated HTML inside the root node.
- Using checks like
typeof window !== 'undefined'
in your rendering logic. - Using browser-only APIs like
window.matchMedia
in your rendering logic. - Rendering different data on the server and the client.
React recovers from some hydration errors, but you must fix them like other bugs. In the best case, they'll lead to a slowdown; in the worst case, event handlers can get attached to the wrong elements.
Hydrating an entire document
Apps fully built with React can render the entire document as JSX, including the <html>
tag:
function App() {
return (
<html>
<head>
<meta charSet="utf-8" />
<meta name="viewport" content="width=device-width, initial-scale=1" />
<link rel="stylesheet" href="/styles.css"></link>
<title>My app</title>
</head>
<body>
<Router />
</body>
</html>
);
}
To hydrate the entire document, pass the document
global as the first argument to hydrateRoot
:
import { hydrateRoot } from 'react-dom/client';
import App from './App.js';
hydrateRoot(document, <App />);
Suppressing unavoidable hydration mismatch errors
If a single element’s attribute or text content is unavoidably different between the server and the client (for example, a timestamp), you may silence the hydration mismatch warning.
To silence hydration warnings on an element, add suppressHydrationWarning={true}
:
<!--
HTML content inside <div id="root">...</div>
was generated from App by react-dom/server.
-->
<div id="root"><h1>Current Date: <!-- -->01/01/2020</h1></div>
import './styles.css';
import { hydrateRoot } from 'react-dom/client';
import App from './App.js';
hydrateRoot(document.getElementById('root'), <App />);
export default function App() {
return (
<h1 suppressHydrationWarning={true}>
Current Date: {new Date().toLocaleDateString()}
</h1>
);
}
This only works one level deep, and is intended to be an escape hatch. Don’t overuse it. Unless it’s text content, React still won’t attempt to patch it up, so it may remain inconsistent until future updates.
Handling different client and server content
If you intentionally need to render something different on the server and the client, you can do a two-pass rendering. Components that render something different on the client can read a state variable like isClient
, which you can set to true
in an Effect:
<!--
HTML content inside <div id="root">...</div>
was generated from App by react-dom/server.
-->
<div id="root"><h1>Is Server</h1></div>
import './styles.css';
import { hydrateRoot } from 'react-dom/client';
import App from './App.js';
hydrateRoot(document.getElementById('root'), <App />);
import { useState, useEffect } from "react";
export default function App() {
const [isClient, setIsClient] = useState(false);
useEffect(() => {
setIsClient(true);
}, []);
return (
<h1>
{isClient ? 'Is Client' : 'Is Server'}
</h1>
);
}
This way the initial render pass will render the same content as the server, avoiding mismatches, but an additional pass will happen synchronously right after hydration.
This approach makes hydration slower because your components have to render twice. Be mindful of the user experience on slow connections. The JavaScript code may load significantly later than the initial HTML render, so rendering a different UI immediately after hydration may also feel jarring to the user.
Updating a hydrated root component
After the root has finished hydrating, you can call root.render
to update the root React component. Unlike with createRoot
, you don't usually need to do this because the initial content was already rendered as HTML.
If you call root.render
at some point after hydration, and the component tree structure matches up with what was previously rendered, React will preserve the state. Notice how you can type in the input, which means that the updates from repeated render
calls every second in this example are not destructive:
<!--
All HTML content inside <div id="root">...</div> was
generated by rendering <App /> with react-dom/server.
-->
<div id="root"><h1>Hello, world! <!-- -->0</h1><input placeholder="Type something here"/></div>
import { hydrateRoot } from 'react-dom/client';
import './styles.css';
import App from './App.js';
const root = hydrateRoot(
document.getElementById('root'),
<App counter={0} />
);
let i = 0;
setInterval(() => {
root.render(<App counter={i} />);
i++;
}, 1000);
export default function App({counter}) {
return (
<>
<h1>Hello, world! {counter}</h1>
<input placeholder="Type something here" />
</>
);
}
It is uncommon to call root.render
on a hydrated root. Usually, you'll update state inside one of the components instead.
Show a dialog for uncaught errors
onUncaughtError
is only available in the latest React Canary release.
By default, React will log all uncaught errors to the console. To implement your own error reporting, you can provide the optional onUncaughtError
root option:
import { hydrateRoot } from 'react-dom/client';
const root = hydrateRoot(
document.getElementById('root'),
<App />,
{
onUncaughtError: (error, errorInfo) => {
console.error(
'Uncaught error',
error,
errorInfo.componentStack
);
}
}
);
root.render(<App />);
The onUncaughtError option is a function called with two arguments:
- The 2>error that was thrown.
- An 3>errorInfo object that contains the 4>componentStack of the error.
You can use the onUncaughtError
root option to display error dialogs:
<!DOCTYPE html>
<html>
<head>
<title>My app</title>
</head>
<body>
<!--
Error dialog in raw HTML
since an error in the React app may crash.
-->
<div id="error-dialog" class="hidden">
<h1 id="error-title" class="text-red"></h1>
<h3>
<pre id="error-message"></pre>
</h3>
<p>
<pre id="error-body"></pre>
</p>
<h4 class="-mb-20">This error occurred at:</h4>
<pre id="error-component-stack" class="nowrap"></pre>
<h4 class="mb-0">Call stack:</h4>
<pre id="error-stack" class="nowrap"></pre>
<div id="error-cause">
<h4 class="mb-0">Caused by:</h4>
<pre id="error-cause-message"></pre>
<pre id="error-cause-stack" class="nowrap"></pre>
</div>
<button
id="error-close"
class="mb-10"
onclick="document.getElementById('error-dialog').classList.add('hidden')"
>
Close
</button>
<h3 id="error-not-dismissible">This error is not dismissible.</h3>
</div>
<!--
HTML content inside <div id="root">...</div>
was generated from App by react-dom/server.
-->
<div id="root"><div><span>This error shows the error dialog:</span><button>Throw error</button></div></div>
</body>
</html>
label, button { display: block; margin-bottom: 20px; }
html, body { min-height: 300px; }
#error-dialog {
position: absolute;
top: 0;
right: 0;
bottom: 0;
left: 0;
background-color: white;
padding: 15px;
opacity: 0.9;
text-wrap: wrap;
overflow: scroll;
}
.text-red {
color: red;
}
.-mb-20 {
margin-bottom: -20px;
}
.mb-0 {
margin-bottom: 0;
}
.mb-10 {
margin-bottom: 10px;
}
pre {
text-wrap: wrap;
}
pre.nowrap {
text-wrap: nowrap;
}
.hidden {
display: none;
}
function reportError({ title, error, componentStack, dismissable }) {
const errorDialog = document.getElementById("error-dialog");
const errorTitle = document.getElementById("error-title");
const errorMessage = document.getElementById("error-message");
const errorBody = document.getElementById("error-body");
const errorComponentStack = document.getElementById("error-component-stack");
const errorStack = document.getElementById("error-stack");
const errorClose = document.getElementById("error-close");
const errorCause = document.getElementById("error-cause");
const errorCauseMessage = document.getElementById("error-cause-message");
const errorCauseStack = document.getElementById("error-cause-stack");
const errorNotDismissible = document.getElementById("error-not-dismissible");
// Set the title
errorTitle.innerText = title;
// Display error message and body
const [heading, body] = error.message.split(/\n(.*)/s);
errorMessage.innerText = heading;
if (body) {
errorBody.innerText = body;
} else {
errorBody.innerText = '';
}
// Display component stack
errorComponentStack.innerText = componentStack;
// Display the call stack
// Since we already displayed the message, strip it, and the first Error: line.
errorStack.innerText = error.stack.replace(error.message, '').split(/\n(.*)/s)[1];
// Display the cause, if available
if (error.cause) {
errorCauseMessage.innerText = error.cause.message;
errorCauseStack.innerText = error.cause.stack;
errorCause.classList.remove('hidden');
} else {
errorCause.classList.add('hidden');
}
// Display the close button, if dismissible
if (dismissable) {
errorNotDismissible.classList.add('hidden');
errorClose.classList.remove("hidden");
} else {
errorNotDismissible.classList.remove('hidden');
errorClose.classList.add("hidden");
}
// Show the dialog
errorDialog.classList.remove("hidden");
}
export function reportCaughtError({error, cause, componentStack}) {
reportError({ title: "Caught Error", error, componentStack, dismissable: true});
}
export function reportUncaughtError({error, cause, componentStack}) {
reportError({ title: "Uncaught Error", error, componentStack, dismissable: false });
}
export function reportRecoverableError({error, cause, componentStack}) {
reportError({ title: "Recoverable Error", error, componentStack, dismissable: true });
}
import { hydrateRoot } from "react-dom/client";
import App from "./App.js";
import {reportUncaughtError} from "./reportError";
import "./styles.css";
import {renderToString} from 'react-dom/server';
const container = document.getElementById("root");
const root = hydrateRoot(container, <App />, {
onUncaughtError: (error, errorInfo) => {
if (error.message !== 'Known error') {
reportUncaughtError({
error,
componentStack: errorInfo.componentStack
});
}
}
});
import { useState } from 'react';
export default function App() {
const [throwError, setThrowError] = useState(false);
if (throwError) {
foo.bar = 'baz';
}
return (
<div>
<span>This error shows the error dialog:</span>
<button onClick={() => setThrowError(true)}>
Throw error
</button>
</div>
);
}
{
"dependencies": {
"react": "canary",
"react-dom": "canary",
"react-scripts": "^5.0.0"
},
"main": "/index.js"
}
Displaying Error Boundary errors
onCaughtError
is only available in the latest React Canary release.
By default, React will log all errors caught by an Error Boundary to console.error
. To override this behavior, you can provide the optional onCaughtError
root option for errors caught by an Error Boundary:
import { hydrateRoot } from 'react-dom/client';
const root = hydrateRoot(
document.getElementById('root'),
<App />,
{
onCaughtError: (error, errorInfo) => {
console.error(
'Caught error',
error,
errorInfo.componentStack
);
}
}
);
root.render(<App />);
The onCaughtError option is a function called with two arguments:
- The 2>error that was caught by the boundary.
- An 3>errorInfo object that contains the 4>componentStack of the error.
You can use the onCaughtError
root option to display error dialogs or filter known errors from logging:
<!DOCTYPE html>
<html>
<head>
<title>My app</title>
</head>
<body>
<!--
Error dialog in raw HTML
since an error in the React app may crash.
-->
<div id="error-dialog" class="hidden">
<h1 id="error-title" class="text-red"></h1>
<h3>
<pre id="error-message"></pre>
</h3>
<p>
<pre id="error-body"></pre>
</p>
<h4 class="-mb-20">This error occurred at:</h4>
<pre id="error-component-stack" class="nowrap"></pre>
<h4 class="mb-0">Call stack:</h4>
<pre id="error-stack" class="nowrap"></pre>
<div id="error-cause">
<h4 class="mb-0">Caused by:</h4>
<pre id="error-cause-message"></pre>
<pre id="error-cause-stack" class="nowrap"></pre>
</div>
<button
id="error-close"
class="mb-10"
onclick="document.getElementById('error-dialog').classList.add('hidden')"
>
Close
</button>
<h3 id="error-not-dismissible">This error is not dismissible.</h3>
</div>
<!--
HTML content inside <div id="root">...</div>
was generated from App by react-dom/server.
-->
<div id="root"><span>This error will not show the error dialog:</span><button>Throw known error</button><span>This error will show the error dialog:</span><button>Throw unknown error</button></div>
</body>
</html>
label, button { display: block; margin-bottom: 20px; }
html, body { min-height: 300px; }
#error-dialog {
position: absolute;
top: 0;
right: 0;
bottom: 0;
left: 0;
background-color: white;
padding: 15px;
opacity: 0.9;
text-wrap: wrap;
overflow: scroll;
}
.text-red {
color: red;
}
.-mb-20 {
margin-bottom: -20px;
}
.mb-0 {
margin-bottom: 0;
}
.mb-10 {
margin-bottom: 10px;
}
pre {
text-wrap: wrap;
}
pre.nowrap {
text-wrap: nowrap;
}
.hidden {
display: none;
}
function reportError({ title, error, componentStack, dismissable }) {
const errorDialog = document.getElementById("error-dialog");
const errorTitle = document.getElementById("error-title");
const errorMessage = document.getElementById("error-message");
const errorBody = document.getElementById("error-body");
const errorComponentStack = document.getElementById("error-component-stack");
const errorStack = document.getElementById("error-stack");
const errorClose = document.getElementById("error-close");
const errorCause = document.getElementById("error-cause");
const errorCauseMessage = document.getElementById("error-cause-message");
const errorCauseStack = document.getElementById("error-cause-stack");
const errorNotDismissible = document.getElementById("error-not-dismissible");
// Set the title
errorTitle.innerText = title;
// Display error message and body
const [heading, body] = error.message.split(/\n(.*)/s);
errorMessage.innerText = heading;
if (body) {
errorBody.innerText = body;
} else {
errorBody.innerText = '';
}
// Display component stack
errorComponentStack.innerText = componentStack;
// Display the call stack
// Since we already displayed the message, strip it, and the first Error: line.
errorStack.innerText = error.stack.replace(error.message, '').split(/\n(.*)/s)[1];
// Display the cause, if available
if (error.cause) {
errorCauseMessage.innerText = error.cause.message;
errorCauseStack.innerText = error.cause.stack;
errorCause.classList.remove('hidden');
} else {
errorCause.classList.add('hidden');
}
// Display the close button, if dismissible
if (dismissable) {
errorNotDismissible.classList.add('hidden');
errorClose.classList.remove("hidden");
} else {
errorNotDismissible.classList.remove('hidden');
errorClose.classList.add("hidden");
}
// Show the dialog
errorDialog.classList.remove("hidden");
}
export function reportCaughtError({error, cause, componentStack}) {
reportError({ title: "Caught Error", error, componentStack, dismissable: true});
}
export function reportUncaughtError({error, cause, componentStack}) {
reportError({ title: "Uncaught Error", error, componentStack, dismissable: false });
}
export function reportRecoverableError({error, cause, componentStack}) {
reportError({ title: "Recoverable Error", error, componentStack, dismissable: true });
}
import { hydrateRoot } from "react-dom/client";
import App from "./App.js";
import {reportCaughtError} from "./reportError";
import "./styles.css";
const container = document.getElementById("root");
const root = hydrateRoot(container, <App />, {
onCaughtError: (error, errorInfo) => {
if (error.message !== 'Known error') {
reportCaughtError({
error,
componentStack: errorInfo.componentStack
});
}
}
});
import { useState } from 'react';
import { ErrorBoundary } from "react-error-boundary";
export default function App() {
const [error, setError] = useState(null);
function handleUnknown() {
setError("unknown");
}
function handleKnown() {
setError("known");
}
return (
<>
<ErrorBoundary
fallbackRender={fallbackRender}
onReset={(details) => {
setError(null);
}}
>
{error != null && <Throw error={error} />}
<span>This error will not show the error dialog:</span>
<button onClick={handleKnown}>
Throw known error
</button>
<span>This error will show the error dialog:</span>
<button onClick={handleUnknown}>
Throw unknown error
</button>
</ErrorBoundary>
</>
);
}
function fallbackRender({ resetErrorBoundary }) {
return (
<div role="alert">
<h3>Error Boundary</h3>
<p>Something went wrong.</p>
<button onClick={resetErrorBoundary}>Reset</button>
</div>
);
}
function Throw({error}) {
if (error === "known") {
throw new Error('Known error')
} else {
foo.bar = 'baz';
}
}
{
"dependencies": {
"react": "canary",
"react-dom": "canary",
"react-scripts": "^5.0.0",
"react-error-boundary": "4.0.3"
},
"main": "/index.js"
}
Show a dialog for recoverable hydration mismatch errors
When React encounters a hydration mismatch, it will automatically attempt to recover by rendering on the client. By default, React will log hydration mismatch errors to console.error
. To override this behavior, you can provide the optional onRecoverableError
root option:
import { hydrateRoot } from 'react-dom/client';
const root = hydrateRoot(
document.getElementById('root'),
<App />,
{
onRecoverableError: (error, errorInfo) => {
console.error(
'Caught error',
error,
error.cause,
errorInfo.componentStack
);
}
}
);
The onRecoverableError option is a function called with two arguments:
- The 2>error React throws. Some errors may include the original cause as 3>error.cause.
- An 4>errorInfo object that contains the 5>componentStack of the error.
You can use the onRecoverableError
root option to display error dialogs for hydration mismatches:
<!DOCTYPE html>
<html>
<head>
<title>My app</title>
</head>
<body>
<!--
Error dialog in raw HTML
since an error in the React app may crash.
-->
<div id="error-dialog" class="hidden">
<h1 id="error-title" class="text-red"></h1>
<h3>
<pre id="error-message"></pre>
</h3>
<p>
<pre id="error-body"></pre>
</p>
<h4 class="-mb-20">This error occurred at:</h4>
<pre id="error-component-stack" class="nowrap"></pre>
<h4 class="mb-0">Call stack:</h4>
<pre id="error-stack" class="nowrap"></pre>
<div id="error-cause">
<h4 class="mb-0">Caused by:</h4>
<pre id="error-cause-message"></pre>
<pre id="error-cause-stack" class="nowrap"></pre>
</div>
<button
id="error-close"
class="mb-10"
onclick="document.getElementById('error-dialog').classList.add('hidden')"
>
Close
</button>
<h3 id="error-not-dismissible">This error is not dismissible.</h3>
</div>
<!--
HTML content inside <div id="root">...</div>
was generated from App by react-dom/server.
-->
<div id="root"><span>Server</span></div>
</body>
</html>
label, button { display: block; margin-bottom: 20px; }
html, body { min-height: 300px; }
#error-dialog {
position: absolute;
top: 0;
right: 0;
bottom: 0;
left: 0;
background-color: white;
padding: 15px;
opacity: 0.9;
text-wrap: wrap;
overflow: scroll;
}
.text-red {
color: red;
}
.-mb-20 {
margin-bottom: -20px;
}
.mb-0 {
margin-bottom: 0;
}
.mb-10 {
margin-bottom: 10px;
}
pre {
text-wrap: wrap;
}
pre.nowrap {
text-wrap: nowrap;
}
.hidden {
display: none;
}
function reportError({ title, error, componentStack, dismissable }) {
const errorDialog = document.getElementById("error-dialog");
const errorTitle = document.getElementById("error-title");
const errorMessage = document.getElementById("error-message");
const errorBody = document.getElementById("error-body");
const errorComponentStack = document.getElementById("error-component-stack");
const errorStack = document.getElementById("error-stack");
const errorClose = document.getElementById("error-close");
const errorCause = document.getElementById("error-cause");
const errorCauseMessage = document.getElementById("error-cause-message");
const errorCauseStack = document.getElementById("error-cause-stack");
const errorNotDismissible = document.getElementById("error-not-dismissible");
// Set the title
errorTitle.innerText = title;
// Display error message and body
const [heading, body] = error.message.split(/\n(.*)/s);
errorMessage.innerText = heading;
if (body) {
errorBody.innerText = body;
} else {
errorBody.innerText = '';
}
// Display component stack
errorComponentStack.innerText = componentStack;
// Display the call stack
// Since we already displayed the message, strip it, and the first Error: line.
errorStack.innerText = error.stack.replace(error.message, '').split(/\n(.*)/s)[1];
// Display the cause, if available
if (error.cause) {
errorCauseMessage.innerText = error.cause.message;
errorCauseStack.innerText = error.cause.stack;
errorCause.classList.remove('hidden');
} else {
errorCause.classList.add('hidden');
}
// Display the close button, if dismissible
if (dismissable) {
errorNotDismissible.classList.add('hidden');
errorClose.classList.remove("hidden");
} else {
errorNotDismissible.classList.remove('hidden');
errorClose.classList.add("hidden");
}
// Show the dialog
errorDialog.classList.remove("hidden");
}
export function reportCaughtError({error, cause, componentStack}) {
reportError({ title: "Caught Error", error, componentStack, dismissable: true});
}
export function reportUncaughtError({error, cause, componentStack}) {
reportError({ title: "Uncaught Error", error, componentStack, dismissable: false });
}
export function reportRecoverableError({error, cause, componentStack}) {
reportError({ title: "Recoverable Error", error, componentStack, dismissable: true });
}
import { hydrateRoot } from "react-dom/client";
import App from "./App.js";
import {reportRecoverableError} from "./reportError";
import "./styles.css";
const container = document.getElementById("root");
const root = hydrateRoot(container, <App />, {
onRecoverableError: (error, errorInfo) => {
reportRecoverableError({
error,
cause: error.cause,
componentStack: errorInfo.componentStack
});
}
});
import { useState } from 'react';
import { ErrorBoundary } from "react-error-boundary";
export default function App() {
const [error, setError] = useState(null);
function handleUnknown() {
setError("unknown");
}
function handleKnown() {
setError("known");
}
return (
<span>{typeof window !== 'undefined' ? 'Client' : 'Server'}</span>
);
}
function fallbackRender({ resetErrorBoundary }) {
return (
<div role="alert">
<h3>Error Boundary</h3>
<p>Something went wrong.</p>
<button onClick={resetErrorBoundary}>Reset</button>
</div>
);
}
function Throw({error}) {
if (error === "known") {
throw new Error('Known error')
} else {
foo.bar = 'baz';
}
}
{
"dependencies": {
"react": "canary",
"react-dom": "canary",
"react-scripts": "^5.0.0",
"react-error-boundary": "4.0.3"
},
"main": "/index.js"
}
Troubleshooting
I'm getting an error: "You passed a second argument to root.render"
A common mistake is to pass the options for hydrateRoot
to root.render(...)
:
Warning: You passed a second argument to root.render(...) but it only accepts one argument.
To fix, pass the root options to hydrateRoot(...)
, not root.render(...)
:
// 🚩 Wrong: root.render only takes one argument.
root.render(App, {onUncaughtError});
// ✅ Correct: pass options to createRoot.
const root = hydrateRoot(container, <App />, {onUncaughtError});