vuex使用方法详解

2017-08-16
vue

Vuex 是一个专为 Vue.js 的SPA单页组件化应用程序开发的状态管理模式插件。

由于Vue SPA应用的模块化,每个组件都有它各自的数据(state)、界面(view)、和方法(actions)。这些数据、界面和方法分布在各个组件中,当项目内容变得越来越多时,每个组件中的状态会变得很难管理。这是vuex就派上用场啦~

常用的几个方法(获取state、异步操作state、同步操作state)

this.$store.state.xxx
this.$store.dispatch
this.$store.commit

安装&配置

1. 安装vuex

使用npm安装并保存到package.json中:

npm install vuex --save

package.json

"devDependencies": { ... "vuex": "^2.1.1", ... },

2. 配置

配置方式和路由的配置方式差不多

import Vue from 'vue'
import Vuex from 'vuex'

Vue.use(Vuex)
//创建Store实例
const store = new Vuex.Store({
  // 存储状态值
  state: {
    ...
  },
  // 状态值的改变方法,操作状态值
  // 提交mutations是更改Vuex状态的唯一方法
  mutations: {
    ...
  },
  // 在store中定义getters(可以认为是store的计算属性)。Getters接收state作为其第一个函数
  getters: {
    ...
  },
  actions: { 
    ...
  }
})
// 要改变状态值只能通过提交mutations来完成

/* eslint-disable no-new */
new Vue({
  el: '#app',
  template: '<App/>',
  components: { App },
  // 将store实例注入到根组件下的所有子组件中
  store
  // 子组件通过this.$store来方位store
})

三、核心概念

1. state

state就是全局的状态(数据源),我们可以用以下方式在Vue 组件中获得Vuex的state状态 template

<div>
    {{ $store.state.count }}
  </div>

script

console.log(this.$store.state.count)

2. getters

getters其实可以认为是 store 的计算属性,用法和计算属性差不多。 定义getter:

getters: {
    done(state) {
      return state.count + 5;
    },
  }

使用getter

console.log(this.$store.getters.done)

3. mutations

mutations是操作state的唯一方法,即只有mutations方法能够改变state状态值。

3.1 基本操作

mutations对state的操作

const store = new Vuex.Store({
  state: {
    count: 1
  },
  mutations: {
    increment (state) {
      // 变更状态
      state.count++
    }
  }
})

组件通过commit提交mutations的方式来请求改变state

this.$store.commit('increment')

这样的好处是我们可以跟踪到每一次state的变化,以便及时分析和解决问题。

3.2 提交载荷(Payload)

mutations方法中是可以传参的,具体用法如下:

 mutations: {
    // 提交载荷 Payload
    add(state, n) {
      state.count += n
    }
  },

在组件中使用,设置state的状态,并传值进去

this.$store.commit('add', 10)

这里只是传了一个数字,在大多数情况下,载荷应该是一个对象,这样可以包含多个字段并且记录的 mutation 会更易读。 mutations方法必须是同步方法!

4. actions

4.1 基本操作

之前说mutations方法必须只能是同步方法,为了处理异步方法,actions出现了。关于action和mutations的区别有以下几点: 1.Action 提交的是 mutation,而不是直接变更状态。 2.Action 可以包含任意异步操作。 3.Action 还是得通过 mutation 方法来修改state同样是之前的increment方法,我们分别用同步和异步的action来验证上面所说的与mutations的不同之处:

actions: {
  increment (context) {
    context.commit('increment')
  },
  incrementAsync (context) {
    // 延时1秒  
    setTimeout(() => {
      context.commit('increment')
    }, 1000)
  }
},

不同于mutations使用commit方法,actions使用dispatch方法。

this.$store.dispatch('incrementAsync')

4.2 context

context是与 store 实例具有相同方法和属性的对象。可以通过context.statecontext.getters来获取 state 和 getters。

4.3 以载荷形式分发

 incrementAsyncWithValue (context, value) {
      setTimeout(() => {
        context.commit('add', value)
      }, 1000)
    }
this.$store.dispatch('incrementAsyncWithValue', 5)