主要背景
因为对Vue.js很感兴趣,而且工作中用到的技术栈也是它,所以停留在api调用工程师
肯定不行,所以就去看了看源码,研究其中的实现内容。
如果有任何问题,还请各位大佬不吝赐教
从vue2项目说起
js
export default {
data(){
return {
a:1,
b:2,
}
}
}
在我们的项目中,访问this.a
或者this.data.a
都可以,那么问题来了,a
明明是data函数中的对象,为什么this.a
可以访问到。为此去看了Vue.js的源码。
首先,Vue.js初始化即我们new Vue()
时候,做了一件事情
js
function Vue(options) {
if (__DEV__ && !(this instanceof Vue)) {
warn('Vue is a constructor and should be called with the `new` keyword')
}
this._init(options)
}
上面的options
就是我们实例化的时候传入的对象,比如
js
new Vue({
router,
store,
render: (h) => h(App),
}).$mount("#app");
options = {
router,
store,
render: (h) => h(App),
}
_init
函数定义在src/core/instance/init.ts
,做了很多事情,比如:初始化生命周期、事件、props、data等,
src/core/instance/state.ts
就是初始化props、data的文件,方法名:initState
,此处拿initData
说明
js
function initData(vm: Component) {
let data: any = vm.$options.data
data = vm._data = isFunction(data) ? getData(data, vm) : data || {}
if (!isPlainObject(data)) {
data = {}
__DEV__ &&
warn(
'data functions should return an object:\n' +
'https://v2.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 (__DEV__) {
if (methods && hasOwn(methods, key)) {
warn(`Method "${key}" has already been defined as a data property.`, vm)
}
}
if (props && hasOwn(props, key)) {
__DEV__ &&
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
const ob = observe(data)
ob && ob.vmCount++
}
上述函数主要做了三件事情
- data中定义的key不能和props/methods中相同
- 进行代理,即
proxy
函数 - 对data进行数据绑定,即
observe
函数
proxy函数
代码如下
js
const sharedPropertyDefinition = {
enumerable: true,
configurable: true,
get: noop,
set: noop
}
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)
}
target
= Vue对象,sourceKey
= data,key
= data中各属性
通过Object.defineProperty(target, key, sharedPropertyDefinition)
函数定义后续通过this.xx
访问data中的属性时,代理到this[data][xx]
中,即this.xx
访问时底层还是通过this.data.xx
来实现的。
最后
如此恍然大悟,以前是只知道用,结果出来就可以了,现在去看看源码,感受Vue源码的博大精深,也还是挺好的