React16源码: React中commit阶段的commitRoot的主流程源码实现

commitRoot


1 )概述

  • 在react中有 render 阶段 和 commit 阶段,这是两个不同的阶段
  • 1 )之前的渲染更新都是render阶段
  • 在render阶段,会经历一系列的调度,一系列的节点的更新过程
  • 需要去重新计算它的 state, props 生成新的fiber树和dom树
  • 在这个过程中,每一个节点的更新过程,它都是独立的
  • 每一个节点更新完之后,它都可以跳出这个更新的循环
  • 然后根据不同的更新模式可以被中断以及可以分片的更新
  • 能够让 react 把更多的优先级交还给浏览器
  • 让它可以及时的更新用户反馈,处理一些持续性的动画,让整体的页面会变得更流畅
  • 2 )进入到commit阶段,整个流程是不可以被中断的
  • react 尽量把更少的任务交给 commit 阶段
  • 所以,commit 阶段需要去更新的节点,会尽可能的控制在最少
  • 在之前的 renderRoot 结束的时候,会在 root 上面设置一个 finishedWork 这么一个对象
  • 这个对象是 RootFiber 对象, 这个对象包含了 firstEffect 到 lastEffect 单项链
  • 这个链就包含在整个 render 阶段,计算出来的需要在 commit 阶段进行操作的节点
  • 这些节点是在commit阶段根据赋值给它们的不同的 SideEffect 进行的不同的操作
  • commitRoot 这个方法
    • 包含很多去处理不同 SideEffect 的操作
    • 包含3个循环, 这3个循环都是对 firstEffect 到 lastEffect 单项链表上面
    • 每一个节点上面去更新内容,在更新完之后做的一些善后工作

2 )源码

定位到 packages/react-reconciler/src/ReactFiberScheduler.js#L586

定位到 commitRoot

function commitRoot(root: FiberRoot, finishedWork: Fiber): void {// 一进来,它先设置了两个全局,变量是isworking和iscommitting// isworking,我们在 renderRoot 的过程当中也会设置为 true// 所以说 isWorking 这个全局变量,它就代表着我们正在进行更新的操作, 不管是它在哪一个阶段// isCommitting 就是单独的指明正在处于commit阶段,即提交的阶段isWorking = true;isCommitting = true;startCommitTimer();invariant(root.current !== finishedWork,'Cannot commit the same tree as before. This is probably a bug ' +'related to the return field. This error is likely caused by a bug ' +'in React. Please file an issue.',);// 进入之后,通过 root.pendingCommitExpirationTime,获取 committedExpirationTime// 这个 pendingCommitExpirationTime 就是在 onCommitRoot 的时候设置的// 在之前 render 阶段执行操作的 expirationTimeconst committedExpirationTime = root.pendingCommitExpirationTime;invariant(committedExpirationTime !== NoWork,'Cannot commit an incomplete root. This error is likely caused by a ' +'bug in React. Please file an issue.',);// 设置这个 root.pendingCommitExpirationTime 为 NoWork// 因为即将要对这个 committedExpirationTime 来进行一个commit的操作了// 接下去就是在执行完之后, root.pendingCommitExpirationTime 肯定就是已经没有了root.pendingCommitExpirationTime = NoWork;// Update the pending priority levels to account for the work that we are// about to commit. This needs to happen before calling the lifecycles, since// they may schedule additional updates.// 这边会做一个标记,就是 markCommittedPriorityLevels 这是标记我们的一个优先级// 它标记的结果是根据 finishedWork.expirationTime 以及 finishedWork.childExpirationTime// 因为 finishedWork 是一个 RootFiber,所以它的 childExpirationTime 代表着所有子树当中优先级最高的那一个任务// 而它的 expirationTime,大部分情况下都应该是跟它的 childExpirationTime 是相同的,但是会有一些情况不一样// 比如说通过外部强制指定的方式, 比如在有 nextRenderDidError 的情况下// 会设置它的 experiencetime 等于 Sync 这就是从外部去强制指定它的一个 expirationTime// 在这种情况下,它的 expirationTime 跟它的 childExpirationTime 会有比较大的区别// 当然并不是说没有这种外部指定,它们一定相同,大部分情况下,它们应该是相同的const updateExpirationTimeBeforeCommit = finishedWork.expirationTime;const childExpirationTimeBeforeCommit = finishedWork.childExpirationTime;const earliestRemainingTimeBeforeCommit =childExpirationTimeBeforeCommit > updateExpirationTimeBeforeCommit? childExpirationTimeBeforeCommit: updateExpirationTimeBeforeCommit;markCommittedPriorityLevels(root, earliestRemainingTimeBeforeCommit);let prevInteractions: Set<Interaction> = (null: any);if (enableSchedulerTracing) {// Restore any pending interactions at this point,// So that cascading work triggered during the render phase will be accounted for.prevInteractions = __interactionsRef.current;__interactionsRef.current = root.memoizedInteractions;}// Reset this to null before calling lifecyclesReactCurrentOwner.current = null;// 它判断了 finishedWork,也就是我们的 RootFiber,它的 effectTag 是否大于 PerformedWork// 因为 PerformedWork 是给 DEV Tool 用的, 所以在整体的更新流程当中是没有意义的// 它大于 PerformedWork 代表它上面有 SideEffect,它也需要被 committed// 所以这边通过这么一个判断,如果是大于 PerformedWork 的了// 要把 finishedWork 的也作为一个 effect 来增加到它自己的 firstEffect 到 lastEffect 的这个链上面// 下面是增加的过程,因为要判断它目前上面是否有 SideEffect,以不同的方式插入到整个单链表的最后面let firstEffect;if (finishedWork.effectTag > PerformedWork) {// A fiber's effect list consists only of its children, not itself. So if// the root has an effect, we need to add it to the end of the list. The// resulting list is the set that would belong to the root's parent, if// it had one; that is, all the effects in the tree including the root.if (finishedWork.lastEffect !== null) {finishedWork.lastEffect.nextEffect = finishedWork;firstEffect = finishedWork.firstEffect;} else {firstEffect = finishedWork;}} else {// There is no effect on the root.firstEffect = finishedWork.firstEffect;}prepareForCommit(root.containerInfo);// Invoke instances of getSnapshotBeforeUpdate before mutation.nextEffect = firstEffect;startCommitSnapshotEffectsTimer();// 接下去就进入了三个循环:// 第一个循环主要是 commitBeforeMutationLifecycles,这个方法它其实很简单,它是这三个循环当中最简单的一个方法// 它唯一的作用就是调用 ClassComponent 上面可能会存在的 getSnapshotBeforeUpdate 这么一个生命周期方法while (nextEffect !== null) {let didError = false;let error;if (__DEV__) {invokeGuardedCallback(null, commitBeforeMutationLifecycles, null);if (hasCaughtError()) {didError = true;error = clearCaughtError();}} else {try {commitBeforeMutationLifecycles();} catch (e) {didError = true;error = e;}}if (didError) {invariant(nextEffect !== null,'Should have next effect. This error is likely caused by a bug ' +'in React. Please file an issue.',);captureCommitPhaseError(nextEffect, error);// Clean-upif (nextEffect !== null) {nextEffect = nextEffect.nextEffect;}}}stopCommitSnapshotEffectsTimer();if (enableProfilerTimer) {// Mark the current commit time to be shared by all Profilers in this batch.// This enables them to be grouped later.recordCommitTime();}// Commit all the side-effects within a tree. We'll do this in two passes.// The first pass performs all the host insertions, updates, deletions and// ref unmounts.nextEffect = firstEffect;startCommitHostEffectsTimer();// 第二个循环调用的方法是 commitAllHostEffects// 这个就是主要是操作对于 dom 节点它需要去做的一些内容// 比如说如果这个 dom 节点是刚刚新增的,那么要执行一个插入的操作// 如果这个 dom 节点它需要被删除,我们要执行删除的操作// 如果这个 dom 节点它的属性或者它 children 有更新,那么要执行一个更新的操作while (nextEffect !== null) {let didError = false;let error;if (__DEV__) {invokeGuardedCallback(null, commitAllHostEffects, null);if (hasCaughtError()) {didError = true;error = clearCaughtError();}} else {try {commitAllHostEffects();} catch (e) {didError = true;error = e;}}if (didError) {invariant(nextEffect !== null,'Should have next effect. This error is likely caused by a bug ' +'in React. Please file an issue.',);captureCommitPhaseError(nextEffect, error);// Clean-upif (nextEffect !== null) {nextEffect = nextEffect.nextEffect;}}}stopCommitHostEffectsTimer();resetAfterCommit(root.containerInfo);// The work-in-progress tree is now the current tree. This must come after// the first pass of the commit phase, so that the previous tree is still// current during componentWillUnmount, but before the second pass, so that// the finished work is current during componentDidMount/Update.root.current = finishedWork;// In the second pass we'll perform all life-cycles and ref callbacks.// Life-cycles happen as a separate pass so that all placements, updates,// and deletions in the entire tree have already been invoked.// This pass also triggers any renderer-specific initial effects.nextEffect = firstEffect;startCommitLifeCyclesTimer();// 接下去再做第三个方法叫做 commitAllLifeCycles// 这个就是跟组件还有各种各样的所有东西相关的生命周期的方法都会在这里面被调用while (nextEffect !== null) {let didError = false;let error;if (__DEV__) {invokeGuardedCallback(null,commitAllLifeCycles,null,root,committedExpirationTime,);if (hasCaughtError()) {didError = true;error = clearCaughtError();}} else {try {commitAllLifeCycles(root, committedExpirationTime);} catch (e) {didError = true;error = e;}}if (didError) {invariant(nextEffect !== null,'Should have next effect. This error is likely caused by a bug ' +'in React. Please file an issue.',);captureCommitPhaseError(nextEffect, error);if (nextEffect !== null) {nextEffect = nextEffect.nextEffect;}}}if (enableHooks &&firstEffect !== null &&rootWithPendingPassiveEffects !== null) {// This commit included a passive effect. These do not need to fire until// after the next paint. Schedule an callback to fire them in an async// event. To ensure serial execution, the callback will be flushed early if// we enter rootWithPendingPassiveEffects commit phase before then.let callback = commitPassiveEffects.bind(null, root, firstEffect);if (enableSchedulerTracing) {// TODO: Avoid this extra callback by mutating the tracing ref directly,// like we do at the beginning of commitRoot. I've opted not to do that// here because that code is still in flux.callback = Schedule_tracing_wrap(callback);}passiveEffectCallbackHandle = Schedule_scheduleCallback(callback);passiveEffectCallback = callback;}// 以上3个循环中,三个方法调用完之后,我们的commit阶段就算已经完成了// 然后它会把这些全局变量设置为 false// 以及它会调用一个叫 onCommitRoot 的这么一个方法isCommitting = false;isWorking = false;stopCommitLifeCyclesTimer();stopCommitTimer();onCommitRoot(finishedWork.stateNode);if (__DEV__ && ReactFiberInstrumentation.debugTool) {ReactFiberInstrumentation.debugTool.onCommitWork(finishedWork);}// 它执行一段相关的 expirationTime 的判断, 它为什么要这边再做一次?// 因为我们在执行 ClassComponent 的生命周期方法的过程当中,可能又会产生新的更新// 产生新的更新的时候,RootFiber的 childExpirationTime 它又有可能会变化// 它不会把这一部分代码放到最前面去做,而是要放到最后面来做// 就是因为它需要等到我们如果在生命周期方法里面又创建了新的 update// 又产生了新的 childExpirationTime 的时候,那么再来进行这么一个判断// 这个判断其实主要做的事情,也就是设置一个全局变量// 叫做 legacyErrorBoundariesThatAlreadyFailed ,把它设置为 nullconst updateExpirationTimeAfterCommit = finishedWork.expirationTime;const childExpirationTimeAfterCommit = finishedWork.childExpirationTime;const earliestRemainingTimeAfterCommit =childExpirationTimeAfterCommit > updateExpirationTimeAfterCommit? childExpirationTimeAfterCommit: updateExpirationTimeAfterCommit;if (earliestRemainingTimeAfterCommit === NoWork) {// If there's no remaining work, we can clear the set of already failed// error boundaries.legacyErrorBoundariesThatAlreadyFailed = null;}// 这里调用了一个方法叫做 onCommit// 这个 earliestRemainingTimeAfterCommit 是优先级较小,值较大的 expirationTime// 它就变成了新的root上面的 expirationTimeonCommit(root, earliestRemainingTimeAfterCommit);// 忽略 polyfill 相关的if (enableSchedulerTracing) {__interactionsRef.current = prevInteractions;let subscriber;try {subscriber = __subscriberRef.current;if (subscriber !== null && root.memoizedInteractions.size > 0) {const threadID = computeThreadID(committedExpirationTime,root.interactionThreadID,);subscriber.onWorkStopped(root.memoizedInteractions, threadID);}} catch (error) {// It's not safe for commitRoot() to throw.// Store the error for now and we'll re-throw in finishRendering().if (!hasUnhandledError) {hasUnhandledError = true;unhandledError = error;}} finally {// Clear completed interactions from the pending Map.// Unless the render was suspended or cascading work was scheduled,// In which case– leave pending interactions until the subsequent render.const pendingInteractionMap = root.pendingInteractionMap;pendingInteractionMap.forEach((scheduledInteractions, scheduledExpirationTime) => {// Only decrement the pending interaction count if we're done.// If there's still work at the current priority,// That indicates that we are waiting for suspense data.if (scheduledExpirationTime > earliestRemainingTimeAfterCommit) {pendingInteractionMap.delete(scheduledExpirationTime);scheduledInteractions.forEach(interaction => {interaction.__count--;if (subscriber !== null && interaction.__count === 0) {try {subscriber.onInteractionScheduledWorkCompleted(interaction);} catch (error) {// It's not safe for commitRoot() to throw.// Store the error for now and we'll re-throw in finishRendering().if (!hasUnhandledError) {hasUnhandledError = true;unhandledError = error;}}}});}},);}}
}
  • 进入 onCommit
    function onCommit(root, expirationTime) {root.expirationTime = expirationTime;root.finishedWork = null; // 因为 finishedWork 已经被 commit 掉了
    }
    
  • 以上就是整个 commitRoot的一个流程, 细节都写在代码注释中了
  • 这个流程当中,这三个循环看起来复杂,实际上很好阅读, 后续会看下相关的细节实现

本文来自互联网用户投稿,该文观点仅代表作者本人,不代表本站立场。本站仅提供信息存储空间服务,不拥有所有权,不承担相关法律责任。如若转载,请注明出处:http://www.mzph.cn/news/648455.shtml

如若内容造成侵权/违法违规/事实不符,请联系多彩编程网进行投诉反馈email:809451989@qq.com,一经查实,立即删除!

相关文章

SimpleDateFormat学习使用

提起SimpleDateFormat类&#xff0c;想必做过Java开发的童鞋都不会感到陌生。没错&#xff0c;它就是Java中提供的日期时间的转化类。这里&#xff0c; 为什么说SimpleDateFormat类有线程安全问题呢&#xff1f;有些小伙伴可能会提出疑问&#xff1a;我们生产环境上一直在使用S…

【mongoDB】集合的创建和删除

目录 1.集合的创建 2. 查看所有集合 3.删除集合 1.集合的创建 格式&#xff1a; db.createCollection ( name ) 例如创建一个名为 bbb 的集合 还可以通过传递一个选项对象来指定集合的属性&#xff0c;例如最大文档的大小&#xff0c;索引选项等 例如 这样创建了一个名为 cc…

Linux CentOS使用Docker搭建laravel项目环境(实践案例详细说明)

一、安装docker # 1、更新系统软件包&#xff1a; sudo yum update# 2、安装Docker依赖包 sudo yum install -y yum-utils device-mapper-persistent-data lvm2# 3、添加Docker的yum源&#xff1a; sudo yum-config-manager --add-repo https://download.docker.com/linux/cen…

如何在IntelliJ IDEA数据库控制台操作Redis

如何在IntelliJ IDEA数据库控制台操作Redis TIPS 本文理论支持IntelliJ IDEA家族所有IDE&#xff08;例如Data Grip等&#xff09;、所有版本理论支持所有基于JDBC的各种GUI工具&#xff01; 最近工作中&#xff0c;经常要操作到Redis&#xff0c;尽管市面上的Redis客户端GUI非…

kotlin 项目中文件显示带.kt 结尾与不带.kt结尾

kotlin 项目中文件显示带.kt 结尾与不带.kt结尾&#xff0c;而且显示的图片也不一样&#xff0c; 首先说下&#xff0c;这个只是开发工具上的一个设计细节展示&#xff0c;无论显示效果是否带.kt 实际的文件都是带.kt结尾的&#xff0c;这个可以到文件的目录下查看文件 创建文…

算法基础之树状数组

文章目录 树状数组 树状数组 树状数组能解决的最关键的问题就是能够 O ( log ⁡ n ) O(\log n) O(logn)内&#xff0c;给某个位置上的数&#xff0c;加上一个数&#xff0c;或者求前缀和 他和前缀和数组的区别就是&#xff0c;树状数组支持修改原数组的内容&#xff0c;而前缀…

代码随想录算法训练营第30天(回溯算法06 | ● 332.重新安排行程 ● 51. N皇后 ● 37. 解数独 ● 总结

回溯算法06 332.重新安排行程&#xff08;可跳过&#xff09;解题思路难点 51.N皇后&#xff08;可跳过&#xff09;解题思路回溯三部曲难点 5. 解数独&#xff08;可跳过&#xff09;解题思路回溯三部曲 总结篇&#xff08;没来及看 332.重新安排行程&#xff08;可跳过&#…

C语言第九弹---二维数组

✨个人主页&#xff1a; 熬夜学编程的小林 &#x1f497;系列专栏&#xff1a; 【C语言详解】 【数据结构详解】 二维数组 1、二维数组的创建 1.1、二维数组的概念 ​1.2、⼆维数组的创建 2、二维数组的初始化 2.1、不完全初始化 ​2.2、完全初始化 ​2.3、按照行初始化 ​2.4、…

如何使用Docker安装Spug并实现远程访问本地运维管理界面

文章目录 前言1. Docker安装Spug2 . 本地访问测试3. Linux 安装cpolar4. 配置Spug公网访问地址5. 公网远程访问Spug管理界面6. 固定Spug公网地址 前言 Spug 面向中小型企业设计的轻量级无 Agent 的自动化运维平台&#xff0c;整合了主机管理、主机批量执行、主机在线终端、文件…

Vue开发之proxy代理的配置(附带uniapp代理配置)

vue 1.在vue.config.js中添加 devServer 属性中配置 proxy 属性 module.exports {productionSourceMap: false,publicPath: /,devServer: {port: 8085,proxy: {/api/admin: {target: http://10.58.104.70:6111,changeOrigin: true,pathRewrite: {/api/: /}},/api: {target: …

自动 卸载或安装 Python第三方库

在调用 pip.exe 时&#xff0c;可以使用相对路径也可以使用绝对路径 路径中如果包含空格&#xff0c;最好使用相对路径&#xff0c;这就要求 pip.exe 所在文件夹设置为环境变量 可以参考&#xff1a; Windows下将文件夹设置为环境变量 echo off setlocal enabledelayedexpansi…

UE创建数据表格

创建一个数据表格需要行结构 继承自FTableRowBase的一个子类 效果 如何使用它 在蓝图中给C该类型的指针变量选用 UDataTable类型的 FindRow()函数可查询并返回对应行的行结构 FTableRowBase GetAllRows()函数可以获得该数据表的所有行、

centos 安装mysql5.7教程

一&#xff0c;配置yum mysql5.7安装源 配置yum mysql5.7安装源 yum localinstall https://dev.mysql.com/get/mysql57-community-release-el7-11.noarch.rpm 配置mysql5.7安装源成功 查看配置成功的安装源 yum repolist enabled | grep "mysql*" 执行后看到已配…

环境监测与预报:探索天气预报查询API在生态保护中的作用

摘要 随着全球气候变化的加剧&#xff0c;生态保护已成为全球关注的焦点。天气预报API作为一种强大的工具&#xff0c;不仅能够提供实时的气象数据&#xff0c;还能在生态保护领域发挥重要作用。本文将探讨天气预报API如何帮助科学家、环保组织和政策制定者更好地理解和预测环…

什么是 Docker

1.什么是 Docker 1.1 官方定义 最新官网首页 # 1.官方介绍 - We have a complete container solution for you - no matter who you are and where you are on your containerization journey. - 翻译: 我们为你提供了一个完整的容器解决方案,不管你是谁,不管你在哪,你都可以…

vue3常用代码

文章目录 监听路由vue3 警告Feature flag __VUE_PROD_HYDRATION_MISMATCH_DETAILS__ is not explicitly defined.mitt、project/inject 无效解决方案 菜鸟做项目时发现很多 vue3 常用的代码&#xff0c;所以来总结一下&#xff01; 监听路由 import { useRoute } from "…

如何禁用 el-table 单独某一行,修改某一行样式等(最有效)

案例&#xff1a;根据el-table :data"tableData"中是否有invalidStatus值为1&#xff0c;如果是就是不禁用&#xff0c;否就禁用这一行&#xff0c;当然这个invalidStatus随意就行&#xff0c;只要在tabledata中的每一行数据中有这个属性就行&#xff0c;也就是row中…

Android创建保存Excel文件

Android开发生成保存Excel文件&#xff0c;首先下载两个jar包。下载地址&#xff1a;Android读写Excel文件的两个jar包资源-CSDN文库 poi-3.12-android-a.jar poi-ooxml-schemas-3.12-20150511-a.jar 把jar包放在app的libs文件夹下&#xff0c;引用jar我一般都在build.gradle的…

代码随想录算法训练营第四十一天(动态规划篇)|理论基础,509. 斐波那契数, 70. 爬楼梯, 746. 使用最小花费爬楼梯

动态规划理论基础 动态规划&#xff1a;每一个状态一定是由上一个状态推导出来的。 贪心&#xff1a;局部直接选最优的 解题步骤 确定dp数组&#xff08;dp table&#xff09;以及下标的含义确定递推公式dp数组如何初始化确定遍历顺序举例推导dp数组 509. 斐波那契数 题目…

conda-建立多个python环境

1. 安装 下载地址&#xff1a;Miniconda — miniconda documentation 2. 安装好了会自动配置环境变量&#xff0c;如果没有配置手动配置 3. 检查conda环境 4. 设置conda配置文件 在‪C:\Users\Administrator下新建文件【.condarc】 channels: //镜像地址- https://mirrors.…