从 Vue.js 源码角度再看数据绑定 - V2EX
V2EX = way to explore
V2EX 是一个关于分享和探索的地方
现在注册
已注册用户请  登录
answershuto
V2EX    前端开发

从 Vue.js 源码角度再看数据绑定

  •  2
     
  •   answershuto
    answershuto 2017-09-03 20:55:22 +08:00 2823 次点击
    这是一个创建于 3017 天前的主题,其中的信息可能已经有所发展或是发生改变。

    写在前面

    因为对 Vue.js 很感兴趣,而且平时工作的技术栈也是 Vue.js ,这几个月花了些时间研究学习了一下 Vue.js 源码,并做了总结与输出。 文章的原地址:https://github.com/answershuto/learnVue。 在学习过程中,为 Vue 加上了中文的注释https://github.com/answershuto/learnVue/tree/master/vue-src,希望可以对其他想学习 Vue 源码的小伙伴有所帮助。 可能会有理解存在偏差的地方,欢迎提 issue 指出,共同学习,共同进步。

    阅读数据绑定源码之前可以先了解一下《响应式原理》以及《依赖收集》,可以更好地理解 Vue.js 数据双向绑定的整个过程。

    数据绑定原理

    前面已经讲过 Vue 数据绑定的原理了,现在从源码来看一下数据绑定在 Vue 中是如何实现的。

    首先看一下 Vue.js 官网介绍响应式原理的这张图。

    img

    这张图比较清晰地展示了整个流程,首先通过一次渲染操作触发 Data 的 getter (这里保证只有视图中需要被用到的 data 才会触发 getter )进行依赖收集,这时候其实 Watcher 与 data 可以看成一种被绑定的状态(实际上是 data 的闭包中有一个 Deps 订阅着,在修改的时候会通知所有的 Watcher 观察者),在 data 发生变化的时候会触发它的 setter,setter 通知 Watcher,Watcher 进行回调通知组件重新渲染的函数,之后根据 diff 算法来决定是否发生视图的更新。

    Vue 在初始化组件数据时,在生命周期的beforeCreatecreated钩子函数之间实现了对data、props、computed、methods、events 以及 watch的处理。

    initData

    这里来讲一下initData,可以参考源码 instance 下的 state.js 文件,下面所有的中文注释都是我加的,英文注释是尤大加的,请不要忽略英文注释,英文注释都讲到了比较关键或者晦涩难懂的点。

    加注释版的 vue 源码也可以直接通过传送门查看,这些是我在阅读 Vue 源码过程中加的注释,持续更新中。

    initData 主要是初始化 data 中的数据,将数据进行 Oberver,监听数据的变化,其他的监视原理一致,这里以 data 为例。

    function initData (vm: Component) { /*得到 data 数据*/ 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 /*遍历 data 对象*/ const keys = Object.keys(data) const props = vm.$options.props let i = keys.length //遍历 data 中的数据 while (i--) { /*保证 data 中的 key 不与 props 中的 key 重复,props 优先,如果有冲突会产生 warning*/ if (props && hasOwn(props, keys[i])) { process.env.NODE_ENV !== 'production' && warn( `The data property "${keys[i]}" is already declared as a prop. ` + `Use prop default value instead.`, vm ) } else if (!isReserved(keys[i])) { /*判断是否是保留字段*/ /*这里是我们前面讲过的代理,将 data 上面的属性代理到了 vm 实例上*/ proxy(vm, `_data`, keys[i]) } } // observe data /*从这里开始我们要 observe 了,开始对数据进行绑定,这里有尤大大的注释 asRootData,这步作为根数据,下面会进行递归 observe 进行对深层对象的绑定。*/ observe(data, true /* asRootData */) } 

    其实这段代码主要做了两件事,一是将_data 上面的数据代理到 vm 上,另一件事通过 observe 将所有数据变成 observable。

    proxy

    接下来看一下 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 函数将 data 上面的数据代理到 vm 上,这样就可以用 app.text 代替 app._data.text 了。

    observe

    接下来是observe,这个函数定义在 core 文件下 oberver 的 index.js 文件中。

    /** * Attempt to create an observer instance for a value, * returns the new observer if successfully observed, * or the existing observer if the value already has one. */ /* 尝试创建一个 Observer 实例(__ob__),如果成功创建 Observer 实例则返回新的 Observer 实例,如果已有 Observer 实例则返回现有的 Observer 实例。 */ export function observe (value: any, asRootData: ?boolean): Observer | void { /*判断是否是一个对象*/ if (!isObject(value)) { return } let ob: Observer | void /*这里用__ob__这个属性来判断是否已经有 Observer 实例,如果没有 Observer 实例则会新建一个 Observer 实例并赋值给__ob__这个属性,如果已有 Observer 实例则直接返回该 Observer 实例*/ if (hasOwn(value, '__ob__') && value.__ob__ instanceof Observer) { ob = value.__ob__ } else if ( /*这里的判断是为了确保 value 是单纯的对象,而不是函数或者是 Regexp 等情况。*/ observerState.shouldConvert && !isServerRendering() && (Array.isArray(value) || isPlainObject(value)) && Object.isExtensible(value) && !value._isVue ) { ob = new Observer(value) } if (asRootData && ob) { /*如果是根数据则计数,后面 Observer 中的 observe 的 asRootData 非 true*/ ob.vmCount++ } return ob } 

    Vue 的响应式数据都会有一个__ob__的属性作为标记,里面存放了该属性的观察器,也就是 Observer 的实例,防止重复绑定。

    Observer

    接下来看一下新建的Observer。Observer 的作用就是遍历对象的所有属性将其进行双向绑定。

    /** * Observer class that are attached to each observed * object. Once attached, the observer converts target * object's property keys into getter/setters that * collect dependencies and dispatches updates. */ export class { value: any; dep: Dep; vmCount: number; // number of vms that has this object as root $data constructor (value: any) { this.value = value this.dep = new Dep() this.vmCount = 0 /* 将 Observer 实例绑定到 data 的__ob__属性上面去,之前说过 observe 的时候会先检测是否已经有__ob__对象存放 Observer 实例了,def 方法定义可以参考 https://github.com/vuejs/vue/blob/dev/src/core/util/lang.js#L16 */ def(value, '__ob__', this) if (Array.isArray(value)) { /* 如果是数组,将修改后可以截获响应的数组方法替换掉该数组的原型中的原生方法,达到监听数组数据变化响应的效果。 这里如果当前浏览器支持__proto__属性,则直接覆盖当前数组对象原型上的原生数组方法,如果不支持该属性,则直接覆盖数组对象的原型。 */ const augment = hasProto ? protoAugment /*直接覆盖原型的方法来修改目标对象*/ : copyAugment /*定义(覆盖)目标对象或数组的某一个方法*/ augment(value, arrayMethods, arrayKeys) /*如果是数组则需要遍历数组的每一个成员进行 observe*/ this.observeArray(value) } else { /*如果是对象则直接 walk 进行绑定*/ this.walk(value) } } /** * Walk through each property and convert them into * getter/setters. This method should only be called when * value type is Object. */ walk (obj: Object) { const keys = Object.keys(obj) /*walk 方法会遍历对象的每一个属性进行 defineReactive 绑定*/ for (let i = 0; i < keys.length; i++) { defineReactive(obj, keys[i], obj[keys[i]]) } } /** * Observe a list of Array items. */ observeArray (items: Array<any>) { /*数组需要便利每一个成员进行 observe*/ for (let i = 0, l = items.length; i < l; i++) { observe(items[i]) } } } 

    Observer 为数据加上响应式属性进行双向绑定。如果是对象则进行深度遍历,为每一个子对象都绑定上方法,如果是数组则为每一个成员都绑定上方法。

    如果是修改一个数组的成员,该成员是一个对象,那只需要递归对数组的成员进行双向绑定即可。但这时候出现了一个问题,?如果我们进行 pop、push 等操作的时候,push 进去的对象根本没有进行过双向绑定,更别说 pop 了,那么我们如何监听数组的这些变化呢? Vue.js 提供的方法是重写 push、pop、shift、unshift、splice、sort、reverse 这七个数组方法。修改数组原型方法的代码可以参考observer/array.js

    /* * not type checking this file because flow doesn't play well with * dynamically accessing methods on Array prototype */ import { def } from '../util/index' /*取得原生数组的原型*/ const arrayProto = Array.prototype /*创建一个新的数组对象,修改该对象上的数组的七个方法,防止污染原生数组方法*/ export const arrayMethods = Object.create(arrayProto) /** * Intercept mutating methods and emit events */ /*这里重写了数组的这些方法,在保证不污染原生数组原型的情况下重写数组的这些方法,截获数组的成员发生的变化,执行原生数组操作的同时 dep 通知关联的所有观察者进行响应式处理*/ ;[ 'push', 'pop', 'shift', 'unshift', 'splice', 'sort', 'reverse' ] .forEach(function (method) { // cache original method /*将数组的原生方法缓存起来,后面要调用*/ const original = arrayProto[method] def(arrayMethods, method, function mutator () { // avoid leaking arguments: // http://jsperf.com/closure-with-arguments let i = arguments.length const args = new Array(i) while (i--) { args[i] = arguments[i] } /*调用原生的数组方法*/ const result = original.apply(this, args) /*数组新插入的元素需要重新进行 observe 才能响应式*/ const ob = this.__ob__ let inserted switch (method) { case 'push': inserted = args break case 'unshift': inserted = args break case 'splice': inserted = args.slice(2) break } if (inserted) ob.observeArray(inserted) // notify change /*dep 通知所有注册的观察者进行响应式处理*/ ob.dep.notify() return result }) }) 

    从数组的原型新建一个 Object.create(arrayProto)对象,通过修改此原型可以保证原生数组方法不被污染。如果当前浏览器支持__proto__这个属性的话就可以直接覆盖该属性则使数组对象具有了重写后的数组方法。如果没有该属性的浏览器,则必须通过遍历 def 所有需要重写的数组方法,这种方法效率较低,所以优先使用第一种。 在保证不污染不覆盖数组原生方法添加监听,主要做了两个操作,第一是通知所有注册的观察者进行响应式处理,第二是如果是添加成员的操作,需要对新成员进行 observe。 但是修改了数组的原生方法以后我们还是没法像原生数组一样直接通过数组的下标或者设置 length 来修改数组,Vue.js 提供了$set()及$remove()方法

    Watcher

    Watcher是一个观察者对象。依赖收集以后 Watcher 对象会被保存在 Deps 中,数据变动的时候会由于 Deps 通知 Watcher 实例,然后由 Watcher 实例回调 cb 进行实图的更新。

    export default class Watcher { vm: Component; expression: string; cb: Function; id: number; deep: boolean; user: boolean; lazy: boolean; sync: boolean; dirty: boolean; active: boolean; deps: Array<Dep>; newDeps: Array<Dep>; depIds: ISet; newDepIds: ISet; getter: Function; value: any; constructor ( vm: Component, expOrFn: string | Function, cb: Function, options?: Object ) { this.vm = vm /*_watchers 存放订阅者实例*/ vm._watchers.push(this) // options if (options) { this.deep = !!options.deep this.user = !!options.user this.lazy = !!options.lazy this.sync = !!options.sync } else { this.deep = this.user = this.lazy = this.sync = false } this.cb = cb this.id = ++uid // uid for batching this.active = true this.dirty = this.lazy // for lazy watchers this.deps = [] this.newDeps = [] this.depIds = new Set() this.newDepIds = new Set() this.expression = process.env.NODE_ENV !== 'production' ? expOrFn.toString() : '' // parse expression for getter /*把表达式 expOrFn 解析成 getter*/ if (typeof expOrFn === 'function') { this.getter = expOrFn } else { this.getter = parsePath(expOrFn) if (!this.getter) { this.getter = function () {} process.env.NODE_ENV !== 'production' && warn( `Failed watching path: "${expOrFn}" ` + 'Watcher only accepts simple dot-delimited paths. ' + 'For full control, use a function instead.', vm ) } } this.value = this.lazy ? undefined : this.get() } /** * Evaluate the getter, and re-collect dependencies. */ /*获得 getter 的值并且重新进行依赖收集*/ get () { /*将自身 watcher 观察者实例设置给 Dep.target,用以依赖收集。*/ pushTarget(this) let value const vm = this.vm /* 执行了 getter 操作,看似执行了渲染操作,其实是执行了依赖收集。 在将 Dep.target 设置为自生观察者实例以后,执行 getter 操作。 譬如说现在的的 data 中可能有 a、b、c 三个数据,getter 渲染需要依赖 a 跟 c, 那么在执行 getter 的时候就会触发 a 跟 c 两个数据的 getter 函数, 在 getter 函数中即可判断 Dep.target 是否存在然后完成依赖收集, 将该观察者对象放入闭包中的 Dep 的 subs 中去。 */ if (this.user) { try { value = this.getter.call(vm, vm) } catch (e) { handleError(e, vm, `getter for watcher "${this.expression}"`) } } else { value = this.getter.call(vm, vm) } // "touch" every property so they are all tracked as // dependencies for deep watching /*如果存在 deep,则触发每个深层对象的依赖,追踪其变化*/ if (this.deep) { /*递归每一个对象或者数组,触发它们的 getter,使得对象或数组的每一个成员都被依赖收集,形成一个“深( deep )”依赖关系*/ traverse(value) } /*将观察者实例从 target 栈中取出并设置给 Dep.target*/ popTarget() this.cleanupDeps() return value } /** * Add a dependency to this directive. */ /*添加一个依赖关系到 Deps 集合中*/ addDep (dep: Dep) { const id = dep.id if (!this.newDepIds.has(id)) { this.newDepIds.add(id) this.newDeps.push(dep) if (!this.depIds.has(id)) { dep.addSub(this) } } } /** * Clean up for dependency collection. */ /*清理依赖收集*/ cleanupDeps () { /*移除所有观察者对象*/ let i = this.deps.length while (i--) { const dep = this.deps[i] if (!this.newDepIds.has(dep.id)) { dep.removeSub(this) } } let tmp = this.depIds this.depIds = this.newDepIds this.newDepIds = tmp this.newDepIds.clear() tmp = this.deps this.deps = this.newDeps this.newDeps = tmp this.newDeps.length = 0 } /** * Subscriber interface. * Will be called when a dependency changes. */ /* 调度者接口,当依赖发生改变的时候进行回调。 */ update () { /* istanbul ignore else */ if (this.lazy) { this.dirty = true } else if (this.sync) { /*同步则执行 run 直接渲染视图*/ this.run() } else { /*异步推送到观察者队列中,由调度者调用。*/ queueWatcher(this) } } /** * Scheduler job interface. * Will be called by the scheduler. */ /* 调度者工作接口,将被调度者回调。 */ run () { if (this.active) { const value = this.get() if ( value !== this.value || // Deep watchers and watchers on Object/Arrays should fire even // when the value is the same, because the value may // have mutated. /* 即便值相同,拥有 Deep 属性的观察者以及在对象/数组上的观察者应该被触发更新,因为它们的值可能发生改变。 */ isObject(value) || this.deep ) { // set new value const oldValue = this.value /*设置新的值*/ this.value = value /*触发回调渲染视图*/ if (this.user) { try { this.cb.call(this.vm, value, oldValue) } catch (e) { handleError(e, this.vm, `callback for watcher "${this.expression}"`) } } else { this.cb.call(this.vm, value, oldValue) } } } } /** * Evaluate the value of the watcher. * This only gets called for lazy watchers. */ /*获取观察者的值*/ evaluate () { this.value = this.get() this.dirty = false } /** * Depend on all deps collected by this watcher. */ /*收集该 watcher 的所有 deps 依赖*/ depend () { let i = this.deps.length while (i--) { this.deps[i].depend() } } /** * Remove self from all dependencies' subscriber list. */ /*将自身从所有依赖收集订阅列表删除*/ teardown () { if (this.active) { // remove self from vm's watcher list // this is a somewhat expensive operation so we skip it // if the vm is being destroyed. /*从 vm 实例的观察者列表中将自身移除,由于该操作比较耗费资源,所以如果 vm 实例正在被销毁则跳过该步骤。*/ if (!this.vm._isBeingDestroyed) { remove(this.vm._watchers, this) } let i = this.deps.length while (i--) { this.deps[i].removeSub(this) } this.active = false } } } 

    Dep

    来看看Dep类。其实 Dep 就是一个发布者,可以订阅多个观察者,依赖收集之后 Deps 中会存在一个或多个 Watcher 对象,在数据变更的时候通知所有的 Watcher。

    /** * A dep is an observable that can have multiple * directives subscribing to it. */ export default class Dep { static target: ?Watcher; id: number; subs: Array<Watcher>; constructor () { this.id = uid++ this.subs = [] } /*添加一个观察者对象*/ addSub (sub: Watcher) { this.subs.push(sub) } /*移除一个观察者对象*/ removeSub (sub: Watcher) { remove(this.subs, sub) } /*依赖收集,当存在 Dep.target 的时候添加观察者对象*/ depend () { if (Dep.target) { Dep.target.addDep(this) } } /*通知所有订阅者*/ notify () { // stabilize the subscriber list first const subs = this.subs.slice() for (let i = 0, l = subs.length; i < l; i++) { subs[i].update() } } } // the current target watcher being evaluated. // this is globally unique because there could be only one // watcher being evaluated at any time. Dep.target = null /*依赖收集完需要将 Dep.target 设为 null,防止后面重复添加依赖。*/ 

    defineReactive

    接下来是defineReactive。defineReactive 的作用是通过 Object.defineProperty 为数据定义上 getter\setter 方法,进行依赖收集后闭包中的 Deps 会存放 Watcher 对象。触发 setter 改变数据的时候会通知 Deps 订阅者通知所有的 Watcher 观察者对象进行试图的更新。

    /** * Define a reactive property on an Object. */ export function defineReactive ( obj: Object, key: string, val: any, customSetter?: Function ) { /*在闭包中定义一个 dep 对象*/ const dep = new Dep() const property = Object.getOwnPropertyDescriptor(obj, key) if (property && property.cOnfigurable=== false) { return } /*如果之前该对象已经预设了 getter 以及 setter 函数则将其取出来,新定义的 getter/setter 中会将其执行,保证不会覆盖之前已经定义的 getter/setter。*/ // cater for pre-defined getter/setters const getter = property && property.get const setter = property && property.set /*对象的子对象递归进行 observe 并返回子节点的 Observer 对象*/ let childOb = observe(val) Object.defineProperty(obj, key, { enumerable: true, configurable: true, get: function reactiveGetter () { /*如果原本对象拥有 getter 方法则执行*/ const value = getter ? getter.call(obj) : val if (Dep.target) { /*进行依赖收集*/ dep.depend() if (childOb) { /*子对象进行依赖收集,其实就是将同一个 watcher 观察者实例放进了两个 depend 中,一个是正在本身闭包中的 depend,另一个是子元素的 depend*/ childOb.dep.depend() } if (Array.isArray(value)) { /*是数组则需要对每一个成员都进行依赖收集,如果数组的成员还是数组,则递归。*/ dependArray(value) } } return value }, set: function reactiveSetter (newVal) { /*通过 getter 方法获取当前值,与新值进行比较,一致则不需要执行下面的操作*/ const value = getter ? getter.call(obj) : val /* eslint-disable no-self-compare */ if (newVal === value || (newVal !== newVal && value !== value)) { return } /* eslint-enable no-self-compare */ if (process.env.NODE_ENV !== 'production' && customSetter) { customSetter() } if (setter) { /*如果原本对象拥有 setter 方法则执行 setter*/ setter.call(obj, newVal) } else { val = newVal } /*新的值需要重新进行 observe,保证数据响应式*/ childOb = observe(newVal) /*dep 对象通知所有的观察者*/ dep.notify() } }) } 

    现在再来看这张图是不是更清晰了呢?

    img

    1 条回复    2017-09-05 10:00:33 +08:00
    codermagefox
        1
    codermagefox  
       2017-09-05 10:00:33 +08:00
    谢谢楼主,要的就是这个,自己看起来太吃瘪.已 star.
    关于     帮助文档     自助推广系统     博客     API     FAQ     Solana     4712 人在线   最高记录 6679       Select Language
    创意工作者们的社区
    World is powered by solitude
    VERSION: 3.9.8.5 36ms UTC 01:12 PVG 09:12 LAX 17:12 JFK 20:12
    Do have faith in what you're doing.
    ubao msn snddm index pchome yahoo rakuten mypaper meadowduck bidyahoo youbao zxmzxm asda bnvcg cvbfg dfscv mmhjk xxddc yybgb zznbn ccubao uaitu acv GXCV ET GDG YH FG BCVB FJFH CBRE CBC GDG ET54 WRWR RWER WREW WRWER RWER SDG EW SF DSFSF fbbs ubao fhd dfg ewr dg df ewwr ewwr et ruyut utut dfg fgd gdfgt etg dfgt dfgd ert4 gd fgg wr 235 wer3 we vsdf sdf gdf ert xcv sdf rwer hfd dfg cvb rwf afb dfh jgh bmn lgh rty gfds cxv xcv xcs vdas fdf fgd cv sdf tert sdf sdf sdf sdf sdf sdf sdf sdf sdf sdf sdf sdf sdf sdf sdf sdf sdf sdf sdf sdf sdf sdf sdf sdf sdf sdf sdf sdf sdf sdf sdf sdf sdf sdf sdf sdf sdf sdf sdf sdf shasha9178 shasha9178 shasha9178 shasha9178 shasha9178 liflif2 liflif2 liflif2 liflif2 liflif2 liblib3 liblib3 liblib3 liblib3 liblib3 zhazha444 zhazha444 zhazha444 zhazha444 zhazha444 dende5 dende denden denden2 denden21 fenfen9 fenf619 fen619 fenfe9 fe619 sdf sdf sdf sdf sdf zhazh90 zhazh0 zhaa50 zha90 zh590 zho zhoz zhozh zhozho zhozho2 lislis lls95 lili95 lils5 liss9 sdf0ty987 sdft876 sdft9876 sdf09876 sd0t9876 sdf0ty98 sdf0976 sdf0ty986 sdf0ty96 sdf0t76 sdf0876 df0ty98 sf0t876 sd0ty76 sdy76 sdf76 sdf0t76 sdf0ty9 sdf0ty98 sdf0ty987 sdf0ty98 sdf6676 sdf876 sd876 sd876 sdf6 sdf6 sdf9876 sdf0t sdf06 sdf0ty9776 sdf0ty9776 sdf0ty76 sdf8876 sdf0t sd6 sdf06 s688876 sd688 sdf86