文章首發於:github.com/USTB-musion…javascript
由於最近作的項目採起的技術棧是vue.js,加上本身對vue.js的底層運行機制很感興趣,因此最近天天花點時間,大概一兩個月左右把vue.js源碼捋了一遍,在這裏針對模版和數據渲染成最終的DOM的過程這一部分作一下總結。html
在看源碼的過程中,可能當中有本身理解出誤差或者你們有理解不同的地方,歡迎你們評論或私信我,共同窗習進步。vue
這是我在網上找的一張Vue.js運行機制全局概覽圖。可能有一些人在初次看到這張圖的時候有點模糊。但願模糊的同窗在看完下文的分析以後再回頭看這幅圖能有豁然開朗的感受。java
文件夾 | 功能 |
---|---|
compiler | 編譯相關(將模版解析成ast語法樹,ast語法樹優化,代碼生成) |
core | 核心功能相關(vue實例化,全局api封裝,虛擬DOM,偵測變化等) |
platforms | 不一樣平臺支持相關(包含web和weex) |
server | 服務端渲染相關(服務端渲染相關的邏輯) |
sfc | 解析.vue文件相關(將.vue文件內容解析成一個javascript對象) |
shared | 不一樣平臺共享代碼(定義一些全局共享的工具方法) |
從源碼目錄設計來看,做者們把源碼拆分紅一個個獨立的模塊,相關的邏輯放在專門的目錄下去維護,這樣一來代碼的可讀性和可維護性就變得很是清晰。node
import Vue from './instance/index'
import { initGlobalAPI } from './global-api/index'
import { isServerRendering } from 'core/util/env'
import { FunctionalRenderContext } from 'core/vdom/create-functional-component'
initGlobalAPI(Vue)
Object.defineProperty(Vue.prototype, '$isServer', {
get: isServerRendering
})
Object.defineProperty(Vue.prototype, '$ssrContext', {
get () {
/* istanbul ignore next */
return this.$vnode && this.$vnode.ssrContext
}
})
// expose FunctionalRenderContext for ssr runtime helper installation
Object.defineProperty(Vue, 'FunctionalRenderContext', {
value: FunctionalRenderContext
})
Vue.version = '__VERSION__'
export default Vue
複製代碼
這裏有兩處很是關鍵的代碼,import Vue from './instance/index.js'和initGlobalAPI(Vue),Vue的定義和將Vue做爲參數傳入initGlobalAPI,初始化全局API。webpack
先來看Vue的定義,看一下這個src/core/instance/index.js文件:git
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'
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)
}
initMixin(Vue)
stateMixin(Vue)
eventsMixin(Vue)
lifecycleMixin(Vue)
renderMixin(Vue)
export default Vue
複製代碼
能夠看出來,Vue其實是一個用Function實現的Class,這也是爲何咱們要經過new Vue()來實例化它。github
initGlobalAPI()定義在src/core/global-api/index.js中,它的做用是在Vue對象自己擴展一些全局的方法,這些全局API均可以在Vue官網中找到。web
new Vue({
el: '#app',
data() {
return {
message: '11'
}
},
mounted() {
console.log(this.message)
},
methods: {}
});
複製代碼
可能不少人在寫vue寫代碼的時候,或多或少都有這樣的疑問?正則表達式
1.new Vue背後發生了哪些事情?
2.爲何在mounted過程當中能經過this.message打印出data中定義的message?
3.模版和數據是如何渲染成最終的DOM的?
帶着這些疑問,咱們來分析一下,在new Vue內部究竟發生來哪些事情。
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)
}
複製代碼
咱們能夠看見,經過new關鍵字來初始化Vue的時候,會調用_init方法。該方法定義在src/core/instance/init.js中:
Vue.prototype._init = function (options?: Object) {
const vm: Component = this
// a uid
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
vm._isVue = true
// 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 */
if (process.env.NODE_ENV !== 'production') {
initProxy(vm)
} else {
vm._renderProxy = vm
}
// 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')
/* 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)
}
if (vm.$options.el) {
vm.$mount(vm.$options.el)
}
}
複製代碼
能夠看見,_init方法主要作了兩件事情:
1.合併配置,初始化生命週期,初始化事件,初始化render,初始化data,computed,methods,wacther等等。
2.在初始化的最後,若是檢測到有el屬性,則調用vm.$mount方法掛載vm,mount組件。
在生命週期beforeCreate和created的時候會調用initState來初始化state,initState()方法定義在src/core/instance/state.js中:
export function initState (vm: Component) {
vm._watchers = []
const opts = vm.$options
if (opts.props) initProps(vm, opts.props)
if (opts.methods) initMethods(vm, opts.methods)
if (opts.data) {
initData(vm)
} else {
observe(vm._data = {}, true /* asRootData */)
}
if (opts.computed) initComputed(vm, opts.computed)
if (opts.watch && opts.watch !== nativeWatch) {
initWatch(vm, opts.watch)
}
}
複製代碼
在此過程當中,會依次初始化props、methods、data、computed與watch,這也就是Vue.js對options中的數據進行「響應式化」(即雙向綁定)的過程。在initData方法中:
function initData (vm: Component) {
let data = vm.$options.data
data = vm._data = typeof data === 'function'
? getData(data, vm)
: data || {}
if (!isPlainObject(data)) {
data = {}
process.env.NODE_ENV !== 'production' && warn(
'data functions should return an object:\n' +
'https://vuejs.org/v2/guide/components.html#data-Must-Be-a-Function',
vm
)
}
// proxy data on instance
const keys = Object.keys(data)
const props = vm.$options.props
const methods = vm.$options.methods
let i = keys.length
while (i--) {
const key = keys[i]
if (process.env.NODE_ENV !== 'production') {
if (methods && hasOwn(methods, key)) {
warn(
`Method "${key}" has already been defined as a data property.`,
vm
)
}
}
if (props && hasOwn(props, key)) {
process.env.NODE_ENV !== 'production' && warn(
`The data property "${key}" is already declared as a prop. ` +
`Use prop default value instead.`,
vm
)
} else if (!isReserved(key)) {
proxy(vm, `_data`, key)
}
}
// observe data
observe(data, true /* asRootData */)
}
複製代碼
最後會調用observer(),observe會經過defineReactive對data中的對象進行雙向綁定,最終經過Object.defineProperty對對象設置setter以及getter的方法。getter的方法主要用來進行依賴收集。setter方法會在對象被修改的時候觸發(不存在添加屬性的狀況,添加屬性請用Vue.set),這時候setter會通知閉包中的Dep,Dep中有一些訂閱了這個對象改變的Watcher觀察者對象,Dep會通知Watcher對象更新視圖。
分析proxy(vm, _data
, key)這行代碼,將data上的屬性掛載到vm上,再來看proxy方法的定義:
export function proxy (target: Object, sourceKey: string, key: string) {
sharedPropertyDefinition.get = function proxyGetter () {
return this[sourceKey][key]
}
sharedPropertyDefinition.set = function proxySetter (val) {
this[sourceKey][key] = val
}
Object.defineProperty(target, key, sharedPropertyDefinition)
}
複製代碼
proxy經過defineProperty實現了代理,把target[sourceKey][key]的讀寫變成了對target[key]的讀寫。這就能解釋剛纔提出第二個的問題:爲何在mounted過程當中能經過this.message打印出data中定義的message?
再回過頭來看_init方法過程當中mount組件的實現。先來看Runtime+compiler版本的$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, {
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)
}
複製代碼
這段代碼首先緩存了原型上的$mount方法。首先,對el作了限制,不能把Vue掛載在html或body這樣的跟節點上,而後若是沒有定義render方法,則會把el或者template字符串轉換成render方法,由於在Vue2.x版本中,全部的Vue組件的渲染最終都須要render方法,在代碼的最後,有這麼一行代碼Vue.compile = compileToFunctions,compileToFunctions函數的做用,是把模版template編譯成render函數。
Vue提供了兩個版本,一個是Runtime+Compiler版本的,一個是Runtime only版本的。Runtime+Compiler是包含編譯代碼的,能夠把編譯過程放在運行時來作。而Runtime only是不包含編譯代碼的,因此須要藉助webpack的vue-loader來把模版編譯成render函數。
在實際開發當中,咱們一般在組件中採用的是編寫template模版。那template是如何編譯的呢?來看一下編譯的入口,定義在src/compiler/index.js中:
export const createCompiler = createCompilerCreator(function baseCompile ( template: string, options: CompilerOptions ): CompiledResult {
const ast = parse(template.trim(), options)
if (options.optimize !== false) {
optimize(ast, options)
}
const code = generate(ast, options)
return {
ast,
render: code.render,
staticRenderFns: code.staticRenderFns
}
})
複製代碼
編譯主要有三個過程:
1.解析模版字符串生成AST
const ast = parse(template.trim(), options)
複製代碼
parse 會用正則等方式解析 template模板中的指令、class、style等數據,造成AST樹。AST是一種用Javascript對象的形式來描述整個模版,整個parse的過程就是利用正則表達式來順序地解析模版,當解析到開始標籤,閉合標籤,文本的時候會分別對應執行響應的回調函數,從而達到構造AST樹的目的。
舉個例子:
<div :class="c" class="demo" v-if="isShow">
<span v-for="item in sz">{{item}}</span>
</div>
複製代碼
通過一系列的正則解析,會獲得的AST以下:
{
/* 標籤屬性的map,記錄了標籤上屬性 */
'attrsMap': {
':class': 'c',
'class': 'demo',
'v-if': 'isShow'
},
/* 解析獲得的:class */
'classBinding': 'c',
/* 標籤屬性v-if */
'if': 'isShow',
/* v-if的條件 */
'ifConditions': [
{
'exp': 'isShow'
}
],
/* 標籤屬性class */
'staticClass': 'demo',
/* 標籤的tag */
'tag': 'div',
/* 子標籤數組 */
'children': [
{
'attrsMap': {
'v-for': "item in sz"
},
/* for循環的參數 */
'alias': "item",
/* for循環的對象 */
'for': 'sz',
/* for循環是否已經被處理的標記位 */
'forProcessed': true,
'tag': 'span',
'children': [
{
/* 表達式,_s是一個轉字符串的函數 */
'expression': '_s(item)',
'text': '{{item}}'
}
]
}
]
}
複製代碼
當構造完AST以後,下面就是優化這顆AST樹。
2.optimize:優化AST語法樹
optimize(ast, options)
複製代碼
爲何此處會有優化過程?咱們知道Vue是數據驅動,是響應式的,可是template模版中並非全部的數據都是響應式的,也有許多數據是初始化渲染以後就不會有變化的,那麼這部分數據對應的DOM也不會發生變化。後面有一個 update 更新界面的過程,在這當中會有一個 patch 的過程, diff 算法會直接跳過靜態節點,從而減小了比較的過程,優化了 patch 的性能。
來看下optimize這部分代碼的定義,在src/compiler/optimize.js中:
export function optimize (root: ?ASTElement, options: CompilerOptions) {
if (!root) return
isStaticKey = genStaticKeysCached(options.staticKeys || '')
isPlatformReservedTag = options.isReservedTag || no
// first pass: mark all non-static nodes.
markStatic(root)
// second pass: mark static roots.
markStaticRoots(root, false)
}
複製代碼
咱們能夠看到,optimize實際上就作了2件事情,一個是調用markStatic()來標記靜態節點,另外一個是調用markStaticRoots()來標記靜態根節點。
3.codegen:將優化後的AST樹轉換成可執行的代碼。
const code = generate(ast, options)
複製代碼
template模版經歷過parse->optimize->codegen三個過程以後,就能夠d獲得render function函數了。
再看上面這張圖,是否是有一個大概的脈絡了呢。本文是我寫的第一篇Vue.js源碼學習的文章,可能會有許多的缺陷,但願在之後的學習探索慢慢改進了吧。