深刻淺出Vue.nextTick

nextTick是什麼

Vue的官方文檔中這麼說的:「在下次 DOM 更新循環結束以後執行延遲迴調。在修改數據以後當即使用這個方法,獲取更新後的 DOM。」,爲何會出現這麼一個API?主要緣由是由於Vue在更新DOM採用的是異步執行的,只要偵聽到數據變化,Vue將開啓一個隊列,並緩衝在同一個事件循環中發生的全部數據變動。node

使用場景

雖然官方一直建議咱們使用數據驅動的方案去寫代碼,可是偶爾仍是不可避免的須要操做dom。ios

<div v-for='item of list' :key='item' class='list-item'>
  {{ item }}
</div>
list = [1,2,3,4]
當咱們在mounted中往list中push一個數字的時候,馬上獲取class='list-item'元素的長度,拿到的依然是4,並無變成5。
由於Vue中DOm更新是異步,因此馬上打印DOM並無更新,這時候經過nextTick才能正確的得到長度。

this.$nextTick(() => {
    console.log(document.getElementByClassName('list-item').length)
})
複製代碼

若是一個事件循環中屢次改變狀態怎麼處理?

若是同一個 watcher 被屢次觸發,只會被推入到隊列中一次。這種在緩衝時去除重複數據對於避免沒必要要的計算和 DOM 操做是很是重要的。而後,在下一個的事件循環「tick」中,Vue 刷新隊列並執行實際 (已去重的) 工做,總的來講就是去重,內部具體是什麼樣的,等我看了再告訴大家。segmentfault

事件循環

咱們都是知道JS是單線程非阻塞的語言,這意味着主線程只能一次性執行一個任務 首先了解一下基本概念:微任務,宏任務,異步任務,同步任務。瀏覽器

微任務

微任務,microtask 又叫jobs,常見的有: 1.process.nextTick(node) 2.Promise 3.MutationObserver(HTML5新特性) 4.Messapp

宏任務

宏任務,macroTask 又叫task,常見的有: 1.script(總體代碼) 2.setTimeout 3.setInterval 4.setImmediate 5.I/O 6.UI render 7.MessageChanneldom

同步任務

指的是,在主線程上排隊執行的任務,只有前一個任務執行完畢,才能執行後一個任務,例如 1+2,典型的案例異步

function loop() {
    while(true) {}
}
loop()

console.log(1)
複製代碼

執行loop會佔用主線程,進入無限循環,前面沒執行完,後面的1一直不會被打印async

異步任務

指的是,不進入主線程、而進入"任務隊列"(task queue)的任務,只有等主線程任務執行完畢,"任務隊列"開始通知主線程,請求執行任務,該任務纔會進入主線程執行,ide

function loop () {
    setTimeout(loop, 0);
}
loop()
複製代碼

執行loop的時候。看似是一個無限循環的狀態,可是實際上,不會致使頁面卡死,依然能夠作其餘的事情,由於setTimeout是一個異步任務,他們執行完一次就會退出主線程。oop

event-loop是什麼

event-loop

這張圖將瀏覽器的Event Loop完整的描述了出來,我來說執行一個JavaScript代碼的具體流程 在執行一段代碼的時候,先執行同步任務,再執行微任務,再執行宏任務;

1.執行全局Script同步代碼,這些同步代碼有一些是同步語句,有一些是異步語句(好比setTimeout等);

2.全局Script代碼執行完畢後,調用棧Stack會清空;

3.從微隊列microtask queue中取出位於隊首的回調任務,放入調用棧Stack中執行,執行完後microtask queue長度減1;

4.繼續取出位於隊首的任務,放入調用棧Stack中執行,以此類推,直到直到把microtask queue中的全部任務都執行完畢。注意,若是在執行microtask的過程當中,又產生了microtask,那麼會加入到隊列的末尾,也會在這個週期被調用執行;

5.microtask queue中的全部任務都執行完畢,此時microtask queue爲空隊列,調用棧Stack也爲空;

6.取出宏隊列macrotask queue中位於隊首的任務,放入Stack中執行;

7.執行完畢後,調用棧Stack爲空; 重複第3-7個步驟;(event-loop)

探究下nextTick的實現原理

前面說過了,由於Vue在更新DOM採用的是異步執行的,只要偵聽到數據變化,Vue將開啓一個隊列,並緩衝在同一個事件循環中發生的全部數據變動。因此咱們只須要把要執行的callback放到微任務或者宏任務中去執行,就能夠了。

按照這個思路咱們去看下Vue中的實現:

1.首先有個callbacks的隊列 2.屢次使用nextTick只算一次,因此須要使用pending限制一下,不然頁面看到的就是一個連續變化的過程,體驗很很差 3.根據不一樣的平臺,瀏覽器環境,向下兼容,兜底方案是setTimeout 4.順序是這樣子的:Promise > MutationObserver > setImmediate > setTimeout

源碼

/* @flow */
/* globals MutationObserver */

import { noop } from 'shared/util'
import { handleError } from './error'
import { isIE, isIOS, isNative } from './env'

// 此處標記是否爲微任務,會在其餘模塊中,對事件作特殊處理
export let isUsingMicroTask = false

// 回掉隊列
const callbacks = []

// =============================
// 狀態標記,只執行一次
let pending = false

function flushCallbacks () {
  pending = false
  const copies = callbacks.slice(0)
  callbacks.length = 0
  for (let i = 0; i < copies.length; i++) {
    copies[i]()
  }
}

// Here we have async deferring wrappers using microtasks.
// In 2.5 we used (macro) tasks (in combination with microtasks).
// However, it has subtle problems when state is changed right before repaint
// (e.g. #6813, out-in transitions).
// Also, using (macro) tasks in event handler would cause some weird behaviors
// that cannot be circumvented (e.g. #7109, #7153, #7546, #7834, #8109).
// So we now use microtasks everywhere, again.
// A major drawback of this tradeoff is that there are some scenarios
// where microtasks have too high a priority and fire in between supposedly
// sequential events (e.g. #4521, #6690, which have workarounds)
// or even between bubbling of the same event (#6566).
let timerFunc

// The nextTick behavior leverages the microtask queue, which can be accessed
// via either native Promise.then or MutationObserver.
// MutationObserver has wider support, however it is seriously bugged in
// UIWebView in iOS >= 9.3.3 when triggered in touch event handlers. It
// completely stops working after triggering a few times... so, if native
// Promise is available, we will use it:
/* istanbul ignore next, $flow-disable-line */

if (typeof Promise !== 'undefined' && isNative(Promise)) {
  const p = Promise.resolve()
  timerFunc = () => {
    p.then(flushCallbacks)
    // In problematic UIWebViews, Promise.then doesn't completely break, but
    // it can get stuck in a weird state where callbacks are pushed into the
    // microtask queue but the queue isn't being flushed, until the browser
    // needs to do some other work, e.g. handle a timer. Therefore we can
    // "force" the microtask queue to be flushed by adding an empty timer.
    if (isIOS) setTimeout(noop)
  }
  isUsingMicroTask = true
} else if (!isIE && typeof MutationObserver !== 'undefined' && (
  isNative(MutationObserver) ||
  // PhantomJS and iOS 7.x
  MutationObserver.toString() === '[object MutationObserverConstructor]'
)) {
  // Use MutationObserver where native Promise is not available,
  // e.g. PhantomJS, iOS7, Android 4.4
  // (#6466 MutationObserver is unreliable in IE11)
  let counter = 1
  const observer = new MutationObserver(flushCallbacks)
  const textNode = document.createTextNode(String(counter))
  observer.observe(textNode, {
    characterData: true
  })
  timerFunc = () => {
    counter = (counter + 1) % 2
    textNode.data = String(counter)
  }
  isUsingMicroTask = true
} else if (typeof setImmediate !== 'undefined' && isNative(setImmediate)) {
  // Fallback to setImmediate.
  // Technically it leverages the (macro) task queue,
  // but it is still a better choice than setTimeout.
  timerFunc = () => {
    setImmediate(flushCallbacks)
  }
} else {
  // Fallback to setTimeout.
  timerFunc = () => {
    setTimeout(flushCallbacks, 0)
  }
}

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
    timerFunc()
  }
  // $flow-disable-line


  // 做爲一個 Promise 使用 (2.1.0 起新增)
  // 2.1.0 起新增:若是沒有提供回調且在支持 Promise 的環境中,
  // 則返回一個 Promise。請注意 Vue 不自帶 Promise 的 polyfill,因此若是你的目標瀏覽器不原生支持 Promise (IE:大家都看我幹嗎),你得本身提供 polyfill。
  if (!cb && typeof Promise !== 'undefined') {
    return new Promise(resolve => {
      _resolve = resolve
    })
  }
}

複製代碼

最後週末愉快

參考文章

1.帶你完全弄懂Event Loop

相關文章
相關標籤/搜索