vue 源码解析之虚拟Dom-render
vue 源码解析 --虚拟dom-render
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) } rendermixin(vue)
初始化先执行了 rendermixin
方法, vue 实例化执行this._init
, 执行this.init方法中有initrender()
rendermixin installrenderhelpers( 将一些渲染的工具函数放在vue 原型上) vue.prototype.$nexttick = function (fn: function) { return nexttick(fn, this) }
仔细看这个函数, 在vue中的官方文档上这样解释
vue 异步执行 dom 更新。只要观察到数据变化,vue 将开启一个队列,并缓冲在同一事件循环中发生的所有数据改变。如果同一个 watcher 被多次触发,只会被推入到队列中一次。这种在缓冲时去除重复数据对于避免不必要的计算和 dom 操作上非常重要。然后,在下一个的事件循环“tick”中,vue 刷新队列并执行实际 (已去重的) 工作。vue 在内部尝试对异步队列使用原生的 promise.then
和messagechannel
,如果执行环境不支持,会采用 settimeout(fn, 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 if (!cb && typeof promise !== 'undefined') { return new promise(resolve => { _resolve = resolve }) } }
vue.nexttick
用于延迟执行一段代码,它接受2个参数(回调函数和执行回调函数的上下文环境),如果没有提供回调函数,那么将返回promise对象。
function flushcallbacks () { pending = false const copies = callbacks.slice(0) callbacks.length = 0 for (let i = 0; i < copies.length; i++) { copies[i]() } }
这个flushcallbacks 是执行callbacks里存储的所有回调函数。
timerfunc 用来触发执行回调函数
先判断是否原生支持promise,如果支持,则利用promise来触发执行回调函数;
否则,如果支持mutationobserver,则实例化一个观察者对象,观察文本节点发生变化时,触发执行
所有回调函数。
如果都不支持,则利用settimeout设置延时为0。
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
mutationobserver是一个构造器,接受一个callback参数,用来处理节点变化的回调函数,observe方法中options参数characterdata:设置true,表示观察目标数据的改变
_render函数
通过执行 createelement 方法并返回的是 vnode,它是一个虚拟的 node。
vnode = render.call(vm._renderproxy, vm.$createelement)
总结
以上所述是小编给大家介绍的vue 源码解析之虚拟dom-render,希望对大家有所帮助