Virtual DOM 是什么
Virtual DOM 这个概念相信大部分人都不会陌生,它产生的前提是浏览器中的DOM是很“昂贵”的,为了更直观的感受,我们可以简单的把一个简单的div元素的属性都打印出来,如图所示:
可以看到,真正的DOM原色是非常庞大的,因为浏览器的标准就是把DOM设计的非常复杂。当我们频繁的去做DOM更新,会产生一定的性能问题。
而Vittual DOM就是用一个原生的JS对象去描述一个DOM节点,所以它比创建一个DOM的代价要小很多。在Vue.js 中,Virtual DOM使用VNode
这么一个Class去描述,它是定义在src/core/vdom/vnode.js
中的。
export default class VNode {
tag: string | void;
data: VNodeData | void;
children: ?Array<VNode>;
text: string | void;
elm: Node | void;
ns: string | void;
context: Component | void; // rendered in this component's scope
key: string | number | void;
componentOptions: VNodeComponentOptions | void;
componentInstance: Component | void; // component instance
parent: VNode | void; // component placeholder node
// strictly internal
raw: boolean; // contains raw HTML? (server only)
isStatic: boolean; // hoisted static node
isRootInsert: boolean; // necessary for enter transition check
isComment: boolean; // empty comment placeholder?
isCloned: boolean; // is a cloned node?
isOnce: boolean; // is a v-once node?
asyncFactory: Function | void; // async component factory function
asyncMeta: Object | void;
isAsyncPlaceholder: boolean;
ssrContext: Object | void;
fnContext: Component | void; // real context vm for functional nodes
fnOptions: ?ComponentOptions; // for SSR caching
fnScopeId: ?string; // functional scope id support
constructor (
tag?: string,
data?: VNodeData,
children?: ?Array<VNode>,
text?: string,
elm?: Node,
context?: Component,
componentOptions?: VNodeComponentOptions,
asyncFactory?: Function
) {
this.tag = tag
this.data = data
this.children = children
this.text = text
this.elm = elm
this.ns = undefined
this.context = context
this.fnContext = undefined
this.fnOptions = undefined
this.fnScopeId = undefined
this.key = data && data.key
this.componentOptions = componentOptions
this.componentInstance = undefined
this.parent = undefined
this.raw = false
this.isStatic = false
this.isRootInsert = true
this.isComment = false
this.isCloned = false
this.isOnce = false
this.asyncFactory = asyncFactory
this.asyncMeta = undefined
this.isAsyncPlaceholder = false
}
// DEPRECATED: alias for componentInstance for backwards compat.
/* istanbul ignore next */
get child (): Component | void {
return this.componentInstance
}
}
可以看到Vue.js 中的Virtual DOM 的定义还是略微复杂一些的,因为它这里包含了很多Vue.js的特性。这里千万不要被这些茫茫多的属性吓到,实际上Vue.js中Virtual DOM是借鉴了一个开源库snabbdom 的实现,然后加入了一些Vue.js 特色的东西。
总结
其实VNode是对真实DOM的一种抽象描述,它的核心定义无非就是几个关键属性,标签名、数据、子节点、键值等,其它属性都是用来扩展VNode的灵活性以及实现一些特殊feature的。由于VNode只是用来映射到真实DOM的渲染,不需要包含操作DOM的方法,因此它是非常轻量和简单的。
Virtual DOM除了它的数据结构的定义,映射到真实的DOM实际上要经历VNode的create、diff、patch等过程。那么在Vue.js中,VNode的create是通过之前提到的createElement
方法创建的。