diff --git a/src/content/reference/react-dom/client/hydrateRoot.md b/src/content/reference/react-dom/client/hydrateRoot.md index b1eeca30c..b35751916 100644 --- a/src/content/reference/react-dom/client/hydrateRoot.md +++ b/src/content/reference/react-dom/client/hydrateRoot.md @@ -1,503 +1,46 @@ ---- -title: hydrateRoot ---- - - - -`hydrateRoot` lets you display React components inside a browser DOM node whose HTML content was previously generated by [`react-dom/server`.](/reference/react-dom/server) - -```js -const root = hydrateRoot(domNode, reactNode, options?) -``` - - - - - ---- - -## Reference {/*reference*/} - -### `hydrateRoot(domNode, reactNode, options?)` {/*hydrateroot*/} - -Call `hydrateRoot` to “attach” React to existing HTML that was already rendered by React in a server environment. - -```js -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. - -[See more examples below.](#usage) - -#### Parameters {/*parameters*/} - -* `domNode`: A [DOM element](https://developer.mozilla.org/en-US/docs/Web/API/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 `` which was rendered with a `ReactDOM Server` method such as `renderToPipeableStream()`. - -* **optional** `options`: An object with options for this React root. - - * **optional** `onCaughtError`: Callback called when React catches an error in an Error Boundary. Called with the `error` caught by the Error Boundary, and an `errorInfo` object containing the `componentStack`. - * **optional** `onUncaughtError`: Callback called when an error is thrown and not caught by an Error Boundary. Called with the `error` that was thrown and an `errorInfo` object containing the `componentStack`. - * **optional** `onRecoverableError`: Callback called when React automatically recovers from errors. Called with the `error` React throws, and an `errorInfo` object containing the `componentStack`. Some recoverable errors may include the original error cause as `error.cause`. - * **optional** `identifierPrefix`: A string prefix React uses for IDs generated by [`useId`.](/reference/react/useId) Useful to avoid conflicts when using multiple roots on the same page. Must be the same prefix as used on the server. - - -#### Returns {/*returns*/} - -`hydrateRoot` returns an object with two methods: [`render`](#root-render) and [`unmount`.](#root-unmount) - -#### Caveats {/*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. Use [`createRoot()`](/reference/react-dom/client/createRoot) instead. - ---- - -### `root.render(reactNode)` {/*root-render*/} - -Call `root.render` to update a React component inside a hydrated React root for a browser DOM element. - -```js -root.render(); -``` - -React will update `` in the hydrated `root`. - -[See more examples below.](#usage) - -#### Parameters {/*root-render-parameters*/} - -* `reactNode`: A "React node" that you want to update. This will usually be a piece of JSX like ``, but you can also pass a React element constructed with [`createElement()`](/reference/react/createElement), a string, a number, `null`, or `undefined`. - - -#### Returns {/*root-render-returns*/} - -`root.render` returns `undefined`. - -#### Caveats {/*root-render-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()` {/*root-unmount*/} - -Call `root.unmount` to destroy a rendered tree inside a React root. - -```js -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-parameters*/} - -`root.unmount` does not accept any parameters. - - -#### Returns {/*root-unmount-returns*/} - -`root.unmount` returns `undefined`. - -#### Caveats {/*root-unmount-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 call `root.render` again on the root. Attempting to call `root.render` on an unmounted root will throw a "Cannot update an unmounted root" error. - ---- - -## Usage {/*usage*/} - -### Hydrating server-rendered HTML {/*hydrating-server-rendered-html*/} - -If your app's HTML was generated by [`react-dom/server`](/reference/react-dom/client/createRoot), you need to *hydrate* it on the client. - -```js [[1, 3, "document.getElementById('root')"], [2, 3, ""]] -import { hydrateRoot } from 'react-dom/client'; - -hydrateRoot(document.getElementById('root'), ); -``` - -This will hydrate the server HTML inside the browser DOM node with the 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 public/index.html - -

Hello, world!

-``` - -```js src/index.js active -import './styles.css'; import { hydrateRoot } from 'react-dom/client'; import App from './App.js'; +import reportError from './reportError.js'; -hydrateRoot( +const root = hydrateRoot( document.getElementById('root'), - + , + { + onUncaughtError: (error, errorInfo) => { + const title = 'Uncaught React error'; + reportError({ title, error, ...errorInfo, dismissable: true }); + console.error(title, error, errorInfo.componentStack); + } + } ); ``` -```js src/App.js +```js src/App.js active import { useState } from 'react'; -export default function App() { - return ( - <> -

Hello, world!

- - - ); -} - -function Counter() { - const [count, setCount] = useState(0); +function ThrowError() { + const [throwError, setThrowError] = useState(false); + if (throwError) { + throw new Error('This is an error deliberately thrown.'); + } return ( - ); } -``` - -
- -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](/reference/react/useState) 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`](https://developer.mozilla.org/en-US/docs/Web/API/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 {/*hydrating-an-entire-document*/} - -Apps fully built with React can render the entire document as JSX, including the [``](https://developer.mozilla.org/en-US/docs/Web/HTML/Element/html) tag: - -```js {3,13} -function App() { - return ( - - - - - - My app - - - - - - ); -} -``` - -To hydrate the entire document, pass the [`document`](https://developer.mozilla.org/en-US/docs/Web/API/Window/document) global as the first argument to `hydrateRoot`: - -```js {4} -import { hydrateRoot } from 'react-dom/client'; -import App from './App.js'; - -hydrateRoot(document, ); -``` - ---- - -### Suppressing unavoidable hydration mismatch errors {/*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 public/index.html - -

Current Date: 01/01/2020

-``` - -```js src/index.js -import './styles.css'; -import { hydrateRoot } from 'react-dom/client'; -import App from './App.js'; - -hydrateRoot(document.getElementById('root'), ); -``` - -```js src/App.js active -export default function App() { - return ( -

- Current Date: {new Date().toLocaleDateString()} -

- ); -} -``` - -
- -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 {/*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](/reference/react/useState) like `isClient`, which you can set to `true` in an [Effect](/reference/react/useEffect): - - - -```html public/index.html - -

Is Server

-``` - -```js src/index.js -import './styles.css'; -import { hydrateRoot } from 'react-dom/client'; -import App from './App.js'; - -hydrateRoot(document.getElementById('root'), ); -``` - -```js src/App.js active -import { useState, useEffect } from "react"; export default function App() { - const [isClient, setIsClient] = useState(false); - - useEffect(() => { - setIsClient(true); - }, []); - - return ( -

- {isClient ? 'Is Client' : 'Is Server'} -

- ); -} -``` - -
- -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 {/*updating-a-hydrated-root-component*/} - -After the root has finished hydrating, you can call [`root.render`](#root-render) to update the root React component. **Unlike with [`createRoot`](/reference/react-dom/client/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.](/learn/preserving-and-resetting-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: - - - -```html public/index.html - -

Hello, world! 0

-``` - -```js src/index.js active -import { hydrateRoot } from 'react-dom/client'; -import './styles.css'; -import App from './App.js'; - -const root = hydrateRoot( - document.getElementById('root'), - -); - -let i = 0; -setInterval(() => { - root.render(); - i++; -}, 1000); -``` - -```js src/App.js -export default function App({counter}) { return ( <> -

Hello, world! {counter}

- + This error shows the error dialog: + ); } ``` -
- -It is uncommon to call [`root.render`](#root-render) on a hydrated root. Usually, you'll [update state](/reference/react/useState) inside one of the components instead. - -### Show a dialog for uncaught errors {/*show-a-dialog-for-uncaught-errors*/} - -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: - -```js [[1, 7, "onUncaughtError"], [2, 7, "error", 1], [3, 7, "errorInfo"], [4, 11, "componentStack"]] -import { hydrateRoot } from 'react-dom/client'; - -const root = hydrateRoot( - document.getElementById('root'), - , - { - onUncaughtError: (error, errorInfo) => { - console.error( - 'Uncaught error', - error, - errorInfo.componentStack - ); - } - } -); -root.render(); -``` - -The onUncaughtError option is a function called with two arguments: - -1. The error that was thrown. -2. An errorInfo object that contains the componentStack of the error. - -You can use the `onUncaughtError` root option to display error dialogs: - - - -```html public/index.html hidden - - - - My app - - - - - -
This error shows the error dialog:
- - -``` - -```css src/styles.css active -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; -} -``` - ```js src/reportError.js hidden function reportError({ title, error, componentStack, dismissable }) { const errorDialog = document.getElementById("error-dialog"); @@ -523,15 +66,69 @@ function reportError({ title, error, componentStack, dismissable }) { } else { errorBody.innerText = ''; } + + // Display the component stack + errorComponentStack.innerText = componentStack; - // Display component stack + // Display the stack trace + errorStack.innerText = error.stack; + + // Display the cause if there is one + if (error.cause) { + errorCauseMessage.innerText = error.cause.message; + errorCauseStack.innerText = error.cause.stack; + errorCause.classList.remove("hidden"); + } else { + errorCause.classList.add("hidden"); + } + + // Show the error dialog + errorDialog.classList.remove("hidden"); + + // Hide the close button if the error is not dismissable + if (dismissable) { + errorClose.classList.remove("hidden"); + errorNotDismissible.classList.add("hidden"); + } else { + errorClose.classList.add("hidden"); + errorNotDismissible.classList.remove("hidden"); + } +} + +export default reportError; +``` + +
+ + + +Unlike `onError` from the [Error Boundaries](/reference/react/Component#catching-rendering-errors-with-error-boundaries), the `onUncaughtError` option *does not* prevent errors from bubbling to the browser console. It is intended for logging, error reporting, and showing custom error dialogs. + + +```js + // 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 = ''; + } + +``` + +```js + // Exibir a pilha de componentes errorComponentStack.innerText = componentStack; - // Display the call stack - // Since we already displayed the message, strip it, and the first Error: line. + // Exibir a pilha de chamadas + // Como já exibimos a mensagem, remova-a e a primeira linha Error:. errorStack.innerText = error.stack.replace(error.message, '').split(/\n(.*)/s)[1]; - // Display the cause, if available + // Exibir a causa, se disponível if (error.cause) { errorCauseMessage.innerText = error.cause.message; errorCauseStack.innerText = error.cause.stack; @@ -539,7 +136,7 @@ function reportError({ title, error, componentStack, dismissable }) { } else { errorCause.classList.add('hidden'); } - // Display the close button, if dismissible + // Exibir o botão de fechar, se dispensável if (dismissable) { errorNotDismissible.classList.add('hidden'); errorClose.classList.remove("hidden"); @@ -548,20 +145,20 @@ function reportError({ title, error, componentStack, dismissable }) { errorClose.classList.add("hidden"); } - // Show the dialog + // Mostrar o diálogo errorDialog.classList.remove("hidden"); } export function reportCaughtError({error, cause, componentStack}) { - reportError({ title: "Caught Error", error, componentStack, dismissable: true}); + reportError({ title: "Erro Capturado", error, componentStack, dismissable: true}); } export function reportUncaughtError({error, cause, componentStack}) { - reportError({ title: "Uncaught Error", error, componentStack, dismissable: false }); + reportError({ title: "Erro Não Capturado", error, componentStack, dismissable: false }); } export function reportRecoverableError({error, cause, componentStack}) { - reportError({ title: "Recoverable Error", error, componentStack, dismissable: true }); + reportError({ title: "Erro Recuperável", error, componentStack, dismissable: true }); } ``` @@ -597,9 +194,9 @@ export default function App() { return (
- This error shows the error dialog: + Este erro exibe o diálogo de erro:
); @@ -608,10 +205,9 @@ export default function App() { +### Exibindo erros de Error Boundary {/*displaying-error-boundary-errors*/} -### Displaying Error Boundary errors {/*displaying-error-boundary-errors*/} - -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](/reference/react/Component#catching-rendering-errors-with-an-error-boundary): +Por padrão, o React registrará todos os erros capturados por um Error Boundary em `console.error`. Para substituir esse comportamento, você pode fornecer a opção raiz opcional `onCaughtError` para erros capturados por um [Error Boundary](/reference/react/Component#catching-rendering-errors-with-an-error-boundary): ```js [[1, 7, "onCaughtError"], [2, 7, "error", 1], [3, 7, "errorInfo"], [4, 11, "componentStack"]] import { hydrateRoot } from 'react-dom/client'; @@ -632,12 +228,12 @@ const root = hydrateRoot( root.render(); ``` -The onCaughtError option is a function called with two arguments: +A opção onCaughtError é uma função chamada com dois argumentos: -1. The error that was caught by the boundary. -2. An errorInfo object that contains the componentStack of the error. +1. O error que foi capturado pelo boundary. +2. Um objeto errorInfo que contém o componentStack do erro. -You can use the `onCaughtError` root option to display error dialogs or filter known errors from logging: +Você pode usar a opção raiz `onCaughtError` para exibir diálogos de erro ou filtrar erros conhecidos de logging: @@ -645,12 +241,12 @@ You can use the `onCaughtError` root option to display error dialogs or filter k - My app + Meu aplicativo -
This error will not show the error dialog:This error will show the error dialog:
+
Este erro não mostrará o diálogo de erro:Este erro mostrará o diálogo de erro:
``` @@ -843,13 +439,13 @@ export default function App() { }} > {error != null && } - This error will not show the error dialog: + Este erro não mostrará o diálogo de erro: - This error will show the error dialog: + Este erro mostrará o diálogo de erro: @@ -861,8 +457,8 @@ function fallbackRender({ resetErrorBoundary }) { return (

Error Boundary

-

Something went wrong.

- +

Algo deu errado.

+
); } @@ -890,9 +486,9 @@ function Throw({error}) {
-### Show a dialog for recoverable hydration mismatch errors {/*show-a-dialog-for-recoverable-hydration-mismatch-errors*/} +### Mostrar um diálogo para erros recuperáveis de incompatibilidade de hidratação {/*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: +Quando o React encontra uma incompatibilidade de hidratação, ele tentará automaticamente se recuperar renderizando no cliente. Por padrão, o React registrará erros de incompatibilidade de hidratação em `console.error`. Para substituir esse comportamento, você pode fornecer a opção raiz opcional `onRecoverableError`: ```js [[1, 7, "onRecoverableError"], [2, 7, "error", 1], [3, 11, "error.cause", 1], [4, 7, "errorInfo"], [5, 12, "componentStack"]] import { hydrateRoot } from 'react-dom/client'; @@ -913,12 +509,12 @@ const root = hydrateRoot( ); ``` -The onRecoverableError option is a function called with two arguments: +A opção onRecoverableError é uma função chamada com dois argumentos: -1. The error React throws. Some errors may include the original cause as error.cause. -2. An errorInfo object that contains the componentStack of the error. +1. O error que o React lança. Alguns erros podem incluir a causa original como error.cause. +2. Um objeto errorInfo que contém o componentStack do erro. -You can use the `onRecoverableError` root option to display error dialogs for hydration mismatches: +Você pode usar a opção raiz `onRecoverableError` para exibir diálogos de erro para incompatibilidades de hidratação: @@ -926,12 +522,12 @@ You can use the `onRecoverableError` root option to display error dialogs for hy - My app + Meu aplicativo -
Server
+
Servidor
``` @@ -1123,8 +719,8 @@ function fallbackRender({ resetErrorBoundary }) { return (

Error Boundary

-

Something went wrong.

- +

Algo deu errado.

+
); } @@ -1152,24 +748,22 @@ function Throw({error}) {
-## Troubleshooting {/*troubleshooting*/} +## Solução de problemas {/*troubleshooting*/} +### Estou recebendo um erro: "Você passou um segundo argumento para root.render" {/*im-getting-an-error-you-passed-a-second-argument-to-root-render*/} -### I'm getting an error: "You passed a second argument to root.render" {/*im-getting-an-error-you-passed-a-second-argument-to-root-render*/} - -A common mistake is to pass the options for `hydrateRoot` to `root.render(...)`: +Um erro comum é passar as opções para `hydrateRoot` para `root.render(...)`: -Warning: You passed a second argument to root.render(...) but it only accepts one argument. +Aviso: Você passou um segundo argumento para root.render(...) mas ele aceita apenas um argumento. -To fix, pass the root options to `hydrateRoot(...)`, not `root.render(...)`: +Para corrigir, passe as opções de raiz para `hydrateRoot(...)`, não `root.render(...)`: ```js {2,5} -// 🚩 Wrong: root.render only takes one argument. +// 🚩 Errado: root.render aceita apenas um argumento. root.render(App, {onUncaughtError}); -// ✅ Correct: pass options to createRoot. -const root = hydrateRoot(container, , {onUncaughtError}); -``` +// ✅ Correto: passe opções para createRoot. +const root = hydrateRoot(container, , {onUncaughtError}); \ No newline at end of file