Vuex Modules


由于使用了单一状态树,应用的所有状态都包含在一个大对象内。但是,随着我们应用规模的不断增长,这个Store变得非常臃肿。

为了解决这个问题,Vuex 允许我们把 store 分 module(模块)。每一个模块包含各自的状态、mutation、action 和 getter,甚至是嵌套模块, 如下就是它的组织方式:

  1. const moduleA = {
  2. state: { ... },
  3. mutations: { ... },
  4. actions: { ... },
  5. getters: { ... }
  6. }
  7. const moduleB = {
  8. state: { ... },
  9. mutations: { ... },
  10. actions: { ... }
  11. }
  12. const store = new Vuex.Store({
  13. modules: {
  14. a: moduleA,
  15. b: moduleB
  16. }
  17. })
  18. store.state.a // -> moduleA's state
  19. store.state.b // -> moduleB's state

模块本地状态

模块的 mutations 和 getters方法第一个接收参数是模块的本地状态

  1. const moduleA = {
  2. state: { count: 0 },
  3. mutations: {
  4. increment: (state) {
  5. // state 是模块本地的状态。
  6. state.count++
  7. }
  8. },
  9. getters: {
  10. doubleCount (state) {
  11. return state.count * 2
  12. }
  13. }
  14. }

相似地,在模块的 actions 中,context.state 暴露的是本地状态, context.rootState暴露的才是根状态。

  1. const moduleA = {
  2. // ...
  3. actions: {
  4. incrementIfOdd ({ state, commit }) {
  5. if (state.count % 2 === 1) {
  6. commit('increment')
  7. }
  8. }
  9. }
  10. }

在模块的 getters 内,根状态也会作为第三个参数暴露。

  1. const moduleA = {
  2. // ...
  3. getters: {
  4. sumWithRootCount (state, getters, rootState) {
  5. return state.count + rootState.count
  6. }
  7. }
  8. }

命名空间

要注意,模块内的 actions、mutations 以及 getters 依然注册在全局命名空间内 —— 这就会让多个模块响应同一种 mutation/action 类型。你可以在模块的名称中加入前缀或者后缀来设定命名空间,从而避免命名冲突。如果你的 Vuex 模块是一个可复用的,执行环境也未知的,那你就应该这么干了。例如,我们想要创建一个 todos 模块:

  1. // types.js
  2. // 定义 getter、 action 和 mutation 的常量名称
  3. // 并且在模块名称上加上 `todos` 前缀
  4. export const DONE_COUNT = 'todos/DONE_COUNT'
  5. export const FETCH_ALL = 'todos/FETCH_ALL'
  6. export const TOGGLE_DONE = 'todos/TOGGLE_DONE'
  1. // modules/todos.js
  2. import * as types from '../types'
  3. // 用带前缀的名称来定义 getters, actions and mutations
  4. const todosModule = {
  5. state: { todos: [] },
  6. getters: {
  7. [types.DONE_COUNT] (state) {
  8. // ...
  9. }
  10. },
  11. actions: {
  12. [types.FETCH_ALL] (context, payload) {
  13. // ...
  14. }
  15. },
  16. mutations: {
  17. [types.TOGGLE_DONE] (state, payload) {
  18. // ...
  19. }
  20. }
  21. }

注册动态模块

你可以用 store.registerModule 方法在 store 创建之后注册一个模块:

  1. store.registerModule('myModule', {
  2. // ...
  3. })

模块的 store.state.myModule 暴露为模块的状态。

其他的 Vue 插件可以为应用的 store 附加一个模块,然后通过动态注册就可以使用 Vuex 的状态管理功能了。例如,vuex-router-sync 库,通过在一个动态注册的模块中管理应用的路由状态,从而将 vue-router 和 vuex 集成。

你也能用 store.unregisterModule(moduleName) 移除动态注册过的模块。但是你不能用这个方法移除静态的模块(也就是在 store 创建的时候声明的模块)。