# 实现一个极简易的Vuex核心功能
# 实现的方法分析
- 作为插件一定有
install
方法,可以在其中进行mixin
,当Vue实例化
后拿到给其配置的store实例,把store
挂载到原型上,以便全局可用; - 持有基本的
state
、保存实例化Store时配置的mutations
、actions
对象; - 实现
commit
及dispatch
等方法。
# 主代码块
let Vue;
class Store {
constructor({
state = {},
mutations = Object.create(null),
actions = Object.create(null)
}) {
// 利用data的双向绑定实现“响应化”
this.state = new Vue({
data: state
});
this.mutations = mutations;
this.actions = actions;
// 绑定this
this.commit = this.commit.bind(this);
this.dispatch = this.dispatch.bind(this);
}
commit(_type, _payload) {
this.mutations[_type](this.state, _payload);
}
dispatch(_type, _payload) {
return this.actions[_type](this, _payload);
}
}
function install(_Vue) {
// 避免重复安装
if (!Vue) {
Vue = _Vue;
Vue.mixin({
beforeCreate() {
// 存在store其实代表的就是root节点
if (this.$options.store) {
this.$store = this.$options.store;
} else if (this.$options.parent && this.$options.parent.$store) {
// 子组件直接从父组件中获取$store,确保组件都公用了全局的同一份store
this.$store = this.$options.parent.$store;
}
}
});
}
}
let Vuex = {
Store,
install
}
export default Vuex;
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
49
50
51
52
53
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
49
50
51
52
53