Skip to content

Commit 2e0d86d

Browse files
authored
Allow updating dehydrated root at lower priority without forcing client render (#24082)
* Pass children to hydration root constructor I already made this change for the concurrent root API in #23309. This does the same thing for the legacy API. Doesn't change any behavior, but I will use this in the next steps. * Add isRootDehydrated function Currently this does nothing except read a boolean field, but I'm about to change this logic. Since this is accessed by React DOM, too, I put the function in a separate module that can be deep imported. Previously, it was accessing the FiberRoot directly. The reason it's a separate module is to break a circular dependency between React DOM and the reconciler. * Allow updates at lower pri without forcing client render Currently, if a root is updated before the shell has finished hydrating (for example, due to a top-level navigation), we immediately revert to client rendering. This is rare because the root is expected is finish quickly, but not exceedingly rare because the root may be suspended. This adds support for updating the root without forcing a client render as long as the update has lower priority than the initial hydration, i.e. if the update is wrapped in startTransition. To implement this, I had to do some refactoring. The main idea here is to make it closer to how we implement hydration in Suspense boundaries: - I moved isDehydrated from the shared FiberRoot object to the HostRoot's state object. - In the begin phase, I check if the root has received an by comparing the new children to the initial children. If they are different, we revert to client rendering, and set isDehydrated to false using a derived state update (a la getDerivedStateFromProps). - There are a few places where we used to set root.isDehydrated to false as a way to force a client render. Instead, I set the ForceClientRender flag on the root work-in-progress fiber. - Whenever we fall back to client rendering, I log a recoverable error. The overall code structure is almost identical to the corresponding logic for Suspense components. The reason this works is because if the update has lower priority than the initial hydration, it won't be processed during the hydration render, so the children will be the same. We can go even further and allow updates at _higher_ priority (though not sync) by implementing selective hydration at the root, like we do for Suspense boundaries: interrupt the current render, attempt hydration at slightly higher priority than the update, then continue rendering the update. I haven't implemented this yet, but I've structured the code in anticipation of adding this later. * Wrap useMutableSource logic in feature flag
1 parent dbe9e73 commit 2e0d86d

27 files changed

+571
-302
lines changed

packages/react-art/src/ReactART.js

-1
Original file line numberDiff line numberDiff line change
@@ -69,7 +69,6 @@ class Surface extends React.Component {
6969
this._mountNode = createContainer(
7070
this._surface,
7171
LegacyRoot,
72-
false,
7372
null,
7473
false,
7574
false,

packages/react-devtools-shared/src/backend/renderer.js

+7-2
Original file line numberDiff line numberDiff line change
@@ -2704,9 +2704,14 @@ export function attach(
27042704
// TODO: relying on this seems a bit fishy.
27052705
const wasMounted =
27062706
alternate.memoizedState != null &&
2707-
alternate.memoizedState.element != null;
2707+
alternate.memoizedState.element != null &&
2708+
// A dehydrated root is not considered mounted
2709+
alternate.memoizedState.isDehydrated !== true;
27082710
const isMounted =
2709-
current.memoizedState != null && current.memoizedState.element != null;
2711+
current.memoizedState != null &&
2712+
current.memoizedState.element != null &&
2713+
// A dehydrated root is not considered mounted
2714+
current.memoizedState.isDehydrated !== true;
27102715
if (!wasMounted && isMounted) {
27112716
// Mount a new root.
27122717
setRootPseudoKey(currentRootID, current);

packages/react-dom/src/__tests__/ReactDOMFizzShellHydration-test.js

+34-2
Original file line numberDiff line numberDiff line change
@@ -9,6 +9,7 @@
99

1010
let JSDOM;
1111
let React;
12+
let startTransition;
1213
let ReactDOMClient;
1314
let Scheduler;
1415
let clientAct;
@@ -33,6 +34,8 @@ describe('ReactDOMFizzShellHydration', () => {
3334
ReactDOMFizzServer = require('react-dom/server');
3435
Stream = require('stream');
3536

37+
startTransition = React.startTransition;
38+
3639
textCache = new Map();
3740

3841
// Test Environment
@@ -214,7 +217,36 @@ describe('ReactDOMFizzShellHydration', () => {
214217
expect(container.textContent).toBe('Shell');
215218
});
216219

217-
test('updating the root before the shell hydrates forces a client render', async () => {
220+
test(
221+
'updating the root at lower priority than initial hydration does not ' +
222+
'force a client render',
223+
async () => {
224+
function App() {
225+
return <Text text="Initial" />;
226+
}
227+
228+
// Server render
229+
await resolveText('Initial');
230+
await serverAct(async () => {
231+
const {pipe} = ReactDOMFizzServer.renderToPipeableStream(<App />);
232+
pipe(writable);
233+
});
234+
expect(Scheduler).toHaveYielded(['Initial']);
235+
236+
await clientAct(async () => {
237+
const root = ReactDOMClient.hydrateRoot(container, <App />);
238+
// This has lower priority than the initial hydration, so the update
239+
// won't be processed until after hydration finishes.
240+
startTransition(() => {
241+
root.render(<Text text="Updated" />);
242+
});
243+
});
244+
expect(Scheduler).toHaveYielded(['Initial', 'Updated']);
245+
expect(container.textContent).toBe('Updated');
246+
},
247+
);
248+
249+
test('updating the root while the shell is suspended forces a client render', async () => {
218250
function App() {
219251
return <AsyncText text="Shell" />;
220252
}
@@ -245,9 +277,9 @@ describe('ReactDOMFizzShellHydration', () => {
245277
root.render(<Text text="New screen" />);
246278
});
247279
expect(Scheduler).toHaveYielded([
280+
'New screen',
248281
'This root received an early update, before anything was able ' +
249282
'hydrate. Switched the entire root to client rendering.',
250-
'New screen',
251283
]);
252284
expect(container.textContent).toBe('New screen');
253285
});

packages/react-dom/src/__tests__/ReactDOMRoot-test.js

+9
Original file line numberDiff line numberDiff line change
@@ -253,6 +253,15 @@ describe('ReactDOMRoot', () => {
253253
);
254254
});
255255

256+
it('callback passed to legacy hydrate() API', () => {
257+
container.innerHTML = '<div>Hi</div>';
258+
ReactDOM.hydrate(<div>Hi</div>, container, () => {
259+
Scheduler.unstable_yieldValue('callback');
260+
});
261+
expect(container.textContent).toEqual('Hi');
262+
expect(Scheduler).toHaveYielded(['callback']);
263+
});
264+
256265
it('warns when unmounting with legacy API (no previous content)', () => {
257266
const root = ReactDOMClient.createRoot(container);
258267
root.render(<div>Hi</div>);

packages/react-dom/src/client/ReactDOMLegacy.js

+79-40
Original file line numberDiff line numberDiff line change
@@ -27,6 +27,7 @@ import {
2727

2828
import {
2929
createContainer,
30+
createHydrationContainer,
3031
findHostInstanceWithNoPortals,
3132
updateContainer,
3233
flushSync,
@@ -109,34 +110,81 @@ function noopOnRecoverableError() {
109110

110111
function legacyCreateRootFromDOMContainer(
111112
container: Container,
112-
forceHydrate: boolean,
113+
initialChildren: ReactNodeList,
114+
parentComponent: ?React$Component<any, any>,
115+
callback: ?Function,
116+
isHydrationContainer: boolean,
113117
): FiberRoot {
114-
// First clear any existing content.
115-
if (!forceHydrate) {
118+
if (isHydrationContainer) {
119+
if (typeof callback === 'function') {
120+
const originalCallback = callback;
121+
callback = function() {
122+
const instance = getPublicRootInstance(root);
123+
originalCallback.call(instance);
124+
};
125+
}
126+
127+
const root = createHydrationContainer(
128+
initialChildren,
129+
callback,
130+
container,
131+
LegacyRoot,
132+
null, // hydrationCallbacks
133+
false, // isStrictMode
134+
false, // concurrentUpdatesByDefaultOverride,
135+
'', // identifierPrefix
136+
noopOnRecoverableError,
137+
// TODO(luna) Support hydration later
138+
null,
139+
);
140+
container._reactRootContainer = root;
141+
markContainerAsRoot(root.current, container);
142+
143+
const rootContainerElement =
144+
container.nodeType === COMMENT_NODE ? container.parentNode : container;
145+
listenToAllSupportedEvents(rootContainerElement);
146+
147+
flushSync();
148+
return root;
149+
} else {
150+
// First clear any existing content.
116151
let rootSibling;
117152
while ((rootSibling = container.lastChild)) {
118153
container.removeChild(rootSibling);
119154
}
120-
}
121155

122-
const root = createContainer(
123-
container,
124-
LegacyRoot,
125-
forceHydrate,
126-
null, // hydrationCallbacks
127-
false, // isStrictMode
128-
false, // concurrentUpdatesByDefaultOverride,
129-
'', // identifierPrefix
130-
noopOnRecoverableError, // onRecoverableError
131-
null, // transitionCallbacks
132-
);
133-
markContainerAsRoot(root.current, container);
156+
if (typeof callback === 'function') {
157+
const originalCallback = callback;
158+
callback = function() {
159+
const instance = getPublicRootInstance(root);
160+
originalCallback.call(instance);
161+
};
162+
}
163+
164+
const root = createContainer(
165+
container,
166+
LegacyRoot,
167+
null, // hydrationCallbacks
168+
false, // isStrictMode
169+
false, // concurrentUpdatesByDefaultOverride,
170+
'', // identifierPrefix
171+
noopOnRecoverableError, // onRecoverableError
172+
null, // transitionCallbacks
173+
);
174+
container._reactRootContainer = root;
175+
markContainerAsRoot(root.current, container);
176+
177+
const rootContainerElement =
178+
container.nodeType === COMMENT_NODE ? container.parentNode : container;
179+
listenToAllSupportedEvents(rootContainerElement);
134180

135-
const rootContainerElement =
136-
container.nodeType === COMMENT_NODE ? container.parentNode : container;
137-
listenToAllSupportedEvents(rootContainerElement);
181+
// Initial mount should not be batched.
182+
flushSync(() => {
183+
updateContainer(initialChildren, root, parentComponent, callback);
184+
});
138185

139-
return root;
186+
return root;
187+
}
140188
}
141189

142190
function warnOnInvalidCallback(callback: mixed, callerName: string): void {
@@ -164,39 +212,30 @@ function legacyRenderSubtreeIntoContainer(
164212
warnOnInvalidCallback(callback === undefined ? null : callback, 'render');
165213
}
166214

167-
let root = container._reactRootContainer;
168-
let fiberRoot: FiberRoot;
169-
if (!root) {
215+
const maybeRoot = container._reactRootContainer;
216+
let root: FiberRoot;
217+
if (!maybeRoot) {
170218
// Initial mount
171-
root = container._reactRootContainer = legacyCreateRootFromDOMContainer(
219+
root = legacyCreateRootFromDOMContainer(
172220
container,
221+
children,
222+
parentComponent,
223+
callback,
173224
forceHydrate,
174225
);
175-
fiberRoot = root;
176-
if (typeof callback === 'function') {
177-
const originalCallback = callback;
178-
callback = function() {
179-
const instance = getPublicRootInstance(fiberRoot);
180-
originalCallback.call(instance);
181-
};
182-
}
183-
// Initial mount should not be batched.
184-
flushSync(() => {
185-
updateContainer(children, fiberRoot, parentComponent, callback);
186-
});
187226
} else {
188-
fiberRoot = root;
227+
root = maybeRoot;
189228
if (typeof callback === 'function') {
190229
const originalCallback = callback;
191230
callback = function() {
192-
const instance = getPublicRootInstance(fiberRoot);
231+
const instance = getPublicRootInstance(root);
193232
originalCallback.call(instance);
194233
};
195234
}
196235
// Update
197-
updateContainer(children, fiberRoot, parentComponent, callback);
236+
updateContainer(children, root, parentComponent, callback);
198237
}
199-
return getPublicRootInstance(fiberRoot);
238+
return getPublicRootInstance(root);
200239
}
201240

202241
export function findDOMNode(

packages/react-dom/src/client/ReactDOMRoot.js

+1-1
Original file line numberDiff line numberDiff line change
@@ -224,7 +224,6 @@ export function createRoot(
224224
const root = createContainer(
225225
container,
226226
ConcurrentRoot,
227-
false,
228227
null,
229228
isStrictMode,
230229
concurrentUpdatesByDefaultOverride,
@@ -303,6 +302,7 @@ export function hydrateRoot(
303302

304303
const root = createHydrationContainer(
305304
initialChildren,
305+
null,
306306
container,
307307
ConcurrentRoot,
308308
hydrationCallbacks,

packages/react-dom/src/events/ReactDOMEventListener.js

+2-1
Original file line numberDiff line numberDiff line change
@@ -53,6 +53,7 @@ import {
5353
setCurrentUpdatePriority,
5454
} from 'react-reconciler/src/ReactEventPriorities';
5555
import ReactSharedInternals from 'shared/ReactSharedInternals';
56+
import {isRootDehydrated} from 'react-reconciler/src/ReactFiberShellHydration';
5657

5758
const {ReactCurrentBatchConfig} = ReactSharedInternals;
5859

@@ -386,7 +387,7 @@ export function findInstanceBlockingEvent(
386387
targetInst = null;
387388
} else if (tag === HostRoot) {
388389
const root: FiberRoot = nearestMounted.stateNode;
389-
if (root.isDehydrated) {
390+
if (isRootDehydrated(root)) {
390391
// If this happens during a replay something went wrong and it might block
391392
// the whole system.
392393
return getContainerFromFiber(nearestMounted);

packages/react-dom/src/events/ReactDOMEventReplaying.js

+2-1
Original file line numberDiff line numberDiff line change
@@ -39,6 +39,7 @@ import {
3939
} from '../client/ReactDOMComponentTree';
4040
import {HostRoot, SuspenseComponent} from 'react-reconciler/src/ReactWorkTags';
4141
import {isHigherEventPriority} from 'react-reconciler/src/ReactEventPriorities';
42+
import {isRootDehydrated} from 'react-reconciler/src/ReactFiberShellHydration';
4243

4344
let _attemptSynchronousHydration: (fiber: Object) => void;
4445

@@ -414,7 +415,7 @@ function attemptExplicitHydrationTarget(
414415
}
415416
} else if (tag === HostRoot) {
416417
const root: FiberRoot = nearestMounted.stateNode;
417-
if (root.isDehydrated) {
418+
if (isRootDehydrated(root)) {
418419
queuedTarget.blockedOn = getContainerFromFiber(nearestMounted);
419420
// We don't currently have a way to increase the priority of
420421
// a root other than sync.

packages/react-native-renderer/src/ReactFabric.js

-1
Original file line numberDiff line numberDiff line change
@@ -215,7 +215,6 @@ function render(
215215
root = createContainer(
216216
containerTag,
217217
concurrentRoot ? ConcurrentRoot : LegacyRoot,
218-
false,
219218
null,
220219
false,
221220
null,

packages/react-native-renderer/src/ReactNativeRenderer.js

-1
Original file line numberDiff line numberDiff line change
@@ -211,7 +211,6 @@ function render(
211211
root = createContainer(
212212
containerTag,
213213
LegacyRoot,
214-
false,
215214
null,
216215
false,
217216
null,

packages/react-noop-renderer/src/createReactNoop.js

-3
Original file line numberDiff line numberDiff line change
@@ -974,7 +974,6 @@ function createReactNoop(reconciler: Function, useMutation: boolean) {
974974
root = NoopRenderer.createContainer(
975975
container,
976976
tag,
977-
false,
978977
null,
979978
null,
980979
false,
@@ -996,7 +995,6 @@ function createReactNoop(reconciler: Function, useMutation: boolean) {
996995
const fiberRoot = NoopRenderer.createContainer(
997996
container,
998997
ConcurrentRoot,
999-
false,
1000998
null,
1001999
null,
10021000
false,
@@ -1029,7 +1027,6 @@ function createReactNoop(reconciler: Function, useMutation: boolean) {
10291027
const fiberRoot = NoopRenderer.createContainer(
10301028
container,
10311029
LegacyRoot,
1032-
false,
10331030
null,
10341031
null,
10351032
false,

0 commit comments

Comments
 (0)