From defffdbba43f89b95d9f67a4fb0fa146c1211734 Mon Sep 17 00:00:00 2001 From: =?UTF-8?q?Sebastian=20Markb=C3=A5ge?= Date: Mon, 6 Jan 2025 11:30:53 -0500 Subject: [PATCH] [Fiber] Don't work on scheduled tasks while we're in an async commit but flush it eagerly if we're sync (#31987) This is a follow up to #31930 and a prerequisite for #31975. With View Transitions, the commit phase becomes async which means that other work can sneak in between. We need to be resilient to that. This PR first refactors the flushMutationEffects and flushLayoutEffects to use module scope variables to track its arguments so we can defer them. It shares these with how we were already doing it for flushPendingEffects. We also track how far along the commit phase we are so we know what we have left to flush. Then callers of flushPassiveEffects become flushPendingEffects. That helper synchronously flushes any remaining phases we've yet to commit. That ensure that things are at least consistent if that happens. Finally, when we are using a scheduled task, we don't do any work. This ensures that we're not flushing any work too early if we could've deferred it. This still ensures that we always do flush it before starting any new work on any root so new roots observe the committed state. There are some unfortunate effects that could happen from allowing things to flush eagerly. Such as if a flushSync sneaks in before startViewTransition, it'll skip the animation. If it's during a suspensey font it'll start the transition before the font has loaded which might be better than breaking flushSync. It'll also potentially flush passive effects inside the startViewTransition which should typically be ok. --- .../src/ReactFiberHotReloading.js | 4 +- .../src/ReactFiberReconciler.js | 9 +- .../src/ReactFiberRootScheduler.js | 20 +- .../src/ReactFiberWorkLoop.js | 222 ++++++++++-------- 4 files changed, 150 insertions(+), 105 deletions(-) diff --git a/packages/react-reconciler/src/ReactFiberHotReloading.js b/packages/react-reconciler/src/ReactFiberHotReloading.js index c42bb0b2c6d12..e1d33f07dca27 100644 --- a/packages/react-reconciler/src/ReactFiberHotReloading.js +++ b/packages/react-reconciler/src/ReactFiberHotReloading.js @@ -16,7 +16,7 @@ import type {ReactNodeList} from 'shared/ReactTypes'; import { flushSyncWork, scheduleUpdateOnFiber, - flushPassiveEffects, + flushPendingEffects, } from './ReactFiberWorkLoop'; import {enqueueConcurrentRenderForLane} from './ReactFiberConcurrentUpdates'; import {updateContainerSync} from './ReactFiberReconciler'; @@ -229,7 +229,7 @@ export const scheduleRefresh: ScheduleRefresh = ( return; } const {staleFamilies, updatedFamilies} = update; - flushPassiveEffects(); + flushPendingEffects(); scheduleFibersWithFamiliesRecursively( root.current, updatedFamilies, diff --git a/packages/react-reconciler/src/ReactFiberReconciler.js b/packages/react-reconciler/src/ReactFiberReconciler.js index 98ef2ef93fc46..4c319a14569a1 100644 --- a/packages/react-reconciler/src/ReactFiberReconciler.js +++ b/packages/react-reconciler/src/ReactFiberReconciler.js @@ -41,6 +41,7 @@ import isArray from 'shared/isArray'; import { enableSchedulingProfiler, enableHydrationLaneScheduling, + disableLegacyMode, } from 'shared/ReactFeatureFlags'; import ReactSharedInternals from 'shared/ReactSharedInternals'; import { @@ -75,7 +76,7 @@ import { isAlreadyRendering, deferredUpdates, discreteUpdates, - flushPassiveEffects, + flushPendingEffects, } from './ReactFiberWorkLoop'; import {enqueueConcurrentRenderForLane} from './ReactFiberConcurrentUpdates'; import { @@ -364,8 +365,8 @@ export function updateContainerSync( parentComponent: ?React$Component, callback: ?Function, ): Lane { - if (container.tag === LegacyRoot) { - flushPassiveEffects(); + if (!disableLegacyMode && container.tag === LegacyRoot) { + flushPendingEffects(); } const current = container.current; updateContainerImpl( @@ -453,7 +454,7 @@ export { flushSyncFromReconciler, flushSyncWork, isAlreadyRendering, - flushPassiveEffects, + flushPendingEffects as flushPassiveEffects, }; export function getPublicRootInstance( diff --git a/packages/react-reconciler/src/ReactFiberRootScheduler.js b/packages/react-reconciler/src/ReactFiberRootScheduler.js index d57458fdbf41c..4c4a35ac92c28 100644 --- a/packages/react-reconciler/src/ReactFiberRootScheduler.js +++ b/packages/react-reconciler/src/ReactFiberRootScheduler.js @@ -38,12 +38,13 @@ import { CommitContext, NoContext, RenderContext, - flushPassiveEffects, + flushPendingEffects, getExecutionContext, getWorkInProgressRoot, getWorkInProgressRootRenderLanes, getRootWithPendingPassiveEffects, getPendingPassiveEffectsLanes, + hasPendingCommitEffects, isWorkLoopSuspendedOnData, performWorkOnRoot, } from './ReactFiberWorkLoop'; @@ -466,10 +467,23 @@ function performWorkOnRootViaSchedulerTask( trackSchedulerEvent(); } + if (hasPendingCommitEffects()) { + // We are currently in the middle of an async committing (such as a View Transition). + // We could force these to flush eagerly but it's better to defer any work until + // it finishes. This may not be the same root as we're waiting on. + // TODO: This relies on the commit eventually calling ensureRootIsScheduled which + // always calls processRootScheduleInMicrotask which in turn always loops through + // all the roots to figure out. This is all a bit inefficient and if optimized + // it'll need to consider rescheduling a task for any skipped roots. + root.callbackNode = null; + root.callbackPriority = NoLane; + return null; + } + // Flush any pending passive effects before deciding which lanes to work on, // in case they schedule additional work. const originalCallbackNode = root.callbackNode; - const didFlushPassiveEffects = flushPassiveEffects(); + const didFlushPassiveEffects = flushPendingEffects(true); if (didFlushPassiveEffects) { // Something in the passive effect phase may have canceled the current task. // Check if the task node for this root was changed. @@ -534,7 +548,7 @@ function performWorkOnRootViaSchedulerTask( function performSyncWorkOnRoot(root: FiberRoot, lanes: Lanes) { // This is the entry point for synchronous tasks that don't go // through Scheduler. - const didFlushPassiveEffects = flushPassiveEffects(); + const didFlushPassiveEffects = flushPendingEffects(); if (didFlushPassiveEffects) { // If passive effects were flushed, exit to the outer work loop in the root // scheduler, so we can recompute the priority. diff --git a/packages/react-reconciler/src/ReactFiberWorkLoop.js b/packages/react-reconciler/src/ReactFiberWorkLoop.js index ce253f5436cea..bc45c06fbd871 100644 --- a/packages/react-reconciler/src/ReactFiberWorkLoop.js +++ b/packages/react-reconciler/src/ReactFiberWorkLoop.js @@ -426,7 +426,6 @@ let workInProgressRootDidIncludeRecursiveRenderUpdate: boolean = false; // variable from the one for renders because the commit phase may run // concurrently to a render phase. let didIncludeCommitPhaseUpdate: boolean = false; - // The most recent time we either committed a fallback, or when a fallback was // filled in with the resolved UI. This lets us throttle the appearance of new // content as it streams in, to minimize jank. @@ -617,11 +616,25 @@ export function getRenderTargetTime(): number { let legacyErrorBoundariesThatAlreadyFailed: Set | null = null; -let rootWithPendingPassiveEffects: FiberRoot | null = null; -let pendingPassiveEffectsLanes: Lanes = NoLanes; -let pendingPassiveEffectsRemainingLanes: Lanes = NoLanes; -let pendingPassiveEffectsRenderEndTime: number = -0; // Profiling-only +type SuspendedCommitReason = 0 | 1 | 2; +const IMMEDIATE_COMMIT = 0; +const SUSPENDED_COMMIT = 1; +const THROTTLED_COMMIT = 2; + +const NO_PENDING_EFFECTS = 0; +const PENDING_MUTATION_PHASE = 1; +const PENDING_LAYOUT_PHASE = 2; +const PENDING_PASSIVE_PHASE = 3; +let pendingEffectsStatus: 0 | 1 | 2 | 3 = 0; +let pendingEffectsRoot: FiberRoot = (null: any); +let pendingFinishedWork: Fiber = (null: any); +let pendingEffectsLanes: Lanes = NoLanes; +let pendingEffectsRemainingLanes: Lanes = NoLanes; +let pendingEffectsRenderEndTime: number = -0; // Profiling-only let pendingPassiveTransitions: Array | null = null; +let pendingRecoverableErrors: null | Array> = null; +let pendingDidIncludeRenderPhaseUpdate: boolean = false; +let pendingSuspendedCommitReason: SuspendedCommitReason = IMMEDIATE_COMMIT; // Profiling-only // Use these to prevent an infinite loop of nested updates const NESTED_UPDATE_LIMIT = 50; @@ -644,12 +657,21 @@ export function getWorkInProgressRootRenderLanes(): Lanes { return workInProgressRootRenderLanes; } +export function hasPendingCommitEffects(): boolean { + return ( + pendingEffectsStatus !== NO_PENDING_EFFECTS && + pendingEffectsStatus !== PENDING_PASSIVE_PHASE + ); +} + export function getRootWithPendingPassiveEffects(): FiberRoot | null { - return rootWithPendingPassiveEffects; + return pendingEffectsStatus === PENDING_PASSIVE_PHASE + ? pendingEffectsRoot + : null; } export function getPendingPassiveEffectsLanes(): Lanes { - return pendingPassiveEffectsLanes; + return pendingEffectsLanes; } export function isWorkLoopSuspendedOnData(): boolean { @@ -1622,12 +1644,12 @@ export function flushSyncFromReconciler(fn: (() => R) | void): R | void { // In legacy mode, we flush pending passive effects at the beginning of the // next event, not at the end of the previous one. if ( - rootWithPendingPassiveEffects !== null && + pendingEffectsStatus !== NO_PENDING_EFFECTS && !disableLegacyMode && - rootWithPendingPassiveEffects.tag === LegacyRoot && + pendingEffectsRoot.tag === LegacyRoot && (executionContext & (RenderContext | CommitContext)) === NoContext ) { - flushPassiveEffects(); + flushPendingEffects(); } const prevExecutionContext = executionContext; @@ -3120,11 +3142,6 @@ function unwindUnitOfWork(unitOfWork: Fiber, skipSiblings: boolean): void { workInProgress = null; } -type SuspendedCommitReason = 0 | 1 | 2; -const IMMEDIATE_COMMIT = 0; -const SUSPENDED_COMMIT = 1; -const THROTTLED_COMMIT = 2; - function commitRoot( root: FiberRoot, finishedWork: null | Fiber, @@ -3149,8 +3166,8 @@ function commitRoot( // no more pending effects. // TODO: Might be better if `flushPassiveEffects` did not automatically // flush synchronous work at the end, to avoid factoring hazards like this. - flushPassiveEffects(); - } while (rootWithPendingPassiveEffects !== null); + flushPendingEffects(); + } while (pendingEffectsStatus !== NO_PENDING_EFFECTS); flushRenderPhaseStrictModeWarningsInDEV(); if ((executionContext & (RenderContext | CommitContext)) !== NoContext) { @@ -3243,6 +3260,24 @@ function commitRoot( // times out. } + // workInProgressX might be overwritten, so we want + // to store it in pendingPassiveX until they get processed + // We need to pass this through as an argument to commitRoot + // because workInProgressX might have changed between + // the previous render and commit if we throttle the commit + // with setTimeout + pendingFinishedWork = finishedWork; + pendingEffectsRoot = root; + pendingEffectsLanes = lanes; + pendingEffectsRemainingLanes = remainingLanes; + pendingPassiveTransitions = transitions; + pendingRecoverableErrors = recoverableErrors; + pendingDidIncludeRenderPhaseUpdate = didIncludeRenderPhaseUpdate; + if (enableProfilerTimer) { + pendingEffectsRenderEndTime = completedRenderEndTime; + pendingSuspendedCommitReason = suspendedCommitReason; + } + // If there are pending passive effects, schedule a callback to process them. // Do this as early as possible, so it is queued before anything else that // might get scheduled in the commit phase. (See #16714.) @@ -3256,15 +3291,6 @@ function commitRoot( (finishedWork.subtreeFlags & PassiveMask) !== NoFlags || (finishedWork.flags & PassiveMask) !== NoFlags ) { - pendingPassiveEffectsRemainingLanes = remainingLanes; - pendingPassiveEffectsRenderEndTime = completedRenderEndTime; - // workInProgressTransitions might be overwritten, so we want - // to store it in pendingPassiveTransitions until they get processed - // We need to pass this through as an argument to commitRoot - // because workInProgressTransitions might have changed between - // the previous render and commit if we throttle the commit - // with setTimeout - pendingPassiveTransitions = transitions; if (enableYieldingBeforePassive) { // We don't schedule a separate task for flushing passive effects. // Instead, we just rely on ensureRootIsScheduled below to schedule @@ -3341,23 +3367,20 @@ function commitRoot( ReactSharedInternals.T = prevTransition; } } - flushMutationEffects(root, finishedWork, lanes); - flushLayoutEffects( - root, - finishedWork, - lanes, - recoverableErrors, - didIncludeRenderPhaseUpdate, - suspendedCommitReason, - completedRenderEndTime, - ); + pendingEffectsStatus = PENDING_MUTATION_PHASE; + flushMutationEffects(); + flushLayoutEffects(); } -function flushMutationEffects( - root: FiberRoot, - finishedWork: Fiber, - lanes: Lanes, -): void { +function flushMutationEffects(): void { + if (pendingEffectsStatus !== PENDING_MUTATION_PHASE) { + return; + } + pendingEffectsStatus = NO_PENDING_EFFECTS; + + const root = pendingEffectsRoot; + const finishedWork = pendingFinishedWork; + const lanes = pendingEffectsLanes; const subtreeMutationHasEffects = (finishedWork.subtreeFlags & MutationMask) !== NoFlags; const rootMutationHasEffect = (finishedWork.flags & MutationMask) !== NoFlags; @@ -3392,17 +3415,23 @@ function flushMutationEffects( // componentWillUnmount, but before the layout phase, so that the finished // work is current during componentDidMount/Update. root.current = finishedWork; + pendingEffectsStatus = PENDING_LAYOUT_PHASE; } -function flushLayoutEffects( - root: FiberRoot, - finishedWork: Fiber, - lanes: Lanes, - recoverableErrors: null | Array>, - didIncludeRenderPhaseUpdate: boolean, - suspendedCommitReason: SuspendedCommitReason, // Profiling-only - completedRenderEndTime: number, // Profiling-only -): void { +function flushLayoutEffects(): void { + if (pendingEffectsStatus !== PENDING_LAYOUT_PHASE) { + return; + } + pendingEffectsStatus = NO_PENDING_EFFECTS; + + const root = pendingEffectsRoot; + const finishedWork = pendingFinishedWork; + const lanes = pendingEffectsLanes; + const completedRenderEndTime = pendingEffectsRenderEndTime; + const recoverableErrors = pendingRecoverableErrors; + const didIncludeRenderPhaseUpdate = pendingDidIncludeRenderPhaseUpdate; + const suspendedCommitReason = pendingSuspendedCommitReason; + const subtreeHasLayoutEffects = (finishedWork.subtreeFlags & LayoutMask) !== NoFlags; const rootHasLayoutEffect = (finishedWork.flags & LayoutMask) !== NoFlags; @@ -3456,11 +3485,10 @@ function flushLayoutEffects( (finishedWork.flags & PassiveMask) !== NoFlags; if (rootDidHavePassiveEffects) { - // This commit has passive effects. Stash a reference to them. But don't - // schedule a callback until after flushing layout work. - rootWithPendingPassiveEffects = root; - pendingPassiveEffectsLanes = lanes; + pendingEffectsStatus = PENDING_PASSIVE_PHASE; } else { + pendingEffectsStatus = NO_PENDING_EFFECTS; + pendingEffectsRoot = (null: any); // Clear for GC purposes. // There were no passive effects, so we can immediately release the cache // pool for this render. releaseRootPooledCache(root, root.pendingLanes); @@ -3546,10 +3574,10 @@ function flushLayoutEffects( // currently schedule the callback in multiple places, will wait until those // are consolidated. if ( - includesSyncLane(pendingPassiveEffectsLanes) && + includesSyncLane(pendingEffectsLanes) && (disableLegacyMode || root.tag !== LegacyRoot) ) { - flushPassiveEffects(); + flushPendingEffects(); } // Always call this before exiting `commitRoot`, to ensure that any @@ -3666,61 +3694,63 @@ function releaseRootPooledCache(root: FiberRoot, remainingLanes: Lanes) { } } -export function flushPassiveEffects(wasDelayedCommit?: boolean): boolean { +export function flushPendingEffects(wasDelayedCommit?: boolean): boolean { // Returns whether passive effects were flushed. - // TODO: Combine this check with the one in flushPassiveEFfectsImpl. We should - // probably just combine the two functions. I believe they were only separate + flushMutationEffects(); + flushLayoutEffects(); + return flushPassiveEffects(wasDelayedCommit); +} + +function flushPassiveEffects(wasDelayedCommit?: boolean): boolean { + if (pendingEffectsStatus !== PENDING_PASSIVE_PHASE) { + return false; + } + // TODO: Merge flushPassiveEffectsImpl into this function. I believe they were only separate // in the first place because we used to wrap it with // `Scheduler.runWithPriority`, which accepts a function. But now we track the // priority within React itself, so we can mutate the variable directly. - if (rootWithPendingPassiveEffects !== null) { - // Cache the root since rootWithPendingPassiveEffects is cleared in - // flushPassiveEffectsImpl - const root = rootWithPendingPassiveEffects; - // Cache and clear the remaining lanes flag; it must be reset since this - // method can be called from various places, not always from commitRoot - // where the remaining lanes are known - const remainingLanes = pendingPassiveEffectsRemainingLanes; - pendingPassiveEffectsRemainingLanes = NoLanes; - - const renderPriority = lanesToEventPriority(pendingPassiveEffectsLanes); - const priority = lowerEventPriority(DefaultEventPriority, renderPriority); - const prevTransition = ReactSharedInternals.T; - const previousPriority = getCurrentUpdatePriority(); + // Cache the root since pendingEffectsRoot is cleared in + // flushPassiveEffectsImpl + const root = pendingEffectsRoot; + // Cache and clear the remaining lanes flag; it must be reset since this + // method can be called from various places, not always from commitRoot + // where the remaining lanes are known + const remainingLanes = pendingEffectsRemainingLanes; + pendingEffectsRemainingLanes = NoLanes; + + const renderPriority = lanesToEventPriority(pendingEffectsLanes); + const priority = lowerEventPriority(DefaultEventPriority, renderPriority); + const prevTransition = ReactSharedInternals.T; + const previousPriority = getCurrentUpdatePriority(); - try { - setCurrentUpdatePriority(priority); - ReactSharedInternals.T = null; - return flushPassiveEffectsImpl(wasDelayedCommit); - } finally { - setCurrentUpdatePriority(previousPriority); - ReactSharedInternals.T = prevTransition; + try { + setCurrentUpdatePriority(priority); + ReactSharedInternals.T = null; + return flushPassiveEffectsImpl(wasDelayedCommit); + } finally { + setCurrentUpdatePriority(previousPriority); + ReactSharedInternals.T = prevTransition; - // Once passive effects have run for the tree - giving components a - // chance to retain cache instances they use - release the pooled - // cache at the root (if there is one) - releaseRootPooledCache(root, remainingLanes); - } + // Once passive effects have run for the tree - giving components a + // chance to retain cache instances they use - release the pooled + // cache at the root (if there is one) + releaseRootPooledCache(root, remainingLanes); } - return false; } function flushPassiveEffectsImpl(wasDelayedCommit: void | boolean) { - if (rootWithPendingPassiveEffects === null) { - return false; - } - // Cache and clear the transitions flag const transitions = pendingPassiveTransitions; pendingPassiveTransitions = null; - const root = rootWithPendingPassiveEffects; - const lanes = pendingPassiveEffectsLanes; - rootWithPendingPassiveEffects = null; - // TODO: This is sometimes out of sync with rootWithPendingPassiveEffects. + const root = pendingEffectsRoot; + const lanes = pendingEffectsLanes; + pendingEffectsStatus = NO_PENDING_EFFECTS; + pendingEffectsRoot = (null: any); // Clear for GC purposes. + // TODO: This is sometimes out of sync with pendingEffectsRoot. // Figure out why and fix it. It's not causing any known issues (probably // because it's only used for profiling), but it's a refactor hazard. - pendingPassiveEffectsLanes = NoLanes; + pendingEffectsLanes = NoLanes; if (enableYieldingBeforePassive) { // We've finished our work for this render pass. @@ -3767,7 +3797,7 @@ function flushPassiveEffectsImpl(wasDelayedCommit: void | boolean) { root.current, lanes, transitions, - pendingPassiveEffectsRenderEndTime, + pendingEffectsRenderEndTime, ); if (enableSchedulingProfiler) {