[Vue系列一]vue生命週期和原始碼分析

呼啦圖謎發表於2019-03-21

我們先來看下Vue生命週期的定義

每個 Vue 例項在被建立時都要經過一系列的初始化過程——例如,需要設定資料監聽、編譯模板、將例項掛載到 DOM 並在資料變化時更新 DOM 等。同時在這個過程中也會執行一些叫做生命週期鉤子的函式,這給了使用者在不同階段新增自己的程式碼的機會。

這是Vue官方提供的描述資訊,簡單來說就是:在Vue從建立例項到最終完全消亡的過程中,會執行一系列的方法,用於對應當前Vue的狀態,這些方法我們叫它:生命週期鉤子

一、beforeCreate:初始化例項、事件和生命週期

[Vue系列一]vue生命週期和原始碼分析


為了更方便大家理解,我們來看下,在Vue的程式碼中,從建立到銷燬是如何實現的,大家可以點選這裡來下載Vue的最新程式碼。

.
├── compiler :Vue編譯相關
├── core    :Vue的核心程式碼
├── platforms   :web/weex平臺支援,入口檔案
├── server  :服務端
├── sfc :解析.vue檔案
└── shared  :公共程式碼複製程式碼

這是我們src資料夾下的目錄結構,而我們Vue生成的地方就在/src/core/instance/index.js中。

function Vue (options) {
  if (process.env.NODE_ENV !== 'production' &&
    !(this instanceof Vue)
  ) {
    warn('Vue is a constructor and should be called with the `new` keyword')
  }
  this._init(options)
}
複製程式碼

我們可以看到:Vue是一個方法,是一個使用Function來實現的建構函式,所以我們只能通過 new 的方式來去建立Vue的例項。然後通過Vue例項的_init方法來進行Vue的初始化。_init是Vue通過prototype來實現的一個原型屬性。我們來看一下他的_init方法實現。

/src/core/instance/init.js資料夾下,Vue實現了_init方法

Vue.prototype._init = function (options?: Object) {
    ...
    // expose real self
    vm._self = vm
    initLifecycle(vm)
    initEvents(vm)
    initRender(vm)
    callHook(vm, 'beforeCreate')
    initInjections(vm) // resolve injections before data/props
    initState(vm)
    initProvide(vm) // resolve provide after data/props
    callHook(vm, 'created')
  }複製程式碼

我主要看與它生命週期有關的程式碼,我們可以看到,Vue先呼叫了initLifecycle(vm)initEvents(vm)initRender(vm)這三個方法,用於初始化生命週期、事件、渲染函式,這些過程發生在Vue初始化的過程(_init方法)中,並在呼叫beforeCreate鉤子之前。

然後在初始化生命週期、事件、渲染函式之後呼叫了beforeCreate鉤子,在這個時候:我們還沒有辦法獲取到data、props等資料

二、created:可以獲取到data、props等資料了,但是Vue並沒有開始渲染DOM

[Vue系列一]vue生命週期和原始碼分析


在呼叫了beforeCreate鉤子之後,Vue呼叫了initInjections(vm)initState(vm)initProvide(vm)這三個方法用於初始化data、props、watcher等等,在這些初始化執行完成之後,呼叫了created鉤子函式,在這個時候:我們已經可以獲取到data、props等資料了,但是Vue並沒有開始渲染DOM,所以我們還不能夠訪問DOM(PS:我們可以通過vm.$nextTick來訪問)。

三、beforeMount:進行template模板的解析

[Vue系列一]vue生命週期和原始碼分析


在呼叫了created鉤子之後Vue開始進行DOM的掛載,執行vm.$mount(vm.$options.el),在Vue中DOM的掛載就是通過Vue.prototype.$mount這個原型方法來去實現的。Vue.prototype.$mount原型方法的宣告是在/src/platforms/web/entry-runtime-with-compiler.js,我們看一下這個程式碼的實現:

const mount = Vue.prototype.$mount
Vue.prototype.$mount = function (
  el?: string | Element,
  hydrating?: boolean
): Component {
  el = el && query(el)

  /* istanbul ignore if */
  if (el === document.body || el === document.documentElement) {
    process.env.NODE_ENV !== 'production' && warn(
      `Do not mount Vue to <html> or <body> - mount to normal elements instead.`
    )
    return this
  }

  const options = this.$options
  // resolve template/el and convert to render function
  if (!options.render) {
    let template = options.template
    if (template) {
      if (typeof template === 'string') {
        if (template.charAt(0) === '#') {
          template = idToTemplate(template)
          /* istanbul ignore if */
          if (process.env.NODE_ENV !== 'production' && !template) {
            warn(
              `Template element not found or is empty: ${options.template}`,
              this
            )
          }
        }
      } else if (template.nodeType) {
        template = template.innerHTML
      } else {
        if (process.env.NODE_ENV !== 'production') {
          warn('invalid template option:' + template, this)
        }
        return this
      }
    } else if (el) {
      template = getOuterHTML(el)
    }
    if (template) {
      /* istanbul ignore if */
      if (process.env.NODE_ENV !== 'production' && config.performance && mark) {
        mark('compile')
      }

      const { render, staticRenderFns } = compileToFunctions(template, {
        outputSourceRange: process.env.NODE_ENV !== 'production',
        shouldDecodeNewlines,
        shouldDecodeNewlinesForHref,
        delimiters: options.delimiters,
        comments: options.comments
      }, this)
      options.render = render
      options.staticRenderFns = staticRenderFns

      /* istanbul ignore if */
      if (process.env.NODE_ENV !== 'production' && config.performance && mark) {
        mark('compile end')
        measure(`vue ${this._name} compile`, 'compile', 'compile end')
      }
    }
  }
  return mount.call(this, el, hydrating)
}

/**
 * Get outerHTML of elements, taking care
 * of SVG elements in IE as well.
 */
function getOuterHTML (el: Element): string {
  if (el.outerHTML) {
    return el.outerHTML
  } else {
    const container = document.createElement('div')
    container.appendChild(el.cloneNode(true))
    return container.innerHTML
  }
}複製程式碼

這一部分程式碼的主要作用:就是進行template模板的解析。從上面的程式碼中可以看出,el不允許被掛載到body和html這樣的根標籤上面。然後判斷是否有render函式 -> if (!options.render) {...},然後判斷有沒有template,template可以是string型別的id、DOM節點。沒有的話則解析el作為template。由上面的程式碼可以看出我們無論是使用單檔案元件(.Vue)或是通過el、template屬性它最終都會通過render函式的形式來進行整個模板的解析。

四、Mounted:掛載到例項上

[Vue系列一]vue生命週期和原始碼分析


這個時候相關的 render 函式首次被呼叫,呼叫完成之後,執行了callHook(vm, 'mounted')方法,標記著el 被新建立的 vm.$el 替換,並被掛載到例項上。

五、beforeUpdate和updated

[Vue系列一]vue生命週期和原始碼分析

然後就進入了我們頁面正常互動的時間,也就是beforeUpdateupdated這兩個回撥鉤子的執行時機。這兩個鉤子函式是在資料更新的時候進行回撥的函式,Vue在/src/core/instance/lifecycle.js檔案下有一個_update的原型宣告:

Vue.prototype._update = function (vnode: VNode, hydrating?: boolean) {
    const vm: Component = this
    const prevEl = vm.$el
    const prevVnode = vm._vnode
    const restoreActiveInstance = setActiveInstance(vm)
    vm._vnode = vnode
    // Vue.prototype.__patch__ is injected in entry points
    // based on the rendering backend used.
    if (!prevVnode) {
      // initial render
      vm.$el = vm.__patch__(vm.$el, vnode, hydrating, false /* removeOnly */)
    } else {
      // updates
      vm.$el = vm.__patch__(prevVnode, vnode)
    }
    restoreActiveInstance()
    // update __vue__ reference
    if (prevEl) {
      prevEl.__vue__ = null
    }
    if (vm.$el) {
      vm.$el.__vue__ = vm
    }
    // if parent is an HOC, update its $el as well
    if (vm.$vnode && vm.$parent && vm.$vnode === vm.$parent._vnode) {
      vm.$parent.$el = vm.$el
    }
    // updated hook is called by the scheduler to ensure that children are
    // updated in a parent's updated hook.
  }複製程式碼

我們可以看到在如果_isMountedture的話(DOM已經被掛載)則會呼叫callHook(vm, 'beforeUpdate')方法,然後會對虛擬DOM進行重新渲染。然後在/src/core/observer/scheduler.js下的flushSchedulerQueue()函式中渲染DOM,在渲染完成呼叫callHook(vm, 'updated'),程式碼如下:。

/**
 * Flush both queues and run the watchers.
 */
function flushSchedulerQueue () {
 ...
  callUpdatedHooks(updatedQueue)
 ...
}

function callUpdatedHooks (queue) {
  let i = queue.length
  while (i--) {
    const watcher = queue[i]
    const vm = watcher.vm
    if (vm._watcher === watcher && vm._isMounted && !vm._isDestroyed) {
      callHook(vm, 'updated')
    }
  }
}複製程式碼

六、beforeDestory和destoryed

[Vue系列一]vue生命週期和原始碼分析


當Vue例項需要進行銷燬的時候回撥beforeDestroy 、destroyed這兩個函式鉤子,它們的實現是在/src/core/instance/lifecycle.js下的Vue.prototype.$destroy中:

Vue.prototype.$destroy = function () {
    const vm: Component = this
    if (vm._isBeingDestroyed) {
      return
    }
    callHook(vm, 'beforeDestroy')
    vm._isBeingDestroyed = true
    // remove self from parent
    const parent = vm.$parent
    if (parent && !parent._isBeingDestroyed && !vm.$options.abstract) {
      remove(parent.$children, vm)
    }
    // teardown watchers
    if (vm._watcher) {
      vm._watcher.teardown()
    }
    let i = vm._watchers.length
    while (i--) {
      vm._watchers[i].teardown()
    }
    // remove reference from data ob
    // frozen object may not have observer.
    if (vm._data.__ob__) {
      vm._data.__ob__.vmCount--
    }
    // call the last hook...
    vm._isDestroyed = true
    // invoke destroy hooks on current rendered tree
    vm.__patch__(vm._vnode, null)
    // fire destroyed hook
    callHook(vm, 'destroyed')
    // turn off all instance listeners.
    vm.$off()
    // remove __vue__ reference
    if (vm.$el) {
      vm.$el.__vue__ = null
    }
    // release circular reference (#6759)
    if (vm.$vnode) {
      vm.$vnode.parent = null
    }
  }複製程式碼

$destroy這個原型函式中,執行了Vue的銷燬操作,我們可以看到在執行銷燬操作之前呼叫了callHook(vm, 'beforeDestroy'),然後執行了一系列的銷燬操作,包括刪除掉所有的自身(self)_watcher資料引用等等,刪除完成之後呼叫callHook(vm, 'destroyed')

七、activated、deactivated、errorCaptured

截止到這裡,整個Vue生命週期圖示中的所有生命週期鉤子都已經被執行完成了。那麼剩下的activateddeactivatederrorCaptured這三個鉤子函式是在何時被執行的呢?我們知道這三個函式都是針對於元件(component)的鉤子函式。其中activateddeactivated這兩個鉤子函式分別是在keep-alive 元件啟用和停用之後回撥的,它們不牽扯到整個Vue的生命週期之中activateddeactivated這兩個鉤子函式的實現程式碼都在/src/core/instance/lifecycle.js下:

export function activateChildComponent (vm: Component, direct?: boolean) {
  if (direct) {
    vm._directInactive = false
    if (isInInactiveTree(vm)) {
      return
    }
  } else if (vm._directInactive) {
    return
  }
  if (vm._inactive || vm._inactive === null) {
    vm._inactive = false
    for (let i = 0; i < vm.$children.length; i++) {
      activateChildComponent(vm.$children[i])
    }
    callHook(vm, 'activated')
  }
}

export function deactivateChildComponent (vm: Component, direct?: boolean) {
  if (direct) {
    vm._directInactive = true
    if (isInInactiveTree(vm)) {
      return
    }
  }
  if (!vm._inactive) {
    vm._inactive = true
    for (let i = 0; i < vm.$children.length; i++) {
      deactivateChildComponent(vm.$children[i])
    }
    callHook(vm, 'deactivated')
  }
}複製程式碼

而對於errorCaptured來說,它是在2.5.0之後新增的一個鉤子函式,它的程式碼在/src/core/util/error.js中:

export function handleError (err: Error, vm: any, info: string) {
  // Deactivate deps tracking while processing error handler to avoid possible infinite rendering.
  // See: https://github.com/vuejs/vuex/issues/1505
  pushTarget()
  try {
    if (vm) {
      let cur = vm
      while ((cur = cur.$parent)) {
        const hooks = cur.$options.errorCaptured
        if (hooks) {
          for (let i = 0; i < hooks.length; i++) {
            try {
              const capture = hooks[i].call(cur, err, vm, info) === false
              if (capture) return
            } catch (e) {
              globalHandleError(e, cur, 'errorCaptured hook')
            }
          }
        }
      }
    }
    globalHandleError(err, vm, info)
  } finally {
    popTarget()
  }
}

function globalHandleError (err, vm, info) {
  if (config.errorHandler) {
    try {
      return config.errorHandler.call(null, err, vm, info)
    } catch (e) {
      // if the user intentionally throws the original error in the handler,
      // do not log it twice
      if (e !== err) {
        logError(e, null, 'config.errorHandler')
      }
    }
  }
  logError(err, vm, info)
}

function logError (err, vm, info) {
  if (process.env.NODE_ENV !== 'production') {
    warn(`Error in ${info}: "${err.toString()}"`, vm)
  }
  /* istanbul ignore else */
  if ((inBrowser || inWeex) && typeof console !== 'undefined') {
    console.error(err)
  } else {
    throw err
  }
}複製程式碼

他是唯一一個沒有通過callHook方法來執行的鉤子函式,而是直接通過遍歷cur(vm).$options.errorCaptured,來執行config.errorHandler.call(null, err, vm, info)的鉤子函式。整個邏輯的結構與callHook使非常類似的。

截止到目前Vue中所有的生命週期鉤子我們都已經介紹完成了。下面再來一張完整的生命週期圖:

[Vue系列一]vue生命週期和原始碼分析

以上內容整理來自:

作者:LGD_Sunday 來源:CSDN

原文:blog.csdn.net/u011068996/…


相關文章