This article introduces to you the analysis of batch asynchronous updates and nextTick principles in Vue source code. It has certain reference value. Friends in need can refer to it.
vue is already one-third of the domestic front-end web end. It is also one of my main technology stacks. I know it in my daily use and am curious about why. In addition, a large number of communities have emerged recently. For articles about reading vue source code, I will take this opportunity to draw some nutrients from everyone’s articles and discussions. At the same time, I will summarize some of my thoughts when reading the source code and produce some articles as a summary of my own thinking.
Target Vue version: 2.5.17-beta.0
vue source code comments: https://github.com/SHERlocked93/vue-analysis
Statement: in the article The syntax of the source code uses Flow, and the source code is abridged as needed (in order not to be confused@_@). If you want to see the full version, please enter the github address above. This article is a series of articles. The article address can be found at the bottom~
We have dispatch updates in the setter
accessor in the reactive method defineReactive
that relies on the collection principledep .notify()
method, this method will notify the watchers collected in subs
of dep
that subscribe to their own changes one by one to perform updates. Let’s take a look at the implementation of the update
method:
// src/core/observer/watcher.js /* Subscriber接口,当依赖发生改变的时候进行回调 */ update() { if (this.computed) { // 一个computed watcher有两种模式:activated lazy(默认) // 只有当它被至少一个订阅者依赖时才置activated,这通常是另一个计算属性或组件的render function if (this.dep.subs.length === 0) { // 如果没人订阅这个计算属性的变化 // lazy时,我们希望它只在必要时执行计算,所以我们只是简单地将观察者标记为dirty // 当计算属性被访问时,实际的计算在this.evaluate()中执行 this.dirty = true } else { // activated模式下,我们希望主动执行计算,但只有当值确实发生变化时才通知我们的订阅者 this.getAndInvoke(() => { this.dep.notify() // 通知渲染watcher重新渲染,通知依赖自己的所有watcher执行update }) } } else if (this.sync) { // 同步 this.run() } else { queueWatcher(this) // 异步推送到调度者观察者队列中,下一个tick时调用 } }
If it is not computed watcher
or sync
, the current watcher that calls update will be pushed to In the scheduler queue, it is called on the next tick. Take a look at queueWatcher
:
// src/core/observer/scheduler.js /* 将一个观察者对象push进观察者队列,在队列中已经存在相同的id则 * 该watcher将被跳过,除非它是在队列正被flush时推送 */ export function queueWatcher (watcher: Watcher) { const id = watcher.id if (has[id] == null) { // 检验id是否存在,已经存在则直接跳过,不存在则标记哈希表has,用于下次检验 has[id] = true queue.push(watcher) // 如果没有正在flush,直接push到队列中 if (!waiting) { // 标记是否已传给nextTick waiting = true nextTick(flushSchedulerQueue) } } } /* 重置调度者状态 */ function resetSchedulerState () { queue.length = 0 has = {} waiting = false }
A hash map of has
is used here to check whether the current watcher is Whether the id exists. If it exists, skip it. If it does not exist, push it to the queue
queue and mark the hash table has for the next check to prevent repeated additions. This is a process of deduplication. It is more civilized than having to go to the queue every time to check for duplication. When rendering, the same watcher changes will not be repeated patch
, so even if it is modified simultaneously a hundred times The data used in the view will only be updated with the last modification during asynchronous patch
.
The waiting
method here is used to mark whether flushSchedulerQueue
has been passed to the mark bit of nextTick
. If it has been passed, it will only be pushed to the queue. Do not pass flushSchedulerQueue
to nextTick
, and waiting
will be set back to false# when
resetSchedulerState resets the scheduler state. ## Allow
flushSchedulerQueue to be passed to the callback of the next tick. In short, it is guaranteed that the
flushSchedulerQueue callback is only allowed to be passed in once within a tick. Let's see what the callback
flushSchedulerQueue passed to
nextTick does:
// src/core/observer/scheduler.js /* nextTick的回调函数,在下一个tick时flush掉两个队列同时运行watchers */ function flushSchedulerQueue () { flushing = true let watcher, id queue.sort((a, b) => a.id - b.id) // 排序 for (index = 0; index MAX_UPDATE_COUNT) { // 持续执行了一百次watch代表可能存在死循环 warn() // 进入死循环的警告 break } } } resetSchedulerState() // 重置调度者状态 callActivatedHooks() // 使子组件状态都置成active同时调用activated钩子 callUpdatedHooks() // 调用updated钩子 }
nextTick method
flushSchedulerQueue Method, this method executes the
run method of the watcher in
queue one by one. We see that first there is a
queue.sort() method that sorts the watchers in the queue by ID from small to large. This can ensure:
index The length is not cached here because more watcher objects may be pushed into the queue during the execution of processing existing watcher objects.
Then the process of data modifications being reflected from the model layer to the view:Data changes-> setter -> Dep -> Watcher -> nextTick -> patch -> Update view
nextTick After that,
nextTick does something with this method. But first, you need to understand the concepts of
EventLoop,
macro task, and
micro task in the browser. If you don’t understand, you can refer to the concepts in JS and Node.js. In this article about the event loop, here is a picture to show the execution relationship between the latter two in the main thread:
浏览器环境中常见的异步任务种类,按照优先级:
macro task
:同步代码、setImmediate
、MessageChannel
、setTimeout/setInterval
micro task
:Promise.then
、MutationObserver
有的文章把 micro task
叫微任务,macro task
叫宏任务,因为这两个单词拼写太像了 -。- ,所以后面的注释多用中文表示~
先来看看源码中对 micro task
与 macro task
的实现: macroTimerFunc
、microTimerFunc
// src/core/util/next-tick.js const callbacks = [] // 存放异步执行的回调 let pending = false // 一个标记位,如果已经有timerFunc被推送到任务队列中去则不需要重复推送 /* 挨个同步执行callbacks中回调 */ function flushCallbacks() { pending = false const copies = callbacks.slice(0) callbacks.length = 0 for (let i = 0; i { setImmediate(flushCallbacks) } } else if (typeof MessageChannel !== 'undefined' && ( isNative(MessageChannel) || MessageChannel.toString() === '[object MessageChannelConstructor]' // PhantomJS )) { const channel = new MessageChannel() const port = channel.port2 channel.port1.onmessage = flushCallbacks macroTimerFunc = () => { port.postMessage(1) } } else { macroTimerFunc = () => { setTimeout(flushCallbacks, 0) } } // 微任务 if (typeof Promise !== 'undefined' && isNative(Promise)) { const p = Promise.resolve() microTimerFunc = () => { p.then(flushCallbacks) } } else { microTimerFunc = macroTimerFunc // fallback to macro }
flushCallbacks
这个方法就是挨个同步的去执行callbacks中的回调函数们,callbacks中的回调函数是在调用 nextTick
的时候添加进去的;那么怎么去使用 micro task
与 macro task
去执行 flushCallbacks
呢,这里他们的实现 macroTimerFunc
、microTimerFunc
使用浏览器中宏任务/微任务的API对flushCallbacks
方法进行了一层包装。比如宏任务方法 macroTimerFunc=()=>{ setImmediate(flushCallbacks) }
,这样在触发宏任务执行的时候 macroTimerFunc()
就可以在浏览器中的下一个宏任务loop的时候消费这些保存在callbacks数组中的回调了,微任务同理。同时也可以看出传给 nextTick
的异步回调函数是被压成了一个同步任务在一个tick执行完的,而不是开启多个异步任务。
注意这里有个比较难理解的地方,第一次调用 nextTick
的时候 pending
为false,此时已经push到浏览器event loop中一个宏任务或微任务的task,如果在没有flush掉的情况下继续往callbacks里面添加,那么在执行这个占位queue的时候会执行之后添加的回调,所以 macroTimerFunc
、microTimerFunc
相当于task queue的占位,以后 pending
为true则继续往占位queue里面添加,event loop轮到这个task queue的时候将一并执行。执行 flushCallbacks
时 pending
置false,允许下一轮执行 nextTick
时往event loop占位。
可以看到上面 macroTimerFunc
与 microTimerFunc
进行了在不同浏览器兼容性下的平稳退化,或者说降级策略:
macroTimerFunc
:setImmediate -> MessageChannel -> setTimeout
。首先检测是否原生支持 setImmediate
,这个方法只在 IE、Edge 浏览器中原生实现,然后检测是否支持 MessageChannel,如果对 MessageChannel
不了解可以参考一下这篇文章,还不支持的话最后使用 setTimeout
;
为什么优先使用 setImmediate
与 MessageChannel
而不直接使用 setTimeout
呢,是因为HTML5规定setTimeout执行的最小延时为4ms,而嵌套的timeout表现为10ms,为了尽可能快的让回调执行,没有最小延时限制的前两者显然要优于 setTimeout
。
microTimerFunc
:Promise.then -> macroTimerFunc
。首先检查是否支持 Promise
,如果支持的话通过 Promise.then
来调用 flushCallbacks
方法,否则退化为 macroTimerFunc
;
vue2.5之后 nextTick
中因为兼容性原因删除了微任务平稳退化的 MutationObserver
的方式。
最后来看看我们平常用到的 nextTick
方法到底是如何实现的:
// src/core/util/next-tick.js export function nextTick(cb?: Function, ctx?: Object) { let _resolve callbacks.push(() => { if (cb) { try { cb.call(ctx) } catch (e) { handleError(e, ctx, 'nextTick') } } else if (_resolve) { _resolve(ctx) } }) if (!pending) { pending = true if (useMacroTask) { macroTimerFunc() } else { microTimerFunc() } } if (!cb && typeof Promise !== 'undefined') { return new Promise(resolve => { _resolve = resolve }) } } /* 强制使用macrotask的方法 */ export function withMacroTask(fn: Function): Function { return fn._withTask || (fn._withTask = function() { useMacroTask = true const res = fn.apply(null, arguments) useMacroTask = false return res }) }
nextTick
在这里分为三个部分,我们一起来看一下;
首先 nextTick
把传入的 cb
回调函数用 try-catch
包裹后放在一个匿名函数中推入callbacks数组中,这么做是因为防止单个 cb
如果执行错误不至于让整个JS线程挂掉,每个 cb
都包裹是防止这些回调函数如果执行错误不会相互影响,比如前一个抛错了后一个仍然可以执行。
然后检查 pending
状态,这个跟之前介绍的 queueWatcher
中的 waiting
是一个意思,它是一个标记位,一开始是 false
在进入 macroTimerFunc
、microTimerFunc
方法前被置为 true
,因此下次调用 nextTick
就不会进入 macroTimerFunc
、microTimerFunc
方法,这两个方法中会在下一个 macro/micro tick
时候 flushCallbacks
异步的去执行callbacks队列中收集的任务,而 flushCallbacks
方法在执行一开始会把 pending
置 false
,因此下一次调用 nextTick
时候又能开启新一轮的 macroTimerFunc
、microTimerFunc
,这样就形成了vue中的 event loop
。
最后检查是否传入了 cb
,因为 nextTick
还支持Promise化的调用:nextTick().then(() => {})
,所以如果没有传入 cb
就直接return了一个Promise实例,并且把resolve传递给_resolve,这样后者执行的时候就跳到我们调用的时候传递进 then
的方法中。
Vue源码中 next-tick.js
文件还有一段重要的注释,这里就翻译一下:
在vue2.5之前的版本中,nextTick基本上基于micro task
来实现的,但是在某些情况下micro task
具有太高的优先级,并且可能在连续顺序事件之间(例如#4521,#6690)或者甚至在同一事件的事件冒泡过程中之间触发(#6566)。但是如果全部都改成macro task
,对一些有重绘和动画的场景也会有性能影响,如 issue #6813。vue2.5之后版本提供的解决办法是默认使用micro task
,但在需要时(例如在v-on附加的事件处理程序中)强制使用macro task
。
为什么默认优先使用 micro task
呢,是利用其高优先级的特性,保证队列中的微任务在一次循环全部执行完毕。
强制 macro task
的方法是在绑定 DOM 事件的时候,默认会给回调的 handler 函数调用 withMacroTask
方法做一层包装 handler = withMacroTask(handler)
,它保证整个回调函数执行过程中,遇到数据状态的改变,这些改变都会被推到 macro task
中。以上实现在 src/platforms/web/runtime/modules/events.js 的 add
方法中,可以自己看一看具体代码。
刚好在写这篇文章的时候思否上有人问了个问题 vue 2.4 和2.5 版本的@input事件不一样 ,这个问题的原因也是因为2.5之前版本的DOM事件采用 micro task
,而之后采用 macro task
,解决的途径参考 中介绍的几个办法,这里就提供一个在mounted钩子中用 addEventListener
添加原生事件的方法来实现,参见 CodePen。
说这么多,不如来个例子,执行参见 CodePen
<p> <span>{{ name }}</span> <button>change name</button> </p><p></p> <script> new Vue({ el: '#app', data() { return { name: 'SHERlocked93' } }, methods: { change() { const $name = this.$refs.name this.$nextTick(() => console.log('setter前:' + $name.innerHTML)) this.name = ' name改喽 ' console.log('同步方式:' + this.$refs.name.innerHTML) setTimeout(() => this.console("setTimeout方式:" + this.$refs.name.innerHTML)) this.$nextTick(() => console.log('setter后:' + $name.innerHTML)) this.$nextTick().then(() => console.log('Promise方式:' + $name.innerHTML)) } } }) </script>
执行以下看看结果:
同步方式:SHERlocked93 setter前:SHERlocked93 setter后:name改喽 Promise方式:name改喽 setTimeout方式:name改喽
为什么是这样的结果呢,解释一下:
同步方式: 当把data中的name修改之后,此时会触发name的 setter
中的 dep.notify
通知依赖本data的render watcher去 update
,update
会把 flushSchedulerQueue
函数传递给 nextTick
,render watcher在 flushSchedulerQueue
函数运行时 watcher.run
再走 diff -> patch
那一套重渲染 re-render
视图,这个过程中会重新依赖收集,这个过程是异步的;所以当我们直接修改了name之后打印,这时异步的改动还没有被 patch
到视图上,所以获取视图上的DOM元素还是原来的内容。
Before setter: Why is the original content printed before setter? It’s because nextTick
pushes the callbacks one by one into callbacks when called. When the array is executed later, it is also for
looped out and executed one by one, so it is a concept similar to a queue, first in, first out; after modifying the name, trigger the render watcher to be filled in schedulerQueue
Queue and pass its execution function flushSchedulerQueue
to nextTick
. At this time, there is already a setter pre-function
in the callbacks queue, because this cb
is pushed into the callbacks queue after the setter pre-function
, so when executing callbacks in callbacks on a first-in, first-out basis, the pre-setter function
is executed first, and render is not executed at this time. watcher's watcher.run
, so the printed DOM element is still the original content.
After the setter: The setter has been executed at this time flushSchedulerQueue
, and the render watcher has already changed the patch
to the view, so getting the DOM at this time is the modified content.
Promise method: is equivalent to Promise.then
to execute this function. At this time, the DOM has changed.
setTimeout method: Finally execute the macro task, when the DOM has changed.
Note that before executing the setter pre-function
this asynchronous task, the synchronous code has been executed, and the asynchronous tasks have not yet been executed. All The $nextTick
function has also been executed, and all callbacks have been pushed into the callbacks queue to wait for execution, so when the setter pre-function
is executed, the callbacks queue is like this: [ Function before setter
, flushSchedulerQueue
, Function after setter
, Promise mode function
], it is a micro task queue, and execute macro task after completion setTimeout
, so print out the above result.
In addition, if there are various types of tasks such as setImmediate
, MessageChannel
, setTimeout/setInterval
in the browser's macro task queue, then Follow the above order and execute it one by one in the order added to the event loop, so if the browser supports MessageChannel
, nextTick
executes macroTimerFunc
, then if the macrotask queue If there are both tasks added by nextTick
and tasks of type setTimeout
added by the user, the tasks in nextTick
will be executed first because MessageChannel## The priority of # is higher than that of
setTimeout, and the same is true for
setImmediate.
Analysis of how to use mixins in Vue
The above is the detailed content of Analysis of batch asynchronous update and nextTick principle in Vue source code. For more information, please follow other related articles on the PHP Chinese website!