说明
【本文转载自:https://github.com/answershuto/learnVue】
为什么要依赖收集
先看下面这段代码
new Vue({template: `text1: {{text1}}
text2: {{text2}}
`
,data
: {text1
: 'text1',text2
: 'text2',text3
: 'text3'}}); 按照之前《响应式原理》中的方法进行绑定则会出现一个问题——text3在实际模板中并没有被用到,然而当text3的数据被修改(this.text3 = ‘test’)的时候,同样会触发text3的setter导致重新执行渲染,这显然不正确。
先说说Dep
当对data上的对象进行修改值的时候会触发它的setter,那么取值的时候自然就会触发getter事件,所以我们只要在最开始进行一次render,那么所有被渲染所依赖的data中的数据就会被getter收集到Dep的subs中去。在对data中的数据进行修改的时候setter只会触发Dep的subs的函数。
定义一个依赖收集类Dep。
class Dep {constructor () {this.subs &#61; [];}addSub (sub: Watcher) {this.subs.push(sub)}removeSub (sub: Watcher) {remove(this.subs, sub)}notify () {const subs &#61; this.subs.slice()for (let i &#61; 0, l &#61; subs.length; i < l; i&#43;&#43;) {subs[i].update()}}
}
function remove (arr, item) {if (arr.length) {const index &#61; arr.indexOf(item)if (index > -1) {return arr.splice(index, 1)}}
}
Watcher
订阅者&#xff0c;当依赖收集的时候会addSub到sub中&#xff0c;在修改data中数据的时候会触发dep对象的notify&#xff0c;通知所有Watcher对象去修改对应视图。
class Watcher {constructor (vm, expOrFn, cb, options) {this.cb &#61; cb;this.vm &#61; vm;Dep.target &#61; this;this.cb.call(this.vm);}update () {this.cb.call(this.vm);}
}
开始依赖收集
class Vue {constructor(options) {this._data &#61; options.data;observer(this._data, options.render);let watcher &#61; new Watcher(this, );}
}function defineReactive (obj, key, val, cb) {const dep &#61; new Dep();Object.defineProperty(obj, key, {enumerable: true,configurable: true,get: ()&#61;>{if (Dep.target) {dep.addSub(Dep.target);}},set:newVal&#61;> {dep.notify();}})
}Dep.target &#61; null;
将观察者Watcher实例赋值给全局的Dep.target&#xff0c;然后触发render操作只有被Dep.target标记过的才会进行依赖收集。有Dep.target的对象会将Watcher的实例push到subs中&#xff0c;在对象被修改触发setter操作的时候dep会调用subs中的Watcher实例的update方法进行渲染。