前言

React17自去年十月公布以来,呈现了几个比拟重要的变动。首先,17作为一个过渡版本,其明确了在react中的定位,即:承前启后,作为渐进式框架的首版本,在后续的18、19等版本中会进行渐进降级而不是强制进行硬切换;其次,17联合最新的浏览器的个性做了一些更改和优化,比方对合成事件零碎的优化;最初,自16以来的基于Fiber架构的模式对整个react性能优化在每个小版本中也会一直的进行逐渐的微调,每次的微调都走漏着react大佬们的一些思路与思考。本文以react17.0.0版本的源码动手,着重从react-reconciler和scheduler这两个模块中的局部源码进行拆解和浅析,心愿可能窥一斑而见全豹,揣度各位大佬的一些架构思路和想法,从而拓宽一些集体的眼界,然集体程度无限,不免洞若观火,对react的了解也可能有所偏颇,本着想将这样一个宏大的架构简洁剖析进去的想法,心愿能对各位同学有所启发,对于更为经典的局部,仍须要各位去品读源码,咱们依然应该对源码放弃着一颗敬畏之心,随着技术的晋升,每每品读都会有不同的感触!

目录构造

react目录比拟大,涉猎的也比拟多,这里只显示可能会波及局部的目录

  • packages

    • react

      • src

        • jsx

          • ReactJSX.js
          • ReactJSXElement.js (定义了jsx)
          • ReactJSXElementValidator.js
        • React.js
        • ReactBaseClasses.js (setState及forceState)
        • ReactContext.js (context上下文及Provider和Consumer)
        • ReactElement.js (定义了ReactElement的格局)
        • ReactForwardRef.js (Ref的定义)
        • ReactHooks.js (ReactHooks相干,不是本文重点,能够参看之前的文章)
        • ReactLazy.js
        • ReactMemo.js
        • ReactMutableSource.js
        • ReactStartTransition.js (批量更新的事务的概念)
    • react-dom

      • src

        • clients

          • ReactDOMHostConfig.js
          • ReactDOMLegacy.js
          • ReactDOMRoot.js (三种模式:legacy模式、blocking模式、concurrent模式)
        • events

          • EventListeners.js
          • ReactDOMEventListeners.js
          • SyntheticEvent.js
        • server (React Sever Component相干,不开展讲了)
    • react-reconciler

      • src

        • ReactChildFiber.js
        • ReactFiber.js
        • ReactFiberBeginWork.js
        • ReactFiberCommitWork.js
        • ReactFiberCompleteWork.js
        • ReactFiberLane.js
        • ReactFiberReconciler.js
        • ReactFiberRoot.js
        • ReactFiberWorkLoop.js
    • scheduler

      • src

        • Scheduler.js
        • SchedulerMinHeap.js
        • SchedulerPostTask.js
        • SchedulerProfiling.js

源码解析

整个React的Fiber架构的外围在于对浏览器进行了工夫分片解决(ps:Firefox新版本本身也实现了工夫分片),抹掉了平台的差别,从而使得浏览器解决时候能够将控制权交出去,防止了js线程过多占用而阻塞渲染线程,实现了更细粒度的调度,即为:协程或纤程的调度

React

文件名作用备注
jsx-runtime.jsjsx解释器编译jsx
ReactElement.jsReact元素的格局React的结点格局信息

jsx-runtime.js

react17之后不再须要对每个react组件进行react的import,其内置了一个jsx-runtime的运行时,感兴趣的同学能够看一下这个react-jsx-dev-runtime.development.js,简略来说就是利用正则对jsx进行了一层浅的转化,实质jsx是对js的一种扩大

ReactElement.js

const ReactElement = function(  type,  key,  ref,  self,  source,  owner,  props) {  const element = {    $$typeof: REACT_ELEMENT_TYPE,    type: type,    key: key,    ref: ref,    props: props  }}

React-DOM

这里次要对合成事件及DOM的一些解决进行了论述

<h2>DOM解决</h2>

文件名作用备注
ReactDOMHostConfig.jsappendChildToContainer等原生dom操作
ReactDOMLegacy.jslegacyRenderSubtreeIntoContainer未启用异步渲染的dom操作
ReactDOMRoot.jscreateRoot、createLegacyRoot、createBlockingRoot三种模式的根组件

React17的进行了模式的设置,别离为:Legacy模式、Concurrent模式、Blocking模式,其中Concurrent模式是启用fiber分片的异步渲染形式,而Legacy模式则仍是15的同步渲染模式,Blocking则是介于二者之间的模式,React无意依照这样一种渐进的形式进行适度

<h2>合成事件</h2>

文件名作用备注
EventListeners.jsaddEventCaptureListener、addEventBubbleListener原生事件监听
ReactDOMEventListeners.jsdispatchEventReact的事件
SyntheticEvent.jscreateSyntheticEvent合成事件

ReactDOMEventListeners.js

外围是dispatchEvent进行事件的散发,17之后不再将事件全副冒泡到document去代理,这和浏览器的改良无关,不再须要代理绑定,浏览器能够对更细粒度的区域进行监听

function dispatchDiscreateEvent() {}function dispatchBlockingEvent() {}export function dispatchEvent(  domEventName: DOMEventName,  eventSystemFlags: EventSystemFlags,  targetContainer: EventTarget,  nativeEvent: AnyNativeEvent,): void {  if (    allowReplay &&    hasQueuedDiscreteEvents() &&    isReplayableDiscreteEvent(domEventName)  ) {    queueDiscreteEvent(      null, // Flags that we're not actually blocked on anything as far as we know.      domEventName,      eventSystemFlags,      targetContainer,      nativeEvent,    );    return;  }  const blockedOn = attemptToDispatchEvent(    domEventName,    eventSystemFlags,    targetContainer,    nativeEvent,  );  if (blockedOn === null) {    // We successfully dispatched this event.    if (allowReplay) {      clearIfContinuousEvent(domEventName, nativeEvent);    }    return;  }  if (allowReplay) {    if (isReplayableDiscreteEvent(domEventName)) {      queueDiscreteEvent(        blockedOn,        domEventName,        eventSystemFlags,        targetContainer,        nativeEvent,      );      return;    }    if (      queueIfContinuousEvent(        blockedOn,        domEventName,        eventSystemFlags,        targetContainer,        nativeEvent,      )    ) {      return;    }    clearIfContinuousEvent(domEventName, nativeEvent);  }  dispatchEventForPluginEventSystem(    domEventName,    eventSystemFlags,    nativeEvent,    null,    targetContainer,  );}

Scheduler

实质是依据工作开始工夫和过期工夫利用小顶堆的优先队列而进行的工夫分片解决及调度

文件名作用备注
Scheduler.jsworkLoop调度入口
SchedulerMinHeap.js小顶堆优先队列的小顶堆
SchedulerPostTask.jsunstable_scheduleCallback、unstable_shouldYield调度办法

Schdeuler.js

function advanceTimers(currentTime) {  let timer = peek(timerQueue);  while (timer !== null) {    if (timer.callback === null) {      pop(timerQueue);    } else if (timer.startTime <= currentTime) {      pop(timerQueue);      timer.sortIndex = timer.expirationTime;      push(taskQueue, timer);      if (enableProfiling) {        markTaskStart(timer, currentTime);        timer.isQueued = true;      }    } else {      return;    }    timer = peek(timerQueue);  }}function handleTimeout(currentTime) {  isHostTimeoutScheduled = false;  advanceTimers(currentTime);  if (!isHostCallbackScheduled) {    if (peek(taskQueue) !== null) {      isHostCallbackScheduled = true;      requestHostCallback(flushWork);    } else {      const firstTimer = peek(timerQueue);      if (firstTimer !== null) {        requestHostTimeout(handleTimeout, firstTimer.startTime - currentTime);      }    }  }}function workLoop(hasTimeRemaining, initialTime) {  let currentTime = initialTime;  advanceTimers(currentTime);  currentTask = peek(taskQueue);  while (    currentTask !== null &&    !(enableSchedulerDebugging && isSchedulerPaused)  ) {    if (      currentTask.expirationTime > currentTime &&      (!hasTimeRemaining || shouldYieldToHost())    ) {      // This currentTask hasn't expired, and we've reached the deadline.      break;    }    const callback = currentTask.callback;    if (typeof callback === 'function') {      currentTask.callback = null;      currentPriorityLevel = currentTask.priorityLevel;      const didUserCallbackTimeout = currentTask.expirationTime <= currentTime;      markTaskRun(currentTask, currentTime);      const continuationCallback = callback(didUserCallbackTimeout);      currentTime = getCurrentTime();      if (typeof continuationCallback === 'function') {        currentTask.callback = continuationCallback;        markTaskYield(currentTask, currentTime);      } else {        if (enableProfiling) {          markTaskCompleted(currentTask, currentTime);          currentTask.isQueued = false;        }        if (currentTask === peek(taskQueue)) {          pop(taskQueue);        }      }      advanceTimers(currentTime);    } else {      pop(taskQueue);    }    currentTask = peek(taskQueue);  }  // Return whether there's additional work  if (currentTask !== null) {    return true;  } else {    const firstTimer = peek(timerQueue);    if (firstTimer !== null) {      requestHostTimeout(handleTimeout, firstTimer.startTime - currentTime);    }    return false;  }}

SchedulerMinHeap.js

小顶堆的实现,可比照优先队列的考查,具体能够看一下leetcode的这道题 23. 合并K个升序链表,以及对fiber利用的扩大思考 86. 分隔链表

type Heap = Array<Node>;type Node = {|  id: number,  sortIndex: number,|};export function push(heap: Heap, node: Node): void {  const index = heap.length;  heap.push(node);  siftUp(heap, node, index);}export function peek(heap: Heap): Node | null {  const first = heap[0];  return first === undefined ? null : first;}export function pop(heap: Heap): Node | null {  const first = heap[0];  if (first !== undefined) {    const last = heap.pop();    if (last !== first) {      heap[0] = last;      siftDown(heap, last, 0);    }    return first;  } else {    return null;  }}function siftUp(heap, node, i) {  let index = i;  while (true) {    const parentIndex = (index - 1) >>> 1;    const parent = heap[parentIndex];    if (parent !== undefined && compare(parent, node) > 0) {      // The parent is larger. Swap positions.      heap[parentIndex] = node;      heap[index] = parent;      index = parentIndex;    } else {      // The parent is smaller. Exit.      return;    }  }}function siftDown(heap, node, i) {  let index = i;  const length = heap.length;  while (index < length) {    const leftIndex = (index + 1) * 2 - 1;    const left = heap[leftIndex];    const rightIndex = leftIndex + 1;    const right = heap[rightIndex];    // If the left or right node is smaller, swap with the smaller of those.    if (left !== undefined && compare(left, node) < 0) {      if (right !== undefined && compare(right, left) < 0) {        heap[index] = right;        heap[rightIndex] = node;        index = rightIndex;      } else {        heap[index] = left;        heap[leftIndex] = node;        index = leftIndex;      }    } else if (right !== undefined && compare(right, node) < 0) {      heap[index] = right;      heap[rightIndex] = node;      index = rightIndex;    } else {      // Neither child is smaller. Exit.      return;    }  }}function compare(a, b) {  // Compare sort index first, then task id.  const diff = a.sortIndex - b.sortIndex;  return diff !== 0 ? diff : a.id - b.id;}

SchedulePostTask.js

const getCurrentTime = perf.now.bind(perf);export function unstable_shouldYield() {  return getCurrentTime() >= deadline;}export function unstable_scheduleCallback<T>(  priorityLevel: PriorityLevel,  callback: SchedulerCallback<T>,  options?: {delay?: number},): CallbackNode {  let postTaskPriority;  switch (priorityLevel) {    case ImmediatePriority:    case UserBlockingPriority:      postTaskPriority = 'user-blocking';      break;    case LowPriority:    case NormalPriority:      postTaskPriority = 'user-visible';      break;    case IdlePriority:      postTaskPriority = 'background';      break;    default:      postTaskPriority = 'user-visible';      break;  }  const controller = new TaskController();  const postTaskOptions = {    priority: postTaskPriority,    delay: typeof options === 'object' && options !== null ? options.delay : 0,    signal: controller.signal,  };  const node = {    _controller: controller,  };  scheduler    .postTask(      runTask.bind(null, priorityLevel, postTaskPriority, node, callback),      postTaskOptions,    )    .catch(handleAbortError);  return node;}function runTask<T>(  priorityLevel: PriorityLevel,  postTaskPriority: PostTaskPriorityLevel,  node: CallbackNode,  callback: SchedulerCallback<T>,) {  deadline = getCurrentTime() + yieldInterval;  try {    currentPriorityLevel_DEPRECATED = priorityLevel;    const didTimeout_DEPRECATED = false;    const result = callback(didTimeout_DEPRECATED);    if (typeof result === 'function') {      const continuation: SchedulerCallback<T> = (result: any);      const continuationController = new TaskController();      const continuationOptions = {        priority: postTaskPriority,        signal: continuationController.signal,      };      node._controller = continuationController;      scheduler        .postTask(          runTask.bind(            null,            priorityLevel,            postTaskPriority,            node,            continuation,          ),          continuationOptions,        )        .catch(handleAbortError);    }  } catch (error) {    setTimeout(() => {      throw error;    });  } finally {    currentPriorityLevel_DEPRECATED = NormalPriority;  }}

Reconciler & Renderer

在通过了Scheduler的分片及调度后,将分片后的单元调度进合成器中,Reconciler阶段的次要目标是找寻不同,从而对虚构dom的不同进行fiber层级的派发和合并;对于浏览器的分片能够利用setTimeout及MessageChannel来实现,具体浏览器是如何实现setTimeout的,能够看一下这个浏览器工作原理(16) - setTimeout实现原理,

文件名作用备注
ReactChildFiber.jsChildReconciler子fiber
ReactFiber.jsFiber创立fiber等
ReactFiberBeginWork.jsbeginwork开始工作
ReactFiberCommitWork.jscommitwork提交工作
ReactFiberCompleteWork.jscompletework实现工作
ReactFiberLane.jslane车道模型
ReactFiberReconciler.jscreateContainer、updateContainer容器
ReactFiberRoot.jscreateFiberRootFiber根节点
ReactFiberWorkLoop.jsall循环的各种办法

ReactChildFiber.js

function ChildReconciler(shouldTrackSideEffects) {    function deleteChild() {}    function deleteRemainingChildren() {}    function mapRemainingChildren() {}    function useFiber() {}    function placeChild() {}    function placeSingleChild() {}    function updateTextNode() {}    function updateElement() {}    function updatePortal() {}    function updateFragment() {}    function createChild() {}    function updateSlot() {}    function updateFromMap() {}    function warnOnInvalidKey() {}    function reconcileChildrenArray() {}    function reconcileChildrenIterator() {}    function reconcileSingleElement() {}    function reconcileSinglePortal() {}    function reconcileChildFibers() {}    return reconcileChildFibers;}

ReactFiber.js

function FiberNode(  tag: WorkTag,  pendingProps: mixed,  key: null | string,  mode: TypeOfMode,) {  // Instance  this.tag = tag;  this.key = key;  this.elementType = null;  this.type = null;  this.stateNode = null;  // Fiber  this.return = null;  this.child = null;  this.sibling = null;  this.index = 0;  this.ref = null;  this.pendingProps = pendingProps;  this.memoizedProps = null;  this.updateQueue = null;  this.memoizedState = null;  this.dependencies = null;  this.mode = mode;  // Effects  this.flags = NoFlags;  this.subtreeFlags = NoFlags;  this.deletions = null;  this.lanes = NoLanes;  this.childLanes = NoLanes;  this.alternate = null;  if (enableProfilerTimer) {    // Note: The following is done to avoid a v8 performance cliff.    //    // Initializing the fields below to smis and later updating them with    // double values will cause Fibers to end up having separate shapes.    // This behavior/bug has something to do with Object.preventExtension().    // Fortunately this only impacts DEV builds.    // Unfortunately it makes React unusably slow for some applications.    // To work around this, initialize the fields below with doubles.    //    // Learn more about this here:    // https://github.com/facebook/react/issues/14365    // https://bugs.chromium.org/p/v8/issues/detail?id=8538    this.actualDuration = Number.NaN;    this.actualStartTime = Number.NaN;    this.selfBaseDuration = Number.NaN;    this.treeBaseDuration = Number.NaN;    // It's okay to replace the initial doubles with smis after initialization.    // This won't trigger the performance cliff mentioned above,    // and it simplifies other profiler code (including DevTools).    this.actualDuration = 0;    this.actualStartTime = -1;    this.selfBaseDuration = 0;    this.treeBaseDuration = 0;  }  if (__DEV__) {    // This isn't directly used but is handy for debugging internals:    this._debugID = debugCounter++;    this._debugSource = null;    this._debugOwner = null;    this._debugNeedsRemount = false;    this._debugHookTypes = null;    if (!hasBadMapPolyfill && typeof Object.preventExtensions === 'function') {      Object.preventExtensions(this);    }  }}const createFiber = function() {}export const createWorkInProgress = function() {}export const resetWorkInProgress = function() {}export const createHostRootFiber = function() {}

ReactFiberBeginWork.js

function beginWork(  current: Fiber | null,  workInProgress: Fiber,  renderLanes: Lanes,): Fiber | null {  const updateLanes = workInProgress.lanes;  if (__DEV__) {    if (workInProgress._debugNeedsRemount && current !== null) {      // This will restart the begin phase with a new fiber.      return remountFiber(        current,        workInProgress,        createFiberFromTypeAndProps(          workInProgress.type,          workInProgress.key,          workInProgress.pendingProps,          workInProgress._debugOwner || null,          workInProgress.mode,          workInProgress.lanes,        ),      );    }  }  if (current !== null) {    const oldProps = current.memoizedProps;    const newProps = workInProgress.pendingProps;    if (      oldProps !== newProps ||      hasLegacyContextChanged() ||      // Force a re-render if the implementation changed due to hot reload:      (__DEV__ ? workInProgress.type !== current.type : false)    ) {      // If props or context changed, mark the fiber as having performed work.      // This may be unset if the props are determined to be equal later (memo).      didReceiveUpdate = true;    } else if (!includesSomeLane(renderLanes, updateLanes)) {      didReceiveUpdate = false;      // This fiber does not have any pending work. Bailout without entering      // the begin phase. There's still some bookkeeping we that needs to be done      // in this optimized path, mostly pushing stuff onto the stack.      switch (workInProgress.tag) {        case HostRoot:          pushHostRootContext(workInProgress);          resetHydrationState();          break;        case HostComponent:          pushHostContext(workInProgress);          break;        case ClassComponent: {          const Component = workInProgress.type;          if (isLegacyContextProvider(Component)) {            pushLegacyContextProvider(workInProgress);          }          break;        }        case HostPortal:          pushHostContainer(            workInProgress,            workInProgress.stateNode.containerInfo,          );          break;        case ContextProvider: {          const newValue = workInProgress.memoizedProps.value;          pushProvider(workInProgress, newValue);          break;        }        case Profiler:          if (enableProfilerTimer) {            // Reset effect durations for the next eventual effect phase.            // These are reset during render to allow the DevTools commit hook a chance to read them,            const stateNode = workInProgress.stateNode;            stateNode.effectDuration = 0;            stateNode.passiveEffectDuration = 0;          }          break;        case SuspenseComponent: {          const state: SuspenseState | null = workInProgress.memoizedState;          if (state !== null) {            if (enableSuspenseServerRenderer) {              if (state.dehydrated !== null) {                pushSuspenseContext(                  workInProgress,                  setDefaultShallowSuspenseContext(suspenseStackCursor.current),                );                // We know that this component will suspend again because if it has                // been unsuspended it has committed as a resolved Suspense component.                // If it needs to be retried, it should have work scheduled on it.                workInProgress.flags |= DidCapture;                // We should never render the children of a dehydrated boundary until we                // upgrade it. We return null instead of bailoutOnAlreadyFinishedWork.                return null;              }            }            // If this boundary is currently timed out, we need to decide            // whether to retry the primary children, or to skip over it and            // go straight to the fallback. Check the priority of the primary            // child fragment.            const primaryChildFragment: Fiber = (workInProgress.child: any);            const primaryChildLanes = primaryChildFragment.childLanes;            if (includesSomeLane(renderLanes, primaryChildLanes)) {              // The primary children have pending work. Use the normal path              // to attempt to render the primary children again.              return updateSuspenseComponent(                current,                workInProgress,                renderLanes,              );            } else {              // The primary child fragment does not have pending work marked              // on it              pushSuspenseContext(                workInProgress,                setDefaultShallowSuspenseContext(suspenseStackCursor.current),              );              // The primary children do not have pending work with sufficient              // priority. Bailout.              const child = bailoutOnAlreadyFinishedWork(                current,                workInProgress,                renderLanes,              );              if (child !== null) {                // The fallback children have pending work. Skip over the                // primary children and work on the fallback.                return child.sibling;              } else {                return null;              }            }          } else {            pushSuspenseContext(              workInProgress,              setDefaultShallowSuspenseContext(suspenseStackCursor.current),            );          }          break;        }        case SuspenseListComponent: {          const didSuspendBefore = (current.flags & DidCapture) !== NoFlags;          const hasChildWork = includesSomeLane(            renderLanes,            workInProgress.childLanes,          );          if (didSuspendBefore) {            if (hasChildWork) {              // If something was in fallback state last time, and we have all the              // same children then we're still in progressive loading state.              // Something might get unblocked by state updates or retries in the              // tree which will affect the tail. So we need to use the normal              // path to compute the correct tail.              return updateSuspenseListComponent(                current,                workInProgress,                renderLanes,              );            }            // If none of the children had any work, that means that none of            // them got retried so they'll still be blocked in the same way            // as before. We can fast bail out.            workInProgress.flags |= DidCapture;          }          // If nothing suspended before and we're rendering the same children,          // then the tail doesn't matter. Anything new that suspends will work          // in the "together" mode, so we can continue from the state we had.          const renderState = workInProgress.memoizedState;          if (renderState !== null) {            // Reset to the "together" mode in case we've started a different            // update in the past but didn't complete it.            renderState.rendering = null;            renderState.tail = null;          }          pushSuspenseContext(workInProgress, suspenseStackCursor.current);          if (hasChildWork) {            break;          } else {            // If none of the children had any work, that means that none of            // them got retried so they'll still be blocked in the same way            // as before. We can fast bail out.            return null;          }        }        case OffscreenComponent:        case LegacyHiddenComponent: {          // Need to check if the tree still needs to be deferred. This is          // almost identical to the logic used in the normal update path,          // so we'll just enter that. The only difference is we'll bail out          // at the next level instead of this one, because the child props          // have not changed. Which is fine.          // TODO: Probably should refactor `beginWork` to split the bailout          // path from the normal path. I'm tempted to do a labeled break here          // but I won't :)          workInProgress.lanes = NoLanes;          return updateOffscreenComponent(current, workInProgress, renderLanes);        }      }      return bailoutOnAlreadyFinishedWork(current, workInProgress, renderLanes);    } else {      if ((current.flags & ForceUpdateForLegacySuspense) !== NoFlags) {        // This is a special case that only exists for legacy mode.        // See https://github.com/facebook/react/pull/19216.        didReceiveUpdate = true;      } else {        // An update was scheduled on this fiber, but there are no new props        // nor legacy context. Set this to false. If an update queue or context        // consumer produces a changed value, it will set this to true. Otherwise,        // the component will assume the children have not changed and bail out.        didReceiveUpdate = false;      }    }  } else {    didReceiveUpdate = false;  }  // Before entering the begin phase, clear pending update priority.  // TODO: This assumes that we're about to evaluate the component and process  // the update queue. However, there's an exception: SimpleMemoComponent  // sometimes bails out later in the begin phase. This indicates that we should  // move this assignment out of the common path and into each branch.  workInProgress.lanes = NoLanes;  switch (workInProgress.tag) {    case IndeterminateComponent: {      return mountIndeterminateComponent(        current,        workInProgress,        workInProgress.type,        renderLanes,      );    }    case LazyComponent: {      const elementType = workInProgress.elementType;      return mountLazyComponent(        current,        workInProgress,        elementType,        updateLanes,        renderLanes,      );    }    case FunctionComponent: {      const Component = workInProgress.type;      const unresolvedProps = workInProgress.pendingProps;      const resolvedProps =        workInProgress.elementType === Component          ? unresolvedProps          : resolveDefaultProps(Component, unresolvedProps);      return updateFunctionComponent(        current,        workInProgress,        Component,        resolvedProps,        renderLanes,      );    }    case ClassComponent: {      const Component = workInProgress.type;      const unresolvedProps = workInProgress.pendingProps;      const resolvedProps =        workInProgress.elementType === Component          ? unresolvedProps          : resolveDefaultProps(Component, unresolvedProps);      return updateClassComponent(        current,        workInProgress,        Component,        resolvedProps,        renderLanes,      );    }    case HostRoot:      return updateHostRoot(current, workInProgress, renderLanes);    case HostComponent:      return updateHostComponent(current, workInProgress, renderLanes);    case HostText:      return updateHostText(current, workInProgress);    case SuspenseComponent:      return updateSuspenseComponent(current, workInProgress, renderLanes);    case HostPortal:      return updatePortalComponent(current, workInProgress, renderLanes);    case ForwardRef: {      const type = workInProgress.type;      const unresolvedProps = workInProgress.pendingProps;      const resolvedProps =        workInProgress.elementType === type          ? unresolvedProps          : resolveDefaultProps(type, unresolvedProps);      return updateForwardRef(        current,        workInProgress,        type,        resolvedProps,        renderLanes,      );    }    case Fragment:      return updateFragment(current, workInProgress, renderLanes);    case Mode:      return updateMode(current, workInProgress, renderLanes);    case Profiler:      return updateProfiler(current, workInProgress, renderLanes);    case ContextProvider:      return updateContextProvider(current, workInProgress, renderLanes);    case ContextConsumer:      return updateContextConsumer(current, workInProgress, renderLanes);    case MemoComponent: {      const type = workInProgress.type;      const unresolvedProps = workInProgress.pendingProps;      // Resolve outer props first, then resolve inner props.      let resolvedProps = resolveDefaultProps(type, unresolvedProps);      if (__DEV__) {        if (workInProgress.type !== workInProgress.elementType) {          const outerPropTypes = type.propTypes;          if (outerPropTypes) {            checkPropTypes(              outerPropTypes,              resolvedProps, // Resolved for outer only              'prop',              getComponentName(type),            );          }        }      }      resolvedProps = resolveDefaultProps(type.type, resolvedProps);      return updateMemoComponent(        current,        workInProgress,        type,        resolvedProps,        updateLanes,        renderLanes,      );    }    case SimpleMemoComponent: {      return updateSimpleMemoComponent(        current,        workInProgress,        workInProgress.type,        workInProgress.pendingProps,        updateLanes,        renderLanes,      );    }    case IncompleteClassComponent: {      const Component = workInProgress.type;      const unresolvedProps = workInProgress.pendingProps;      const resolvedProps =        workInProgress.elementType === Component          ? unresolvedProps          : resolveDefaultProps(Component, unresolvedProps);      return mountIncompleteClassComponent(        current,        workInProgress,        Component,        resolvedProps,        renderLanes,      );    }    case SuspenseListComponent: {      return updateSuspenseListComponent(current, workInProgress, renderLanes);    }    case FundamentalComponent: {      if (enableFundamentalAPI) {        return updateFundamentalComponent(current, workInProgress, renderLanes);      }      break;    }    case ScopeComponent: {      if (enableScopeAPI) {        return updateScopeComponent(current, workInProgress, renderLanes);      }      break;    }    case Block: {      if (enableBlocksAPI) {        const block = workInProgress.type;        const props = workInProgress.pendingProps;        return updateBlock(current, workInProgress, block, props, renderLanes);      }      break;    }    case OffscreenComponent: {      return updateOffscreenComponent(current, workInProgress, renderLanes);    }    case LegacyHiddenComponent: {      return updateLegacyHiddenComponent(current, workInProgress, renderLanes);    }  }  invariant(    false,    'Unknown unit of work tag (%s). This error is likely caused by a bug in ' +      'React. Please file an issue.',    workInProgress.tag,  );}

ReactFiberCommitWork.js

对不同的实在dom类型进行对应提交

function commitWork(current: Fiber | null, finishedWork: Fiber): void {  if (!supportsMutation) {    switch (finishedWork.tag) {      case FunctionComponent:      case ForwardRef:      case MemoComponent:      case SimpleMemoComponent:      case Block: {        // Layout effects are destroyed during the mutation phase so that all        // destroy functions for all fibers are called before any create functions.        // This prevents sibling component effects from interfering with each other,        // e.g. a destroy function in one component should never override a ref set        // by a create function in another component during the same commit.        if (          enableProfilerTimer &&          enableProfilerCommitHooks &&          finishedWork.mode & ProfileMode        ) {          try {            startLayoutEffectTimer();            commitHookEffectListUnmount(              HookLayout | HookHasEffect,              finishedWork,              finishedWork.return,            );          } finally {            recordLayoutEffectDuration(finishedWork);          }        } else {          commitHookEffectListUnmount(            HookLayout | HookHasEffect,            finishedWork,            finishedWork.return,          );        }        return;      }      case Profiler: {        return;      }      case SuspenseComponent: {        commitSuspenseComponent(finishedWork);        attachSuspenseRetryListeners(finishedWork);        return;      }      case SuspenseListComponent: {        attachSuspenseRetryListeners(finishedWork);        return;      }      case HostRoot: {        if (supportsHydration) {          const root: FiberRoot = finishedWork.stateNode;          if (root.hydrate) {            // We've just hydrated. No need to hydrate again.            root.hydrate = false;            commitHydratedContainer(root.containerInfo);          }        }        break;      }      case OffscreenComponent:      case LegacyHiddenComponent: {        return;      }    }    commitContainer(finishedWork);    return;  }  switch (finishedWork.tag) {    case FunctionComponent:    case ForwardRef:    case MemoComponent:    case SimpleMemoComponent:    case Block: {      // Layout effects are destroyed during the mutation phase so that all      // destroy functions for all fibers are called before any create functions.      // This prevents sibling component effects from interfering with each other,      // e.g. a destroy function in one component should never override a ref set      // by a create function in another component during the same commit.      if (        enableProfilerTimer &&        enableProfilerCommitHooks &&        finishedWork.mode & ProfileMode      ) {        try {          startLayoutEffectTimer();          commitHookEffectListUnmount(            HookLayout | HookHasEffect,            finishedWork,            finishedWork.return,          );        } finally {          recordLayoutEffectDuration(finishedWork);        }      } else {        commitHookEffectListUnmount(          HookLayout | HookHasEffect,          finishedWork,          finishedWork.return,        );      }      return;    }    case ClassComponent: {      return;    }    case HostComponent: {      const instance: Instance = finishedWork.stateNode;      if (instance != null) {        // Commit the work prepared earlier.        const newProps = finishedWork.memoizedProps;        // For hydration we reuse the update path but we treat the oldProps        // as the newProps. The updatePayload will contain the real change in        // this case.        const oldProps = current !== null ? current.memoizedProps : newProps;        const type = finishedWork.type;        // TODO: Type the updateQueue to be specific to host components.        const updatePayload: null | UpdatePayload = (finishedWork.updateQueue: any);        finishedWork.updateQueue = null;        if (updatePayload !== null) {          commitUpdate(            instance,            updatePayload,            type,            oldProps,            newProps,            finishedWork,          );        }      }      return;    }    case HostText: {      invariant(        finishedWork.stateNode !== null,        'This should have a text node initialized. This error is likely ' +          'caused by a bug in React. Please file an issue.',      );      const textInstance: TextInstance = finishedWork.stateNode;      const newText: string = finishedWork.memoizedProps;      // For hydration we reuse the update path but we treat the oldProps      // as the newProps. The updatePayload will contain the real change in      // this case.      const oldText: string =        current !== null ? current.memoizedProps : newText;      commitTextUpdate(textInstance, oldText, newText);      return;    }    case HostRoot: {      if (supportsHydration) {        const root: FiberRoot = finishedWork.stateNode;        if (root.hydrate) {          // We've just hydrated. No need to hydrate again.          root.hydrate = false;          commitHydratedContainer(root.containerInfo);        }      }      return;    }    case Profiler: {      return;    }    case SuspenseComponent: {      commitSuspenseComponent(finishedWork);      attachSuspenseRetryListeners(finishedWork);      return;    }    case SuspenseListComponent: {      attachSuspenseRetryListeners(finishedWork);      return;    }    case IncompleteClassComponent: {      return;    }    case FundamentalComponent: {      if (enableFundamentalAPI) {        const fundamentalInstance = finishedWork.stateNode;        updateFundamentalComponent(fundamentalInstance);        return;      }      break;    }    case ScopeComponent: {      if (enableScopeAPI) {        const scopeInstance = finishedWork.stateNode;        prepareScopeUpdate(scopeInstance, finishedWork);        return;      }      break;    }    case OffscreenComponent:    case LegacyHiddenComponent: {      const newState: OffscreenState | null = finishedWork.memoizedState;      const isHidden = newState !== null;      hideOrUnhideAllChildren(finishedWork, isHidden);      return;    }  }  invariant(    false,    'This unit of work tag should not have side-effects. This error is ' +      'likely caused by a bug in React. Please file an issue.',  );}

ReactFiberCompleteWork.js

function completeWork(  current: Fiber | null,  workInProgress: Fiber,  renderLanes: Lanes,): Fiber | null {  const newProps = workInProgress.pendingProps;  switch (workInProgress.tag) {    case IndeterminateComponent:    case LazyComponent:    case SimpleMemoComponent:    case FunctionComponent:    case ForwardRef:    case Fragment:    case Mode:    case ContextConsumer:    case MemoComponent:      bubbleProperties(workInProgress);      return null;    case ClassComponent: {      const Component = workInProgress.type;      if (isLegacyContextProvider(Component)) {        popLegacyContext(workInProgress);      }      bubbleProperties(workInProgress);      return null;    }    case HostRoot: {      popHostContainer(workInProgress);      popTopLevelLegacyContextObject(workInProgress);      resetMutableSourceWorkInProgressVersions();      const fiberRoot = (workInProgress.stateNode: FiberRoot);      if (fiberRoot.pendingContext) {        fiberRoot.context = fiberRoot.pendingContext;        fiberRoot.pendingContext = null;      }      if (current === null || current.child === null) {        // If we hydrated, pop so that we can delete any remaining children        // that weren't hydrated.        const wasHydrated = popHydrationState(workInProgress);        if (wasHydrated) {          // If we hydrated, then we'll need to schedule an update for          // the commit side-effects on the root.          markUpdate(workInProgress);        } else if (!fiberRoot.hydrate) {          // Schedule an effect to clear this container at the start of the next commit.          // This handles the case of React rendering into a container with previous children.          // It's also safe to do for updates too, because current.child would only be null          // if the previous render was null (so the the container would already be empty).          workInProgress.flags |= Snapshot;        }      }      updateHostContainer(current, workInProgress);      bubbleProperties(workInProgress);      return null;    }    case HostComponent: {      popHostContext(workInProgress);      const rootContainerInstance = getRootHostContainer();      const type = workInProgress.type;      if (current !== null && workInProgress.stateNode != null) {        updateHostComponent(          current,          workInProgress,          type,          newProps,          rootContainerInstance,        );        if (current.ref !== workInProgress.ref) {          markRef(workInProgress);        }      } else {        if (!newProps) {          invariant(            workInProgress.stateNode !== null,            'We must have new props for new mounts. This error is likely ' +              'caused by a bug in React. Please file an issue.',          );          // This can happen when we abort work.          bubbleProperties(workInProgress);          return null;        }        const currentHostContext = getHostContext();        // TODO: Move createInstance to beginWork and keep it on a context        // "stack" as the parent. Then append children as we go in beginWork        // or completeWork depending on whether we want to add them top->down or        // bottom->up. Top->down is faster in IE11.        const wasHydrated = popHydrationState(workInProgress);        if (wasHydrated) {          // TODO: Move this and createInstance step into the beginPhase          // to consolidate.          if (            prepareToHydrateHostInstance(              workInProgress,              rootContainerInstance,              currentHostContext,            )          ) {            // If changes to the hydrated node need to be applied at the            // commit-phase we mark this as such.            markUpdate(workInProgress);          }        } else {          const instance = createInstance(            type,            newProps,            rootContainerInstance,            currentHostContext,            workInProgress,          );          appendAllChildren(instance, workInProgress, false, false);          workInProgress.stateNode = instance;          // Certain renderers require commit-time effects for initial mount.          // (eg DOM renderer supports auto-focus for certain elements).          // Make sure such renderers get scheduled for later work.          if (            finalizeInitialChildren(              instance,              type,              newProps,              rootContainerInstance,              currentHostContext,            )          ) {            markUpdate(workInProgress);          }        }        if (workInProgress.ref !== null) {          // If there is a ref on a host node we need to schedule a callback          markRef(workInProgress);        }      }      bubbleProperties(workInProgress);      return null;    }    case HostText: {      const newText = newProps;      if (current && workInProgress.stateNode != null) {        const oldText = current.memoizedProps;        // If we have an alternate, that means this is an update and we need        // to schedule a side-effect to do the updates.        updateHostText(current, workInProgress, oldText, newText);      } else {        if (typeof newText !== 'string') {          invariant(            workInProgress.stateNode !== null,            'We must have new props for new mounts. This error is likely ' +              'caused by a bug in React. Please file an issue.',          );          // This can happen when we abort work.        }        const rootContainerInstance = getRootHostContainer();        const currentHostContext = getHostContext();        const wasHydrated = popHydrationState(workInProgress);        if (wasHydrated) {          if (prepareToHydrateHostTextInstance(workInProgress)) {            markUpdate(workInProgress);          }        } else {          workInProgress.stateNode = createTextInstance(            newText,            rootContainerInstance,            currentHostContext,            workInProgress,          );        }      }      bubbleProperties(workInProgress);      return null;    }    case Profiler: {      const didBailout = bubbleProperties(workInProgress);      if (!didBailout) {        // Use subtreeFlags to determine which commit callbacks should fire.        // TODO: Move this logic to the commit phase, since we already check if        // a fiber's subtree contains effects. Refactor the commit phase's        // depth-first traversal so that we can put work tag-specific logic        // before or after committing a subtree's effects.        const OnRenderFlag = Update;        const OnCommitFlag = Callback;        const OnPostCommitFlag = Passive;        const subtreeFlags = workInProgress.subtreeFlags;        const flags = workInProgress.flags;        let newFlags = flags;        // Call onRender any time this fiber or its subtree are worked on.        if (          (flags & PerformedWork) !== NoFlags ||          (subtreeFlags & PerformedWork) !== NoFlags        ) {          newFlags |= OnRenderFlag;        }        // Call onCommit only if the subtree contains layout work, or if it        // contains deletions, since those might result in unmount work, which        // we include in the same measure.        // TODO: Can optimize by using a static flag to track whether a tree        // contains layout effects, like we do for passive effects.        if (          (flags & (LayoutMask | Deletion)) !== NoFlags ||          (subtreeFlags & (LayoutMask | Deletion)) !== NoFlags        ) {          newFlags |= OnCommitFlag;        }        // Call onPostCommit only if the subtree contains passive work.        // Don't have to check for deletions, because Deletion is already        // a passive flag.        if (          (flags & PassiveMask) !== NoFlags ||          (subtreeFlags & PassiveMask) !== NoFlags        ) {          newFlags |= OnPostCommitFlag;        }        workInProgress.flags = newFlags;      } else {        // This fiber and its subtree bailed out, so don't fire any callbacks.      }      return null;    }    case SuspenseComponent: {      popSuspenseContext(workInProgress);      const nextState: null | SuspenseState = workInProgress.memoizedState;      if (enableSuspenseServerRenderer) {        if (nextState !== null && nextState.dehydrated !== null) {          if (current === null) {            const wasHydrated = popHydrationState(workInProgress);            invariant(              wasHydrated,              'A dehydrated suspense component was completed without a hydrated node. ' +                'This is probably a bug in React.',            );            prepareToHydrateHostSuspenseInstance(workInProgress);            if (enableSchedulerTracing) {              markSpawnedWork(OffscreenLane);            }            bubbleProperties(workInProgress);            if (enableProfilerTimer) {              if ((workInProgress.mode & ProfileMode) !== NoMode) {                const isTimedOutSuspense = nextState !== null;                if (isTimedOutSuspense) {                  // Don't count time spent in a timed out Suspense subtree as part of the base duration.                  const primaryChildFragment = workInProgress.child;                  if (primaryChildFragment !== null) {                    // $FlowFixMe Flow doens't support type casting in combiation with the -= operator                    workInProgress.treeBaseDuration -= ((primaryChildFragment.treeBaseDuration: any): number);                  }                }              }            }            return null;          } else {            // We should never have been in a hydration state if we didn't have a current.            // However, in some of those paths, we might have reentered a hydration state            // and then we might be inside a hydration state. In that case, we'll need to exit out of it.            resetHydrationState();            if ((workInProgress.flags & DidCapture) === NoFlags) {              // This boundary did not suspend so it's now hydrated and unsuspended.              workInProgress.memoizedState = null;            }            // If nothing suspended, we need to schedule an effect to mark this boundary            // as having hydrated so events know that they're free to be invoked.            // It's also a signal to replay events and the suspense callback.            // If something suspended, schedule an effect to attach retry listeners.            // So we might as well always mark this.            workInProgress.flags |= Update;            bubbleProperties(workInProgress);            if (enableProfilerTimer) {              if ((workInProgress.mode & ProfileMode) !== NoMode) {                const isTimedOutSuspense = nextState !== null;                if (isTimedOutSuspense) {                  // Don't count time spent in a timed out Suspense subtree as part of the base duration.                  const primaryChildFragment = workInProgress.child;                  if (primaryChildFragment !== null) {                    // $FlowFixMe Flow doens't support type casting in combiation with the -= operator                    workInProgress.treeBaseDuration -= ((primaryChildFragment.treeBaseDuration: any): number);                  }                }              }            }            return null;          }        }      }      if ((workInProgress.flags & DidCapture) !== NoFlags) {        // Something suspended. Re-render with the fallback children.        workInProgress.lanes = renderLanes;        // Do not reset the effect list.        if (          enableProfilerTimer &&          (workInProgress.mode & ProfileMode) !== NoMode        ) {          transferActualDuration(workInProgress);        }        // Don't bubble properties in this case.        return workInProgress;      }      const nextDidTimeout = nextState !== null;      let prevDidTimeout = false;      if (current === null) {        if (workInProgress.memoizedProps.fallback !== undefined) {          popHydrationState(workInProgress);        }      } else {        const prevState: null | SuspenseState = current.memoizedState;        prevDidTimeout = prevState !== null;      }      if (nextDidTimeout && !prevDidTimeout) {        // If this subtreee is running in blocking mode we can suspend,        // otherwise we won't suspend.        // TODO: This will still suspend a synchronous tree if anything        // in the concurrent tree already suspended during this render.        // This is a known bug.        if ((workInProgress.mode & BlockingMode) !== NoMode) {          // TODO: Move this back to throwException because this is too late          // if this is a large tree which is common for initial loads. We          // don't know if we should restart a render or not until we get          // this marker, and this is too late.          // If this render already had a ping or lower pri updates,          // and this is the first time we know we're going to suspend we          // should be able to immediately restart from within throwException.          const hasInvisibleChildContext =            current === null &&            workInProgress.memoizedProps.unstable_avoidThisFallback !== true;          if (            hasInvisibleChildContext ||            hasSuspenseContext(              suspenseStackCursor.current,              (InvisibleParentSuspenseContext: SuspenseContext),            )          ) {            // If this was in an invisible tree or a new render, then showing            // this boundary is ok.            renderDidSuspend();          } else {            // Otherwise, we're going to have to hide content so we should            // suspend for longer if possible.            renderDidSuspendDelayIfPossible();          }        }      }      if (supportsPersistence) {        // TODO: Only schedule updates if not prevDidTimeout.        if (nextDidTimeout) {          // If this boundary just timed out, schedule an effect to attach a          // retry listener to the promise. This flag is also used to hide the          // primary children.          workInProgress.flags |= Update;        }      }      if (supportsMutation) {        // TODO: Only schedule updates if these values are non equal, i.e. it changed.        if (nextDidTimeout || prevDidTimeout) {          // If this boundary just timed out, schedule an effect to attach a          // retry listener to the promise. This flag is also used to hide the          // primary children. In mutation mode, we also need the flag to          // *unhide* children that were previously hidden, so check if this          // is currently timed out, too.          workInProgress.flags |= Update;        }      }      if (        enableSuspenseCallback &&        workInProgress.updateQueue !== null &&        workInProgress.memoizedProps.suspenseCallback != null      ) {        // Always notify the callback        workInProgress.flags |= Update;      }      bubbleProperties(workInProgress);      if (enableProfilerTimer) {        if ((workInProgress.mode & ProfileMode) !== NoMode) {          if (nextDidTimeout) {            // Don't count time spent in a timed out Suspense subtree as part of the base duration.            const primaryChildFragment = workInProgress.child;            if (primaryChildFragment !== null) {              // $FlowFixMe Flow doens't support type casting in combiation with the -= operator              workInProgress.treeBaseDuration -= ((primaryChildFragment.treeBaseDuration: any): number);            }          }        }      }      return null;    }    case HostPortal:      popHostContainer(workInProgress);      updateHostContainer(current, workInProgress);      if (current === null) {        preparePortalMount(workInProgress.stateNode.containerInfo);      }      bubbleProperties(workInProgress);      return null;    case ContextProvider:      // Pop provider fiber      popProvider(workInProgress);      bubbleProperties(workInProgress);      return null;    case IncompleteClassComponent: {      // Same as class component case. I put it down here so that the tags are      // sequential to ensure this switch is compiled to a jump table.      const Component = workInProgress.type;      if (isLegacyContextProvider(Component)) {        popLegacyContext(workInProgress);      }      bubbleProperties(workInProgress);      return null;    }    case SuspenseListComponent: {      popSuspenseContext(workInProgress);      const renderState: null | SuspenseListRenderState =        workInProgress.memoizedState;      if (renderState === null) {        // We're running in the default, "independent" mode.        // We don't do anything in this mode.        bubbleProperties(workInProgress);        return null;      }      let didSuspendAlready = (workInProgress.flags & DidCapture) !== NoFlags;      const renderedTail = renderState.rendering;      if (renderedTail === null) {        // We just rendered the head.        if (!didSuspendAlready) {          // This is the first pass. We need to figure out if anything is still          // suspended in the rendered set.          // If new content unsuspended, but there's still some content that          // didn't. Then we need to do a second pass that forces everything          // to keep showing their fallbacks.          // We might be suspended if something in this render pass suspended, or          // something in the previous committed pass suspended. Otherwise,          // there's no chance so we can skip the expensive call to          // findFirstSuspended.          const cannotBeSuspended =            renderHasNotSuspendedYet() &&            (current === null || (current.flags & DidCapture) === NoFlags);          if (!cannotBeSuspended) {            let row = workInProgress.child;            while (row !== null) {              const suspended = findFirstSuspended(row);              if (suspended !== null) {                didSuspendAlready = true;                workInProgress.flags |= DidCapture;                cutOffTailIfNeeded(renderState, false);                // If this is a newly suspended tree, it might not get committed as                // part of the second pass. In that case nothing will subscribe to                // its thennables. Instead, we'll transfer its thennables to the                // SuspenseList so that it can retry if they resolve.                // There might be multiple of these in the list but since we're                // going to wait for all of them anyway, it doesn't really matter                // which ones gets to ping. In theory we could get clever and keep                // track of how many dependencies remain but it gets tricky because                // in the meantime, we can add/remove/change items and dependencies.                // We might bail out of the loop before finding any but that                // doesn't matter since that means that the other boundaries that                // we did find already has their listeners attached.                const newThennables = suspended.updateQueue;                if (newThennables !== null) {                  workInProgress.updateQueue = newThennables;                  workInProgress.flags |= Update;                }                // Rerender the whole list, but this time, we'll force fallbacks                // to stay in place.                // Reset the child fibers to their original state.                workInProgress.subtreeFlags = NoFlags;                resetChildFibers(workInProgress, renderLanes);                // Set up the Suspense Context to force suspense and immediately                // rerender the children.                pushSuspenseContext(                  workInProgress,                  setShallowSuspenseContext(                    suspenseStackCursor.current,                    ForceSuspenseFallback,                  ),                );                // Don't bubble properties in this case.                return workInProgress.child;              }              row = row.sibling;            }          }          if (renderState.tail !== null && now() > getRenderTargetTime()) {            // We have already passed our CPU deadline but we still have rows            // left in the tail. We'll just give up further attempts to render            // the main content and only render fallbacks.            workInProgress.flags |= DidCapture;            didSuspendAlready = true;            cutOffTailIfNeeded(renderState, false);            // Since nothing actually suspended, there will nothing to ping this            // to get it started back up to attempt the next item. While in terms            // of priority this work has the same priority as this current render,            // it's not part of the same transition once the transition has            // committed. If it's sync, we still want to yield so that it can be            // painted. Conceptually, this is really the same as pinging.            // We can use any RetryLane even if it's the one currently rendering            // since we're leaving it behind on this node.            workInProgress.lanes = SomeRetryLane;            if (enableSchedulerTracing) {              markSpawnedWork(SomeRetryLane);            }          }        } else {          cutOffTailIfNeeded(renderState, false);        }        // Next we're going to render the tail.      } else {        // Append the rendered row to the child list.        if (!didSuspendAlready) {          const suspended = findFirstSuspended(renderedTail);          if (suspended !== null) {            workInProgress.flags |= DidCapture;            didSuspendAlready = true;            // Ensure we transfer the update queue to the parent so that it doesn't            // get lost if this row ends up dropped during a second pass.            const newThennables = suspended.updateQueue;            if (newThennables !== null) {              workInProgress.updateQueue = newThennables;              workInProgress.flags |= Update;            }            cutOffTailIfNeeded(renderState, true);            // This might have been modified.            if (              renderState.tail === null &&              renderState.tailMode === 'hidden' &&              !renderedTail.alternate &&              !getIsHydrating() // We don't cut it if we're hydrating.            ) {              // We're done.              bubbleProperties(workInProgress);              return null;            }          } else if (            // The time it took to render last row is greater than the remaining            // time we have to render. So rendering one more row would likely            // exceed it.            now() * 2 - renderState.renderingStartTime >              getRenderTargetTime() &&            renderLanes !== OffscreenLane          ) {            // We have now passed our CPU deadline and we'll just give up further            // attempts to render the main content and only render fallbacks.            // The assumption is that this is usually faster.            workInProgress.flags |= DidCapture;            didSuspendAlready = true;            cutOffTailIfNeeded(renderState, false);            // Since nothing actually suspended, there will nothing to ping this            // to get it started back up to attempt the next item. If we can show            // them, then they really have the same priority as this render.            // So we'll pick it back up the very next render pass once we've had            // an opportunity to yield for paint.            workInProgress.lanes = SomeRetryLane;            if (enableSchedulerTracing) {              markSpawnedWork(SomeRetryLane);            }          }        }        if (renderState.isBackwards) {          // The effect list of the backwards tail will have been added          // to the end. This breaks the guarantee that life-cycles fire in          // sibling order but that isn't a strong guarantee promised by React.          // Especially since these might also just pop in during future commits.          // Append to the beginning of the list.          renderedTail.sibling = workInProgress.child;          workInProgress.child = renderedTail;        } else {          const previousSibling = renderState.last;          if (previousSibling !== null) {            previousSibling.sibling = renderedTail;          } else {            workInProgress.child = renderedTail;          }          renderState.last = renderedTail;        }      }      if (renderState.tail !== null) {        // We still have tail rows to render.        // Pop a row.        const next = renderState.tail;        renderState.rendering = next;        renderState.tail = next.sibling;        renderState.renderingStartTime = now();        next.sibling = null;        // Restore the context.        // TODO: We can probably just avoid popping it instead and only        // setting it the first time we go from not suspended to suspended.        let suspenseContext = suspenseStackCursor.current;        if (didSuspendAlready) {          suspenseContext = setShallowSuspenseContext(            suspenseContext,            ForceSuspenseFallback,          );        } else {          suspenseContext = setDefaultShallowSuspenseContext(suspenseContext);        }        pushSuspenseContext(workInProgress, suspenseContext);        // Do a pass over the next row.        // Don't bubble properties in this case.        return next;      }      bubbleProperties(workInProgress);      return null;    }    case FundamentalComponent: {      if (enableFundamentalAPI) {        const fundamentalImpl = workInProgress.type.impl;        let fundamentalInstance: ReactFundamentalComponentInstance<          any,          any,        > | null = workInProgress.stateNode;        if (fundamentalInstance === null) {          const getInitialState = fundamentalImpl.getInitialState;          let fundamentalState;          if (getInitialState !== undefined) {            fundamentalState = getInitialState(newProps);          }          fundamentalInstance = workInProgress.stateNode = createFundamentalStateInstance(            workInProgress,            newProps,            fundamentalImpl,            fundamentalState || {},          );          const instance = ((getFundamentalComponentInstance(            fundamentalInstance,          ): any): Instance);          fundamentalInstance.instance = instance;          if (fundamentalImpl.reconcileChildren === false) {            bubbleProperties(workInProgress);            return null;          }          appendAllChildren(instance, workInProgress, false, false);          mountFundamentalComponent(fundamentalInstance);        } else {          // We fire update in commit phase          const prevProps = fundamentalInstance.props;          fundamentalInstance.prevProps = prevProps;          fundamentalInstance.props = newProps;          fundamentalInstance.currentFiber = workInProgress;          if (supportsPersistence) {            const instance = cloneFundamentalInstance(fundamentalInstance);            fundamentalInstance.instance = instance;            appendAllChildren(instance, workInProgress, false, false);          }          const shouldUpdate = shouldUpdateFundamentalComponent(            fundamentalInstance,          );          if (shouldUpdate) {            markUpdate(workInProgress);          }        }        bubbleProperties(workInProgress);        return null;      }      break;    }    case ScopeComponent: {      if (enableScopeAPI) {        if (current === null) {          const scopeInstance: ReactScopeInstance = createScopeInstance();          workInProgress.stateNode = scopeInstance;          prepareScopeUpdate(scopeInstance, workInProgress);          if (workInProgress.ref !== null) {            markRef(workInProgress);            markUpdate(workInProgress);          }        } else {          if (workInProgress.ref !== null) {            markUpdate(workInProgress);          }          if (current.ref !== workInProgress.ref) {            markRef(workInProgress);          }        }        bubbleProperties(workInProgress);        return null;      }      break;    }    case Block:      if (enableBlocksAPI) {        bubbleProperties(workInProgress);        return null;      }      break;    case OffscreenComponent:    case LegacyHiddenComponent: {      popRenderLanes(workInProgress);      const nextState: OffscreenState | null = workInProgress.memoizedState;      const nextIsHidden = nextState !== null;      if (current !== null) {        const prevState: OffscreenState | null = current.memoizedState;        const prevIsHidden = prevState !== null;        if (          prevIsHidden !== nextIsHidden &&          newProps.mode !== 'unstable-defer-without-hiding'        ) {          workInProgress.flags |= Update;        }      }      // Don't bubble properties for hidden children.      if (        !nextIsHidden ||        includesSomeLane(subtreeRenderLanes, (OffscreenLane: Lane)) ||        (workInProgress.mode & ConcurrentMode) === NoMode      ) {        bubbleProperties(workInProgress);      }      return null;    }  }  invariant(    false,    'Unknown unit of work tag (%s). This error is likely caused by a bug in ' +      'React. Please file an issue.',    workInProgress.tag,  );}

实际

import {useState} from 'react';function App() {  let [count, setCount] = useState(100);    function add() {    setCount(count++)    console.log('add',count)  };  console.log('render',count);    return (    <div>      <h1>{count}</h1>      <p>我是兄弟元素</p >      <button onClick={add}>点我+1</button>    </div>  );}export default App;

通过一个cra的实际,看一下整过react的过程,如下:

createRootFiber => FiberRootNode => initialUpdateQueue => updateContainer => createUpdate => scheduleUpdateOnFiber => renderRootSync => workLoopSync => performUnitOfWork => beginWork => updateHostRoot => processUpdateQueue => reconcileChildFibers => reconcileSingleElement => createFiberFromElement => completeUnitWork => completeWork => createInstance => createElement => finalizeInitialChildren

总结

react16之后通过fiber对整个运行时的stack reconciler进行了批改,实现了分片的协程调度,对于层级较深的js调用栈能够实现进行与启动更细粒度的管制,从而防止js线程的长时间占用而导致的渲染线程的卡死,整体的设计体现了react架构人员的计算机素养相当的扎实,对操作系统乃至整体数据结构把控能力之强,可见一斑,从这个层面上看,国外程序员设计者的确在优化性能等方面总是从计算机最底层的思路去着手,值得咱们学习与思考。

参考

  • react17官网源码
  • 联合 React 源码,五分钟带你把握优先队列
  • 如何对待 React Server Components?(网易云音乐前端团队)
  • 漫谈 React Fiber
  • React17新个性:启发式更新算法
  • React Fiber 源码解析
  • 深入浅出搞定 React
  • React16源码解析
  • 彻底搞懂React源码调度原理(Concurrent模式)
  • react中的requestIdleCallback实现
  • 浅谈React16框架 - Fiber
  • react scheduler 再解析篇
  • 浅谈React Scheduler工作治理
  • 探索 React Work Loop 原理
  • react17 lane 算法:位运算和素数相除
  • React 源码解析(V16.8.4)
  • react源码分析
  • React技术揭秘