React16源码: React中的performWork的源码实现

performWork


1 )概述

  • performWork 涉及到在调度完成,或者同步任务进来之后整个 root 节点链条如何更新
  • 怎么更新一棵 Fiber 树,它的每一个节点是如何被遍历到,以及如何进行更新操作
  • A. 在执行 performWork 时候,是否有 deadline 的区分
    • deadline 是通过 reactschedule 它的一个时间片,更新的过程当中
    • 产生的一个叫做 deadlineobject 的对象
    • 它可以用来判断我们在一帧的渲染时间内留给react进行fiber树渲染的时间还有没有
  • B.循环渲染root的条件
    • 一个应用当中可能会有多个root节点
    • 同时每一个root节点上面呢又会有不同优先级的任务产生
    • 要循环去遍历各个不同的root节点
    • 以及他们的不同的优先级的任务,然后按照优先级去一个个去更新
    • 这个循环它如何建立,如何判断这个循环是否成立的条件
  • C.超过时间片之后的一个处理
    • 在deadline到了之后,就是我们这一帧的渲染时间已经到了
    • 我们需要把js的执行权又交回给浏览器,这个时候又该怎么做

2 )源码

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

function performAsyncWork() {try {if (!shouldYieldToRenderer()) {// The callback timed out. That means at least one update has expired.// Iterate through the root schedule. If they contain expired work, set// the next render expiration time to the current time. This has the effect// of flushing all expired work in a single batch, instead of flushing each// level one at a time.if (firstScheduledRoot !== null) {recomputeCurrentRendererTime();let root: FiberRoot = firstScheduledRoot;do {didExpireAtExpirationTime(root, currentRendererTime);// The root schedule is circular, so this is never null.root = (root.nextScheduledRoot: any);} while (root !== firstScheduledRoot);}}performWork(NoWork, true);} finally {didYield = false;}
}function performSyncWork() {performWork(Sync, null);
}function performWork(minExpirationTime: ExpirationTime, dl: Deadline | null) {deadline = dl;// Keep working on roots until there's no more work, or until we reach// the deadline.findHighestPriorityRoot();if (deadline !== null) {recomputeCurrentRendererTime();currentSchedulerTime = currentRendererTime;if (enableUserTimingAPI) {const didExpire = nextFlushedExpirationTime < currentRendererTime;const timeout = expirationTimeToMs(nextFlushedExpirationTime);stopRequestCallbackTimer(didExpire, timeout);}while (nextFlushedRoot !== null &&nextFlushedExpirationTime !== NoWork &&(minExpirationTime === NoWork ||minExpirationTime >= nextFlushedExpirationTime) &&(!deadlineDidExpire || currentRendererTime >= nextFlushedExpirationTime)) {performWorkOnRoot(nextFlushedRoot,nextFlushedExpirationTime,currentRendererTime >= nextFlushedExpirationTime,);findHighestPriorityRoot();recomputeCurrentRendererTime();currentSchedulerTime = currentRendererTime;}} else {while (nextFlushedRoot !== null &&nextFlushedExpirationTime !== NoWork &&(minExpirationTime === NoWork ||minExpirationTime >= nextFlushedExpirationTime)) {performWorkOnRoot(nextFlushedRoot, nextFlushedExpirationTime, true);findHighestPriorityRoot();}}// We're done flushing work. Either we ran out of time in this callback,// or there's no more work left with sufficient priority.// If we're inside a callback, set this to false since we just completed it.if (deadline !== null) {callbackExpirationTime = NoWork;callbackID = null;}// If there's work left over, schedule a new callback.if (nextFlushedExpirationTime !== NoWork) {scheduleCallbackWithExpirationTime(((nextFlushedRoot: any): FiberRoot),nextFlushedExpirationTime,);}// Clean-up.deadline = null;deadlineDidExpire = false;finishRendering();
}
  • performAsyncWork, performSyncWork, performWork 三个方法连在一起
  • 对于 performSyncWork 直接 调用 performWork(Sync, null); 就一行代码
  • performAsyncWork 就相对复杂,是通过 react scheduler 调度回来的
    • 参数是 deadline 对象 dl
    • 本质上只有一个 if判断 和 执行 performWork 方法
    • 在if判断中, recomputeCurrentRendererTime 这个方法不涉及主要流程,跳过
      • 在找到 root 之后,执行 didExpireaTexpirationTime 标记在root节点上的一些变量
        // packages/react-reconciler/src/ReactFiberPendingPriority.js
        export function didExpireAtExpirationTime(root: FiberRoot,currentTime: ExpirationTime,
        ): void {const expirationTime = root.expirationTime;// 有任务,但任务过期if (expirationTime !== NoWork && currentTime >= expirationTime) {// The root has expired. Flush all work up to the current time.root.nextExpirationTimeToWorkOn = currentTime; // 挂载 当前时间 作为 nextExpirationTimeToWorkOn 属性}
        }
        
      • 之后,一个do while 找最终的 root
    • 之后,执行 performWork(NoWork, dl)
      • NoWork 是 0
      • export const NoWork = 0
  • performWork
    • 有两个参数,minExpirationTime: ExpirationTime, dl: Deadline | null
    • findHighestPriorityRoot 这个方法
      function findHighestPriorityRoot() {let highestPriorityWork = NoWork;let highestPriorityRoot = null;// 这个if表示仍存在节点更新情况if (lastScheduledRoot !== null) {let previousScheduledRoot = lastScheduledRoot;let root = firstScheduledRoot;// 存在 root 就进行循环while (root !== null) {const remainingExpirationTime = root.expirationTime;// 这个if判断表示,是没有任何更新的if (remainingExpirationTime === NoWork) {// This root no longer has work. Remove it from the scheduler.// TODO: This check is redudant, but Flow is confused by the branch// below where we set lastScheduledRoot to null, even though we break// from the loop right after.invariant(previousScheduledRoot !== null && lastScheduledRoot !== null,'Should have a previous and last root. This error is likely ' +'caused by a bug in React. Please file an issue.',);// 这种情况,只有一个 root 节点if (root === root.nextScheduledRoot) {// This is the only root in the list.root.nextScheduledRoot = null;firstScheduledRoot = lastScheduledRoot = null;break;} else if (root === firstScheduledRoot) {// 这时候 root 就没用了,可以删除了,获取 next// This is the first root in the list.const next = root.nextScheduledRoot;firstScheduledRoot = next;lastScheduledRoot.nextScheduledRoot = next;root.nextScheduledRoot = null;} else if (root === lastScheduledRoot) {// 这个时候,root是最后一个// This is the last root in the list.lastScheduledRoot = previousScheduledRoot;lastScheduledRoot.nextScheduledRoot = firstScheduledRoot;root.nextScheduledRoot = null;break;} else {// 移除 中间的 root.nextScheduledRoot 节点previousScheduledRoot.nextScheduledRoot = root.nextScheduledRoot;root.nextScheduledRoot = null;}root = previousScheduledRoot.nextScheduledRoot;} else {// 判断优先级,更新更高优先级if (highestPriorityWork === NoWork ||remainingExpirationTime < highestPriorityWork) {// Update the priority, if it's higherhighestPriorityWork = remainingExpirationTime;highestPriorityRoot = root;}if (root === lastScheduledRoot) {break;}if (highestPriorityWork === Sync) {// Sync is highest priority by definition so// we can stop searching.break;}previousScheduledRoot = root;root = root.nextScheduledRoot;}}}// 处理更新后的 highestPriorityRoot 和 highestPriorityWorknextFlushedRoot = highestPriorityRoot;nextFlushedExpirationTime = highestPriorityWork;
      }
      
    • 看下 deadine 不为 null 时的情况
      • 这是异步的情况
      • 主要看 while 里的 (!deadlineDidExpire || currentRendererTime >= nextFlushedExpirationTime)
        • !deadlineDidExpire 表示时间片还有剩余时间
        • nextFlushedExpirationTime 是现在要输出任务的过期时间
          • currentRendererTime >= nextFlushedExpirationTime
          • 说明 当前 render 时间 比 过期时间大,已经超时了,需要强制输出
        • 之后执行 performWorkOnRoot
          • 关于这个函数,主要关注第三个参数
          • 默认是 true
          • 对于异步情况,值为: currentRendererTime >= nextFlushedExpirationTime
            • 任务过期,则为 true, 否则为 false
        • 进入 这个函数
          function performWorkOnRoot(root: FiberRoot,expirationTime: ExpirationTime,isExpired: boolean, // 是否过期,这个方法里一定有针对过期任务的强制更新
          ) {invariant(!isRendering,'performWorkOnRoot was called recursively. This error is likely caused ' +'by a bug in React. Please file an issue.',);isRendering = true; // 注意这里和函数结束// Check if this is async work or sync/expired work.// deadline === null  是 Sync的情况,isExpired 是过期的情况if (deadline === null || isExpired) {// Flush work without yielding.// TODO: Non-yieldy work does not necessarily imply expired work. A renderer// may want to perform some work without yielding, but also without// requiring the root to complete (by triggering placeholders).let finishedWork = root.finishedWork;if (finishedWork !== null) {// This root is already complete. We can commit it.completeRoot(root, finishedWork, expirationTime); // 有 finishedWork 直接 completeRoot} else {root.finishedWork = null;// If this root previously suspended, clear its existing timeout, since// we're about to try rendering again.const timeoutHandle = root.timeoutHandle;// 处理 timeoutHandle 的情况,跳过if (timeoutHandle !== noTimeout) {root.timeoutHandle = noTimeout;// $FlowFixMe Complains noTimeout is not a TimeoutID, despite the check abovecancelTimeout(timeoutHandle);}// 在这个条件下,不可中断 因为在上层if框架下,要么是 Sync的任务,要么是 过期的任务需要立即执行const isYieldy = false;renderRoot(root, isYieldy, isExpired);finishedWork = root.finishedWork;if (finishedWork !== null) {// We've completed the root. Commit it.completeRoot(root, finishedWork, expirationTime);}}} else {// 这里匹配 Async 异步任务,和上面Sync的任务流程基本差不多// Flush async work.let finishedWork = root.finishedWork;// 一开始进来判断这个 finishedWork,有可能在上一个时间片中,renderRoot执行完了,但是,没有时间去执行 completeRoot 了// 需要再下次异步调度的时候进来,如果有 finishedWork 则先 completeRootif (finishedWork !== null) {// This root is already complete. We can commit it.completeRoot(root, finishedWork, expirationTime);} else {root.finishedWork = null;// If this root previously suspended, clear its existing timeout, since// we're about to try rendering again.const timeoutHandle = root.timeoutHandle;if (timeoutHandle !== noTimeout) {root.timeoutHandle = noTimeout;// $FlowFixMe Complains noTimeout is not a TimeoutID, despite the check abovecancelTimeout(timeoutHandle);}// 这个任务是可以中断的const isYieldy = true;renderRoot(root, isYieldy, isExpired);finishedWork = root.finishedWork;// finishedWork 有可能为 null, 中断了就没有完成任务if (finishedWork !== null) {// We've completed the root. Check the deadline one more time// before committing.// 先判断是否需要跳出,这时候时间片可能已经用完,如果没有用完,执行 completeRootif (!shouldYield()) {// Still time left. Commit the root.completeRoot(root, finishedWork, expirationTime);} else {// There's no time left. Mark this root as complete. We'll come// back and commit it later.// 需要跳出,则赋值 finishedWork,注意这里不执行 completeRoot,因为没有时间了,需要等待下个时间片进来才能执行root.finishedWork = finishedWork;}}}}isRendering = false;
          }
          
        • 执行 findHighestPriorityRoot
        • currentSchedulerTime = currentRendererTime
    • 看下 deadine 为 null 时的情况
      • 这是同步的情况
      • while(nextFlushedRoot !== null && nextFlushedExpirationTime !== NoWork && (minExpirationTime === NoWork || minExpirationTime >= nextFlushedExpirationTime))
        • 对于 perfromSyncWork 来说,minExpirationTime 是 1,1 >= nextFlushedExpirationTime 说明 只有 Sync(1)的情况,或者 NoWork,所以 nextFlushedExpirationTime 只有是1的情况
        • 相当于在 perfromSyncWork 的时候,只会执行 root.expirationTime 是 Sync 的任务,也就是说是同步更新的更新,才会在这里继续执行,这样和 SyncWork 这函数名匹配
        • 在这种情况下,调用 performWorkOnRootfindHighestPriorityRoot 执行掉 Sync的任务
  • 注意,在 performWork 上两个循环的判断条件
  • 以及传入 performWorkOnRoot的第三个参数的意义

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

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

相关文章

C++I/O流——(4)格式化输入/输出(第一节)

归纳编程学习的感悟&#xff0c; 记录奋斗路上的点滴&#xff0c; 希望能帮到一样刻苦的你&#xff01; 如有不足欢迎指正&#xff01; 共同学习交流&#xff01; &#x1f30e;欢迎各位→点赞 &#x1f44d; 收藏⭐ 留言​&#x1f4dd; 含泪播种的人一定能含笑收获&#xff…

独立服务器和云服务器的区别

独立服务器和云服务器的区别是很多用户在选择服务器时要做的课程&#xff0c;那么独立服务器和云服务器的区别有哪些呢? 独立服务器和云服务器是两种不同的服务器部署方式&#xff0c;它们在性能、成本、资源利用、安全性和维护等方面存在显著差异。 1. **性能对比**&#xff…

Feign自定义打印请求响应log

需求如下&#xff1a; 1&#xff0c;项目启动时打印项目中使用feignclient的name及url相关信息 2&#xff0c;在调用feignclient方法时&#xff0c;打印request, response信息&#xff0c;并有开关来控制此项功能&#xff0c;因为并不是所有feignclient都需要打印request, re…

【DC-6靶场渗透】

文章目录 前言 一、确定靶场地址 二、信息收集 三、账号枚举并破解 四、寻找漏洞 五、反弹shell 六、提权 前言 今天做一下DC6靶场 一、确定靶场地址 1、查看靶机mac地址 2、kali使用nmap&#xff0c;arp-scan工具扫描 nmap -sn 172.16.100.0/24 arp-scan 172.16.100.0/24 I…

Kali Linux保姆级教程|零基础从入门到精通,看完这一篇就够了!(附工具包)

作为一名从事网络安全的技术人员&#xff0c;不懂Kali Linux的话&#xff0c;连脚本小子都算不上。 Kali Linux预装了数百种享誉盛名的渗透工具&#xff0c;使你可以更轻松地测试、破解以及进行与数字取证相关的任何其他工作。 今天给大家分享一套Kali Linux资料合集&#xf…

医院体检中心客户满意度抽样方法

医院体检中心客户满意度调查的抽样方法是确定调查对象的一种方式&#xff0c;以确保调查结果具有代表性。以下是一些常见的抽样方法&#xff1a; 简单随机抽样&#xff1a; 这是一种随机选择客户的方法&#xff0c;每个客户都有被选中的机会&#xff0c;且每个客户被选中的概率…

C++算法学习心得六.回溯算法(2)

1.组合总和&#xff08;39题&#xff09; 题目描述&#xff1a; 给定一个无重复元素的数组 candidates 和一个目标数 target &#xff0c;找出 candidates 中所有可以使数字和为 target 的组合。 candidates 中的数字可以无限制重复被选取。 说明&#xff1a; 所有数字&am…

Python 循环结构之for循环

在Python中&#xff0c;循环结构用于重复执行一段代码&#xff0c;是非常重要的编程方法&#xff0c;其中for循环是特别常用的循环结构。 一、理解&#xff1a; for循环用于遍历一个可迭代对象&#xff08;如列表、元组、字符串等&#xff09;中的元素&#xff0c;或者执行固…

深入理解单例模式:如何确保一个类只有一个实例?

欢迎来到英杰社区 https://bbs.csdn.net/topics/617804998 欢迎来到阿Q社区 https://bbs.csdn.net/topics/617897397 单例模式 前言单例模式饿汉模式懒汉模式 前言 单例模式&#xff08;Singleton Pattern&#xff09;是一种常用的设计模式&#xff0c;用于确保一个类只有一个…

【大模型评测】常见的大模型评测数据集

开源大模型评测排行榜 https://huggingface.co/spaces/HuggingFaceH4/open_llm_leaderboard 其数据是由其后端lm-evaluation-harness平台提供。 数据集 1.英文测试 MMLU https://paperswithcode.com/dataset/mmlu MMLU&#xff08;大规模多任务语言理解&#xff09…

公网对讲|酒店无线对讲系统

提高工作效率 酒店对讲机可以帮助酒店员工实现快速、有效的内部沟通&#xff0c;从而提高服务质量。例如&#xff0c;前台接待人员可以通过对讲机及时通知客房服务人员为客人提供快速入住服务&#xff0c;或者通知餐饮部门为客人提供送餐服务。此外&#xff0c;对讲机还可以帮…

我劝你千万不要去做CSGO游戏搬砖

大家好&#xff0c;我是阿阳。今天我要给大家讲解一下做CSGO游戏搬砖项目前必须知道的五个问题。作为一个做这个项目已经三年多的老手&#xff0c;我带过的搬砖学员已经有好几百人了。在这个过程中&#xff0c;也积累了不少经验和教训&#xff0c;希望能够通过这篇文章给大家一…

Oracle数据库避坑:CASE WHEN ‘ ‘ = ‘ ‘ 空字符串比较,预期的结果与判断逻辑的实现之间存在不匹配

Oracle数据库避坑&#xff1a;CASE WHEN 空字符串比较&#xff0c;预期的结果与判断逻辑的实现之间存在不匹配 1、背景2、具体示例分析3、其他相同案例4、结论 1、背景 在业务开发中&#xff0c;查询sql视图时&#xff0c;使用CASE WHEN语句判断空字符串是否不等于column…

Vue创建项目配置情况

刚开始接触vue项目创建和运行因为node版本和插件版本不一致时长遇到刚装好插件&#xff0c;项目就跑不起来的情况&#xff0c;特此记录一下 vue -V vue/cli 5.0.8 node -v v12.22.12 npm -v 6.14.16 关闭驼峰命名检查、未使用语法检查 package.json文件内容&#xff1a; {&…

数学建模常见算法的通俗理解(更新中)

目录 1.层次分析法&#xff08;结合某些属性及个人倾向&#xff0c;做出某种决定&#xff09; 1.1 粗浅理解 1.2 算法过程 1.2.1 构造判断矩阵 1.2.2 计算权重向量 1.2.3 计算最大特征根 1.2.4 计算C.I.值 1.2.5 求解C.R.值 1.2.6 判断一致性 1.2.7 计算总得分 2 神经网…

Verdaccio中,创建私服时,如何用VERDACCIO_PUBLIC_URL修改页面上资源文件的域名

更多内容&#xff0c;欢迎访问&#xff1a;Verdaccio npm私服时&#xff0c;遇到更多问题 用 Verdaccio 搭建私服时&#xff0c;当使用定义的域名访问时&#xff0c;报错&#xff0c;原因是JS等资源文件的访问域名是 127.0.0.1:4873&#xff0c;并不是我们想要的域名: 通过查看…

2024年第二届“华数杯”国际大学生数学建模竞赛 (B题 ICM)| 光伏发电分析 |数学建模完整代码+建模过程全解全析

光伏发电是一种重要的可再生能源。将太阳能转化为电力可以减少对传统能源的依赖,具有显著的环保和可持续发展优势。全球范围内,光伏发电正在迅速发展。目前,许多国家将光伏发电作为推动清洁能源转型的重要手段。这些国家在政策支持、技术创新和市场发展方面增加了对光伏发电的投…

视频改字视频制作系统,祝福视频,告白视频改字系统搭建开发定制

一、视频改字制作系统功能介绍&#xff1a; 素材同步&#xff0c;极速下载&#xff0c;会员充值&#xff0c;达人分销&#xff0c;积分系统&#xff0c;精美UI&#xff0c; 卡密兑换&#xff0c; 直播挂载&#xff0c; 五端兼容&#xff1a;微信小程序&#xff0c;抖音小程序&…

Kafka-RecordAccumulator分析

前面介绍过&#xff0c;KafkaProducer可以有同步和异步两种方式发送消息&#xff0c;其实两者的底层实现相同&#xff0c;都是通过异步方式实现的。 主线程调用KafkaProducer.send方法发送消息的时候&#xff0c;先将消息放到RecordAccumulator中暂存&#xff0c;然后主线程就…

JVM实战(23)——内存碎片优化

作者简介&#xff1a;大家好&#xff0c;我是smart哥&#xff0c;前中兴通讯、美团架构师&#xff0c;现某互联网公司CTO 联系qq&#xff1a;184480602&#xff0c;加我进群&#xff0c;大家一起学习&#xff0c;一起进步&#xff0c;一起对抗互联网寒冬 学习必须往深处挖&…