Vue组件是怎样挂载的

元胞沙漏
• 阅读 435

我们先来关注一下$mount是实现什么功能的吧:
Vue组件是怎样挂载的

我们打开源码路径core/instance/init.js:

export function initMixin (Vue: Class<Component>) {

    ......

    initLifecycle(vm)
    // 事件监听初始化
    initEvents(vm)
    initRender(vm)
    callHook(vm, 'beforeCreate')
    initInjections(vm) // resolve injections before data/props
    //初始化vm状态 prop/data/computed/watch完成初始化
    initState(vm)
    initProvide(vm) // resolve provide after data/props
    callHook(vm, 'created')

    ......

    // 配置项里有el属性, 则会挂载到真实DOM上, 完成视图的渲染
    // 这里的$mount方法,本质上调用了core/instance/liftcycle.js中的mountComponent方法
    if (vm.$options.el) {
      vm.$mount(vm.$options.el)
    }
  }
}

在这里我们怎么理解这个挂载状态呢?先来看Vue官方给的一段描述

  • 如果 Vue 实例在实例化时没有收到 el 选项,则它处于“未挂载”状态,没有关联的 DOM 元素。
  • 可以使用 vm.$mount() 手动地挂载一个未挂载的实例。
  • 如果没有提供 elementOrSelector 参数,模板将被渲染为文档之外的的元素。
  • 并且你必须使用原生DOM API 把它插入文档中。
    那我们来看一下$mount内部机制吧:
 * 缓存之前的$mount的方法以便后面返回实例,
 */
const mount = Vue.prototype.$mount
/** * 手动地挂载一个未挂载的根元素,并返回实例自身(Vue实例) */
Vue.prototype.$mount = function (
  el?: string | Element,  hydrating?: boolean
): Component {
  el = el && query(el)

  /* istanbul ignore if */
  /**   * 挂载对象不能为body和html标签   */
  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
  /**   * 判断$options是否有render方法    * 有:判断是String还是Element,获取他们的innerHTMl   * 无:在实例Vue时候在vnode里创建一个创建一个空的注释节点 见方法createEmptyVNode   */
  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
            )
          }
        }
      /**       * 获取的Element的类型       * 详细见   https://developer.mozilla.org/zh-CN/docs/Web/API/Element/outerHTML       */
      } 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 */
      /**       * 用于监控compile 的性能        */
      if (process.env.NODE_ENV !== 'production' && config.performance && mark) {
        mark('compile')
      }
       // 如果不存在 render 函数,则会将模板转换成render函数
      const { render, staticRenderFns } = compileToFunctions(template, {
        shouldDecodeNewlines,
        shouldDecodeNewlinesForHref,
        delimiters: options.delimiters,
        comments: options.comments
      }, this)
      options.render = render
      options.staticRenderFns = staticRenderFns

      /* istanbul ignore if */
       /**       * 用于监控compile 的性能       */
      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)
}

$mount实现的是mountComponent函数功能

// public mount method
Vue.prototype.$mount = function (
  el?: string | Element,  hydrating?: boolean
): Component {
  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
  // 如果不存在render函数,则直接创建一个空的VNode节点
  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
        )
      }
    }
  }
  // 检测完render后,开始调用beforeMount声明周期
  callHook(vm, 'beforeMount')

  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 = () => {
       // 这里是上面所说的观察者,这里注意第二个expOrFn参数是一个函数
      // 会在new Watcher的时候通过get方法执行一次
      // 也就是会触发第一次Dom的更新
      vm._update(vm._render(), hydrating)
    }
  }

vm._watcher = new Watcher(vm, updateComponent, noop, null, true /* isRenderWatcher */)
  hydrating = false

  //触发$mount函数
  if (vm.$vnode == null) {
    vm._isMounted = true
    callHook(vm, 'mounted')
  }
  return vm
}

总结来说就是:

  • 执行vm._watcher = new Watcher(vm, updateComponent, noop)
  • 触发Watcher里面的get方法,设置Dep.target = watcher
  • 执行updateComponent
    这个过程中,会去读取我们绑定的数据,由于之前我们通过Observer进行了数据劫持,这样会触发数据的get方法。此时会将watcher添加到 对应的dep中。当有数据更新时,通过dep.notify()去通知到Watcher,然后执行Watcher中的update方法。此时又会去重新执行 updateComponent,至此完成对视图的重新渲染。
  • 参考vue实战视频讲解:进入学习

我们着重关注一下vm._update(vm._render(), hydrating):

...

    let vnode
    try {
      vnode = render.call(vm._renderProxy, vm.$createElement)
    } catch (e) {
      handleError(e, vm, `render`)
      // return error render result,
      // or previous vnode to prevent render error causing blank component
      /* istanbul ignore else */
      if (process.env.NODE_ENV !== 'production') {
        if (vm.$options.renderError) {
          try {
            vnode = vm.$options.renderError.call(vm._renderProxy, vm.$createElement, e)
          } catch (e) {
            handleError(e, vm, `renderError`)
            vnode = vm._vnode
          }
        } else {
          vnode = vm._vnode
        }
      } else {
        vnode = vm._vnode
      }
    }

我们看到有俩个方法vm._renderProxy代理vm,要来检测render是否用了vm上没有的属性与方法,用来报错,vm.$createElement则是创建VNode:

render: function (createElement) {
  return createElement('h1', '标题')
}

数据我们是知道怎么更新的,那么组件tamplate到真实dom是怎么更新的呢?
Vue组件是怎样挂载的

  • 解析tamplate生成字符串
  • render Function处理字符串生成VNode
  • patch diff算法处理VNode
点赞
收藏
评论区
推荐文章
Wesley13 Wesley13
3年前
MySQL部分从库上面因为大量的临时表tmp_table造成慢查询
背景描述Time:20190124T00:08:14.70572408:00User@Host:@Id:Schema:sentrymetaLast_errno:0Killed:0Query_time:0.315758Lock_
美凌格栋栋酱 美凌格栋栋酱
6个月前
Oracle 分组与拼接字符串同时使用
SELECTT.,ROWNUMIDFROM(SELECTT.EMPLID,T.NAME,T.BU,T.REALDEPART,T.FORMATDATE,SUM(T.S0)S0,MAX(UPDATETIME)CREATETIME,LISTAGG(TOCHAR(
专注IP定位 专注IP定位
3年前
什么是SDK,它是怎样威胁我们的隐私?
依据《个人信息保护法》《网络安全法》《电信条例》《电信和互联网用户个人信息保护规定》等法律法规,工业和信息化部近期组织第三方检测机构对移动互联网应用程序(APP)进行检查,截至目前,尚有107款APP未完成整改,洋码头、中公教育等APP在列。检测过程中发现,13款内嵌第三方软件开发工具包(SDK)存在违规收集用户设备信息的行为。工业和信息化部要求相关APP及
代码哈士奇 代码哈士奇
4年前
vue实现桌面向网页拖动文件(可显示图片/音频/视频)
效果在这里插入图片描述(https://imghelloworld.osscnbeijing.aliyuncs.com/062771391
Jacquelyn38 Jacquelyn38
4年前
使用Vue封装一个实用的人脸识别组件
❝欢迎阅读本博文,本文主要讲述【使用Vue封装一个实用的人脸识别组件】,文字通俗易懂,如有不妥,还请多多指正。❞在这里插入图片描述前言人脸识别技术现在越来越火,那么我们今天教大家实现一个人脸识别组件。资源elementUIVue.jstrackingmin.jsfacemin.js源码由于我们
Easter79 Easter79
3年前
Taro小程序自定义顶部导航栏
微信自带的顶部导航栏是无法支持自定义icon和增加元素的,在开发小程序的时候自带的根本满足不了需求,分享一个封装好的组件,支持自定义icon、扩展dom,适配安卓、ios、h5,全面屏。我用的是京东的Taro多端编译框架写的小程序,原生的也可以适用,用到的微信/taro的api做调整就行,实现效果如下。!在这里插入图片描述(https://i
Wesley13 Wesley13
3年前
Java实现简单计算器
1概述JavaAWTSwing实现的简单计算器,功能如下:支持加减乘除支持小数运算键盘监听鼠标监听2效果演示!在这里插入图片描述(https://imgblog.csdnimg.cn/20201216012859251.gif)!在这里插入图片描述(htt
Stella981 Stella981
3年前
Redis未授权访问漏洞复现学习
0x00前言前段时间看到想复现学习一下,然后就忘了越临近考试越不想复习!在这里插入图片描述(https://oscimg.oschina.net/oscnet/ec73a943a3d9e18184946ee4c4ca290e14f.jpg)常见的未授权访问漏洞Redis未授权访问漏洞MongoDB未授权访问漏
Stella981 Stella981
3年前
Git 简明手册
!在这里插入图片描述(https://imgblog.csdnimg.cn/20200429192714990.jpg?pic_center)0,Git是什么Git(https://www.oschina.net/action/GoToLink?urlhttps%3A%2F%2Fgitscm.com%2F)是一个VCS
Wesley13 Wesley13
3年前
mysql查询每个学生的各科成绩,以及总分和平均分
今天看一个mysql教程,看到一个例子,感觉里面的解决方案不是很合理。问题如下:有学生表:!在这里插入图片描述(https://oscimg.oschina.net/oscnet/07b001b0c6cb7e0038a9299e768fc00a0d3.png)成绩表:!在这里插入图片描述(https://oscimg.o
Stella981 Stella981
3年前
IDEA实用教程(十一)—— 使用Maven创建JavaSE项目
1.第一步!在这里插入图片描述(https://oscimg.oschina.net/oscnet/d3e5173f0fa64c563e87c8084c6c3cd6304.png)2.第二步!在这里插入图片描述(https://oscimg.oschina.net/oscnet/b4b322d915146536a8e0c2b1942b0