Posts JavaScript的反应性
Post
Cancel

JavaScript的反应性

反应性并不是 JavaScript 编程通常的运行方式,Vue 的反应性是如何实现的?

原文地址:https://mp.weixin.qq.com/s/Wm5-3hsqre7ft_f0YBnoeg

程序基本运行逻辑

1
2
3
4
5
let price = 5;
let quantity = 2;
let total = price * quantity;
price = 20;
console.log(total); // 是 10,然而我们希望得到新的值 40

依赖类

1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
let data = {
  price: 5,
  quantity: 2,
};
let target = null;

// Dependence 类
class Dep {
  constructor() {
    this.subscribers = [];
  }
  depend() {
    if (target && !this.subscribers.includes(target)) {
      this.subscribers.push(target);
    }
  }
  notify() {
    this.subscribers.forEach((sub) => sub());
  }
}

// 将数据变成可观察的
Object.keys(data).forEach((key) => {
  let internalValue = data[key];

  const dep = new Dep();

  Object.defineProperty(data, key, {
    get() {
      dep.depend();
      return internalValue;
    },
    set(newVal) {
      internalValue = newVal;
      dep.depend();
    },
  });
});

function watcher(myFunc) {
  target = myFunc;
  target();
  target = null;
}

watcher(() => {
  data.total = data.price * data.quantity;
});

结果:

1
2
3
4
5
data.total; // 10
data.price = 20;
data.total; // 40
data.quantity = 3;
data.total; // 60
This post is licensed under CC BY 4.0 by the author.
Trending Tags

Trending Tags