Vuex Getters


有时,我们可能需要基于 store 中的状态来计算推导状态,例如过滤一个项目列表,并对过滤结果进行计数:

  1. computed: {
  2. doneTodosCount () {
  3. return this.$store.state.todos.filter(todo => todo.done).length
  4. }
  5. }

如果多个组件需要用到这个推导后的状态,那我们就必须到处重复写该计算属性函数;或者将其提取到一个公共的工具函数中,并将公共函数多处导入 - 两者都不太理想。

Vuex 允许我们在 store 定义 “getters” (将它们视为 store 的计算属性)。getter 函数将接收 state 作为第一个参数:

  1. const store = new Vuex.Store({
  2. state: {
  3. todos: [
  4. { id: 1, text: '...', done: true },
  5. { id: 2, text: '...', done: false }
  6. ]
  7. },
  8. getters: {
  9. doneTodos: state => {
  10. return state.todos.filter(todo => todo.done)
  11. }
  12. }
  13. })

这些 getter 函数将导出在 store.getters 对象上:

  1. store.getters.doneTodos // -> [{ id: 1, text: '...', done: true }]

getter 函数也接收其他 getter 作为第二个参数:

  1. getters: {
  2. // ...
  3. doneTodosCount: (state, getters) => {
  4. return getters.doneTodos.length
  5. }
  6. }
  1. store.getters.doneTodosCount // -> 1

现在我们可以轻松地在任意组件中使用 getter 了:

  1. computed: {
  2. doneTodosCount () {
  3. return this.$store.getters.doneTodosCount
  4. }
  5. }

mapGetters 工具函数

mapGetters 工具函数会将 store 中的 getter 映射到局部计算属性中。

  1. import { mapGetters } from 'vuex'
  2. export default {
  3. // ...
  4. computed: {
  5. // 使用对象扩展操作符把 getter 混入到 computed 中
  6. ...mapGetters([
  7. 'doneTodosCount',
  8. 'anotherGetter',
  9. // ...
  10. ])
  11. }
  12. }

如果你要将 getter 映射为不同的名称,请使用一个对象:

  1. mapGetters({
  2.  
  3.  
  4. // 映射 this.doneCount 到 store.getters.doneTodosCount
  5.  
  6.  
  7. doneCount: 'doneTodosCount'
  8.  
  9.  
  10. })
  11.