Vue的响应式原理是通过使用数据劫持和发布-订阅模式来实现的。核心思想是通过监听数据的变化,自动触发相应的更新操作,使视图与数据保持同步。
具体的步骤如下:
数据劫持(Object.defineProperty): Vue会对数据对象进行递归遍历,使用
Object.defineProperty
方法劫持对象的各个属性,当访问或修改属性时,触发对应的 getter 和 setter。Object.defineProperty(data, 'property', { get() { // getter 操作 }, set(newValue) { // setter 操作,触发更新 } });
依赖收集: 在数据劫持的过程中,每个属性都会关联一个依赖收集器(Dep)。每个依赖收集器用于存储依赖(观察者)的列表,即在getter中收集依赖,而在setter中触发更新。
Watcher: Watcher是观察者对象,用于订阅数据的变化。每个组件实例都会创建一个Watcher对象,该对象在创建过程中会读取属性值,触发getter,将当前Watcher对象添加到该属性的依赖收集器中。
发布-订阅模式: 当数据发生变化时,setter触发依赖收集器的更新操作,通知所有依赖(Watcher)执行更新。这样,数据的变化就能够自动反映到对应的视图上。
简单示例:
// 数据对象
const data = {
message: 'Hello, Vue!' };
// 依赖收集器
class Dep {
constructor() {
this.subscribers = [];
}
depend() {
if (Dep.target && !this.subscribers.includes(Dep.target)) {
this.subscribers.push(Dep.target);
}
}
notify() {
this.subscribers.forEach(sub => sub.update());
}
}
// Watcher
class Watcher {
constructor() {
Dep.target = this;
this.value = data.message; // 读取数据,触发依赖收集
Dep.target = null;
}
update() {
this.value = data.message; // 数据变化时触发更新
console.log('Updated:', this.value);
}
}
// 创建依赖收集器
const dep = new Dep();
// 创建Watcher
const watcher = new Watcher();
// 依赖收集器关联Watcher
dep.depend();
// 数据变化
data.message = 'Vue is awesome!';
// 输出:Updated: Vue is awesome!
这样,当data.message
发生变化时,与之相关的Watcher对象将会得到通知,执行相应的更新操作,从而实现了数据的响应式更新。