Vuex是一个专门为Vue程序开发的状态管理模式。
store
是Vuex的一个核心,你的应用的状态可通过Vuex在store
中管理。但是与普通的对象又有区别,区别主要有以下两点:
Vuex的状态存储是响应式的。当组件从store中读取状态的时候,若store中的状态发生变化,那么相应的组件亦会得到通知,这可以与
computed
很好的结合起来使用;
你不能直接改变store中的状态。改变store中的状态的唯一途径就是显式地提交(commit)mutation(通过action间接的提交mutation)。
最简单的Store
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18
| const store = new Vuex.store({ state: { count: 0 }, mutations: { increment (state) { state.count ++ } } }) store.commit('increment'); console.log(store.state.count)
|
实现Vue组件获取Vuex状态的方式
1. 直接访问store
1 2 3 4 5 6 7 8 9 10 11 12
| import store from 'vuex' const Counter = { template: `<div>{{ count }}</div>`, computed: { count() { return store.state.count } } }
|
这种方式存在的问题就是每一个需要使用store的组件都需要导入。
2. 通过store选项从根组件注入到所有的子组件
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21
| const app = new Vue({ el: '#app', store, components: { Counter }, template: `<div class="app"> <counter></counter> </div>` }) const Counter = { template: `<div>{{ count }}</div>`, computed: { count() { return this.$state.state.count } } }
|
3. 通过mapState函数为组件生成计算属性
当一个组件需要从state获取多个状态的时候,将一个个状态赋值到计算属性中未免显得有些繁琐,Vuex为我们提供了mapState辅助函数来帮助我们赋值
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17
| import { mapState } from 'vuex' export default { computed: mapState({ myCount: state => state.count, countAlias: 'count', 'count' }) }
|
4. 通过对象展开运算符混合组件本身的计算属性和mapSate
如果组件有自身的计算属性,怎么实现mapState与自身的计算属性混合呢?为避免手动合并两个对象,我们可以通过对象展开运算符来简化我们的写法
1 2 3 4 5 6 7 8
| computed: { localComputed () {}, ...mapState({ }) }
|