你想要的——vue源碼分析(2)

背景

Vue.js是如今國內比較火的前端框架,但願經過接下來的一系列文章,可以幫助你們更好的瞭解Vue.js的實現原理。本次分析的版本是Vue.js2.5.16。(持續更新中。。。)javascript

目錄

Vue的實例化

由上一章咱們瞭解了Vue類的定義,本章主要分析用戶實例化Vue類以後,Vue.js框架內部作了具體的工做。html

舉個例子前端

var demo = new Vue({
  el: '#app',
  created(){},
  mounted(){},
  data:{
    a: 1,
  },
  computed:{
    b(){
      return this.a+1
    }
  },
  methods:{
    handleClick(){
      ++this.a ;
    }
  },
  components:{
    'todo-item':{
      template: '<li>to do</li>',
      mounted(){
      }
    }
  }
})

以上是一個簡單的vue實例化的例子,用戶經過new的方式建立了一個Vue的實例demo。因此咱們先看看Vue的構造函數裏面定義了什麼方法。vue

src/core/instance/index.jsjava

這個文件聲明瞭Vue類的構造函數,構造函數中直接調用了實例方法_init來初始化vue的實例,並傳入options參數。node

import { initMixin } from './init'
import { stateMixin } from './state'
import { renderMixin } from './render'
import { eventsMixin } from './events'
import { lifecycleMixin } from './lifecycle'
import { warn } from '../util/index'

// 聲明Vue類
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類傳入各類初始化方法
initMixin(Vue)
stateMixin(Vue)
eventsMixin(Vue)
lifecycleMixin(Vue)
renderMixin(Vue)

export default Vue

接下來咱們看看這個_init方法具體作了什麼事情。web

src/core/instance/init.jssegmentfault

這個文件的initMixin方法定義了vue實例方法_init。數組

Vue.prototype._init = function (options?: Object) {
    // this指向Vue的實例,因此這裏是將Vue的實例緩存給vm變量
    const vm: Component = this
    // a uid
    // 每個vm有一個_uid,從0依次疊加
    vm._uid = uid++

    let startTag, endTag
    /* istanbul ignore if */
    if (process.env.NODE_ENV !== 'production' && config.performance && mark) {
      startTag = `vue-perf-start:${vm._uid}`
      endTag = `vue-perf-end:${vm._uid}`
      mark(startTag)
    }

    // a flag to avoid this being observed
    // 表示vue實例
    vm._isVue = true
    // merge options

    // 處理傳入的參數,並將構造方法上的屬性跟傳入的屬性合併(merge)

    // 處理子組件的options,後續講到組件會詳細展開
    if (options && options._isComponent) {
      // optimize internal component instantiation
      // since dynamic options merging is pretty slow, and none of the
      // internal component options needs special treatment.
      initInternalComponent(vm, options)
    } else {
      vm.$options = mergeOptions(
        resolveConstructorOptions(vm.constructor),
        options || {},
        vm
      )
    }
    /* istanbul ignore else */
    // 添加vm的_renderProxy屬性,非生產環境ES6的proxy代理,對非法屬性獲取進行提示
    if (process.env.NODE_ENV !== 'production') {
      initProxy(vm)
    } else {
      vm._renderProxy = vm
    }
    // expose real self
    // 添加vm的_self屬性
    vm._self = vm
    // 對vm進行各類初始化


    // 將vm自身添加到該vm的父組件的的$children數組中
    // 添加vm的$parent,$root,$children,$refs,_watcher,_inactive,_directInactive,_isMounted,_isDestroyed,_isBeingDestroyed屬性
    // 具體實如今 src/core/instance/lifecycle.js中,代碼比較簡單,不作展開
    initLifecycle(vm)

    // 添加vm._events,vm._hasHookEvent屬性
    initEvents(vm)

    // 添加vm._vnode,vm._staticTrees,vm.$vnode,vm.$slots,vm.$scopedSlots,vm._c,vm.$createElement
    // 將vm上的$attrs,$listeners 屬性設置爲響應式的
    initRender(vm)

    // 觸發beforeCreate鉤子,若是options中有beforeCreate的回調函數,則會被調用
    callHook(vm, 'beforeCreate')

    initInjections(vm) // resolve injections before data/props

    // 初始化state,包括Props,methods,Data,Computed,watch;
    // 這塊內容比較核心,因此會在下一章詳細講解,這裏先大概描述一下
    // 對於prop以及data屬性,將其設置爲vm的響應式屬性,即便用object.defineProperty綁定vm的prop和data屬性並設置其getter&setter
    // 對於methods,則將每一個method都掛載在vm上,並將this指向vm
    // 對於Computed,在將其設置爲vm的響應式屬性以外,還須要定義watcher,用於收集依賴
    // watch屬性,也是將其設置爲watcher實例,收集依賴
    initState(vm)

    // 初始化provide屬性
    initProvide(vm) // resolve provide after data/props

    // 至此,全部數據的初始化工做已經作完,全部觸發created鉤子,在這個鉤子的回調中能夠訪問以前所定義的全部數據
    callHook(vm, 'created')

    /* istanbul ignore if */
    if (process.env.NODE_ENV !== 'production' && config.performance && mark) {
      vm._name = formatComponentName(vm, false)
      mark(endTag)
      measure(`vue ${vm._name} init`, startTag, endTag)
    }
    // 調用vm上的$mount方法
    if (vm.$options.el) {
      vm.$mount(vm.$options.el)
    }
  }

接下來分析一下vm上的$mount方法具體作了什麼事情緩存

platforms/web/entry-runtime-with-compiler.js

// 緩存Vue.prototype上的$mount方法到變量mount上
const mount = Vue.prototype.$mount
Vue.prototype.$mount = function (
  el?: string | Element,
  hydrating?: boolean
): Component {
  // 獲取dom上的元素
  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')
      }
      // 根據模板生成相關的render,staticRenderFns方法
      // 這塊內容涉及的內容比較多,會在後面的其餘章節中有詳細講解
      const { render, staticRenderFns } = compileToFunctions(template, {
        shouldDecodeNewlines,
        shouldDecodeNewlinesForHref,
        delimiters: options.delimiters,
        comments: options.comments
      }, this)
      // 將render,staticRenderFns方法添加到options上
      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')
      }
    }
  }
  // 調用前面緩存的mount方法
  return mount.call(this, el, hydrating)
}

接下來看看緩存的$mount方法的實現

platforms/web/runtime/index.js

Vue.prototype.$mount = function (
  el?: string | Element,
  hydrating?: boolean
): Component {
  // 獲取相關的dom元素,執行mountComponent方法
  el = el && inBrowser ? query(el) : undefined
  return mountComponent(this, el, hydrating)
}

看看mountComponent方法的實現

export function mountComponent (
  vm: Component,
  el: ?Element,
  hydrating?: boolean
): Component {
  vm.$el = el
  if (!vm.$options.render) {
    vm.$options.render = createEmptyVNode
    if (process.env.NODE_ENV !== 'production') {
      /* istanbul ignore if */
      if ((vm.$options.template && vm.$options.template.charAt(0) !== '#') ||
        vm.$options.el || el) {
        warn(
          'You are using the runtime-only build of Vue where the template ' +
          'compiler is not available. Either pre-compile the templates into ' +
          'render functions, or use the compiler-included build.',
          vm
        )
      } else {
        warn(
          'Failed to mount component: template or render function not defined.',
          vm
        )
      }
    }
  }
  // 調用beforeMount鉤子
  callHook(vm, 'beforeMount')
  // 設置updateComponent方法
  let updateComponent
  /* istanbul ignore if */
  if (process.env.NODE_ENV !== 'production' && config.performance && mark) {
    updateComponent = () => {
      const name = vm._name
      const id = vm._uid
      const startTag = `vue-perf-start:${id}`
      const endTag = `vue-perf-end:${id}`

      mark(startTag)
      const vnode = vm._render()
      mark(endTag)
      measure(`vue ${name} render`, startTag, endTag)

      mark(startTag)
      vm._update(vnode, hydrating)
      mark(endTag)
      measure(`vue ${name} patch`, startTag, endTag)
    }
  } else {
    updateComponent = () => {
      vm._update(vm._render(), hydrating)
    }
  }

  // we set this to vm._watcher inside the watcher's constructor
  // since the watcher's initial patch may call $forceUpdate (e.g. inside child
  // component's mounted hook), which relies on vm._watcher being already defined

  // 建立watcher對象,具體watch的實現會在下一章詳細分析
  // 簡單描述一下這個過程:初始化這個watcher對象,執行updateComponent方法,收集相關的依賴
  // updateComponent的執行過程:
  // 先執行vm._render方法,根據以前生成的render方法,生成相關的vnode,也就是virtual dom相關的內容,這個會在後續渲染的章節詳細講解
  // 經過生成的vnode,調用vm._update,最終將vnode生成的dom插入到父節點中,完成組件的載入
  new Watcher(vm, updateComponent, noop, null, true /* isRenderWatcher */)
  hydrating = false

  // manually mounted instance, call mounted on self
  // mounted is called for render-created child components in its inserted hook
  if (vm.$vnode == null) {
    vm._isMounted = true
    // 調用mounted鉤子,在這個鉤子的回調函數中能夠訪問到真是的dom節點,由於在上述過程當中已經將真實的dom節點插入到父節點
    callHook(vm, 'mounted')
  }
  return vm
}

OK,以上就是Vue整個實例化的過程,多謝觀看&歡迎拍磚。

相關文章
相關標籤/搜索