<script src="/path/to/vue.js"></script>
="/path/to/vuex.js">
在 Vue 组件中获得 Vuex 状态
const Counter = {
template: `<div>{{ count }}</div>`, computed: {
count () {
return this.$store.state.count
}
}
}
mapState
辅助函数
// 在单独构建的版本中辅助函数为 Vuex.mapState
import { mapState } from 'vuex'
export default {
...
computed: mapState({
箭头函数可使代码更简练
count: state => state.count, 传字符串参数 'count' 等同于 `state => state.count`
countAlias: 'count',1)"> 为了能够使用 `this` 获取局部状态,必须使用常规函数
countPlusLocalState (state) {
return state.count + .localCount
}
})
}
computed: mapState([
映射 this.count 为 store.state.count
'count'
])
对象展开运算符
computed: {
localComputed () { /* ... */ },1)"> 使用对象展开运算符将此对象混入到外部对象中
...mapState({
})
}
computed: {
doneTodosCount () {
this.$store.state.todos.filter(todo => todo.done).length
}
}
const store = new Vuex.Store({
state: {
todos: [
{ id: 1,text: '...',done: truefalse }
]
},getters: {
doneTodos: state => {
return state.todos.filter(todo => todo.done)
}
}
})
store.getters.doneTodos -> [{ id: 1,done: true }]
getters: {
...
doneTodosCount: (state,getters) => {
return getters.doneTodos.length
}
}
store.getters.doneTodosCount -> 1
.$store.getters.doneTodosCount
}
}
...
getTodoById: (state) => (id) =>return state.todos.find(todo => todo.id === id)
}
}
store.getters.getTodoById(2) -> { id: 2,done: false }
mapGetters
辅助函数
import { mapGetters } from 'vuex' computed: {
使用对象展开运算符将 getter 混入 computed 对象中
...mapGetters([
'doneTodosCount' ])
}
}
mapGetters({
映射 `this.doneCount` 为 `store.getters.doneTodosCount`
doneCount: 'doneTodosCount'
})
const store = Vuex.Store({
state: {
count: 1
},mutations: {
increment (state) {
变更状态
state.count++
}
}
})
store.commit('increment')
mutations: {
increment (state,payload) {
state.count += payload.amount
}
}
使用常量替代 Mutation 事件类型
mutation-types.js
export const SOME_MUTATION = 'SOME_MUTATION'
store.js
import Vuex from 'vuex'
import { SOME_MUTATION } from './mutation-types'
const store = Vuex.Store({
state: { ... },mutations: {
我们可以使用 ES2015 风格的计算属性命名功能来使用一个常量作为函数名
[SOME_MUTATION] (state) {
mutate state
}
}
})
在组件中提交 Mutation
import { mapMutations } from 'vuex' methods: {
...mapMutations([
'increment',1)"> 将 `this.increment()` 映射为 `this.$store.commit('increment')`
`mapMutations` 也支持载荷:
'incrementBy' 将 `this.incrementBy(amount)` 映射为 `this.$store.commit('incrementBy',amount)`
]),...mapMutations({
add: 'increment' 将 `this.add()` 映射为 `this.$store.commit('increment')`
})
}
}
- Action 提交的是 mutation,而不是直接变更状态。
- Action 可以包含任意异步操作。
const store = Vuex.Store({
state: {
count: 0
}
},actions: {
increment (context) {
context.commit('increment')
}
}
})
actions: {
increment ({ commit }) {
commit('increment')
}
}
分发 Action
store.dispatch('increment')
actions: {
incrementAsync ({ commit }) {
setTimeout(() => {
commit('increment')
},1000)
}
}
以载荷形式分发
store.dispatch('incrementAsync'
})
以对象形式分发
store.dispatch({
type: 'incrementAsync'
})
actions: {
checkout ({ commit,state },products) {
把当前购物车的物品备份起来
const savedCartItems = [...state.cart.added]
发出结账请求,然后乐观地清空购物车
commit(types.CHECKOUT_REQUEST)
购物 API 接受一个成功回调和一个失败回调
shop.buyProducts(
products,1)"> 成功操作
() => commit(types.CHECKOUT_SUCCESS),1)"> 失败操作
() => commit(types.CHECKOUT_FAILURE,savedCartItems)
)
}
}
在组件中分发 Action
import { mapActions } from 'vuex' methods: {
...mapActions([
'increment',1)"> 将 `this.increment()` 映射为 `this.$store.dispatch('increment')`
`mapActions` 也支持载荷:
'incrementBy' 将 `this.incrementBy(amount)` 映射为 `this.$store.dispatch('incrementBy',...mapActions({
add: 'increment' 将 `this.add()` 映射为 `this.$store.dispatch('increment')`
})
}
}
const moduleA = {
state: { ... },mutations: { ... },actions: { ... },getters: { ... }
}
const moduleB = Vuex.Store({
modules: {
a: moduleA,b: moduleB
}
})
store.state.a -> moduleA 的状态
store.state.b -> moduleB 的状态
-
-
-
├── index.html
├── main.js
├── api
│ └── ... # 抽取出API请求
├── components
│ ├── App.vue
│ └── ...
└── store
├── index.js # 我们组装模块并导出 store 的地方
├── actions.js # 根级别的 action
├── mutations.js # 根级别的 mutation
└── modules
├── cart.js # 购物车模块
└── products.js # 产品模块
安装vuex
npm install --save vuex
<!--这里假定你已经搭好vue的开发环境了-->
配置vuex
main.js内部对store.js的配置
import store from '"@/store/store.js'
具体地址具体路径
Vue({
el: '#app'将store暴露出来
template: '<App></App>'store.js中的配置
import Vue from 'vue'; 首先引入vue
import Vuex from 'vuex'; 引入vuex
Vue.use(Vuex)
export default Vuex.Store({
state: {
state 类似 data
这里面写入数据
},getters:{
getters 类似 computed
在这里面写个方法
mutations 类似methods
写方法对数据做出更改(同步操作)
actions 类似methods
写方法对数据做出更改(异步操作)
}
})
使用vuex
state:{
goods: {
totalPrice: 0'1'8.000
},{
id: '2'5.00
}
]
}
},gettles:{ 其实这里写上这个主要是为了让大家明白他是怎么用的,
totalNum(state){
let aTotalNum = 0;
state.goods.goodsData.forEach((value,index) => {
aTotalNum += value.num;
})
aTotalNum;
},totalPrice(state){
let aTotalPrice = 0;
state.goods.goodsData.forEach( (value,1)"> {
aTotalPrice += value.num * value.price
})
return aTotalPrice.toFixed(2);
}
},mutations:{
reselt(state,msg){
console.log(msg) 我执行了一次;
state.goods.totalPrice = .getters.totalPrice;
state.goods.totalNum = .getters.totalNum;
},reduceGoods(state,index){
第一个参数为默认参数,即上面的state,后面的参数为页面操作传过来的参数
state.goodsData[index].num-=1;
let msg = '我执行了一次'
this.commit('reselt'*
想要重新渲染store中的方法,一律使用commit 方法
你可以这样写 commit('reselt',{
state: state
})
也可以这样写 commit({
type: 'reselt',state: state
})
主要看你自己的风格
*
}
},actions:{
这里主要是操作异步操作的,使用起来几乎和mutations方法一模一样
除了一个是同步操作,一个是异步操作,这里就不多介绍了,
有兴趣的可以自己去试一试
比如你可以用setTimeout去尝试一下
}
第一种方式使用store.js中的数据(直接使用)
<template>
<div id="goods" class="goods-box">
<ul class="goods-body">
<li v-for="(list,index) in goods.goodsData" :key="list.id">
<div class="goods-main">
<img :src="list.image">
</div>
<div class="goods-info">
<h3 class="goods-title">{{ list.title }}</h3>
<p class="goods-price">¥ {{ list.price }}</p>
<div class="goods-compute">
<!--在dom中使用方法为:$store.commit()加上store.js中的属性的名称,示例如下-->
<span class="goods-reduce" @click="$store.commit('reduceGoods',index)">-</span>
<input readonly v-model="list.num" />
<span class="goods-add" @click="$store.commit('addGoods',index)">+</span>
</div>
</div>
</li>
</ul>
<div class="goods-footer">
<div class="goods-total">
合计:¥ {{ goods.totalPrice }}
<!--
如果你想要直接使用一些数据,但是在computed中没有给出来怎么办?
可以写成这样
{{ $store.state.goods.totalPrice }}
或者直接获取gettles里面的数据
{{ $store.gettles.totalPrice }}
-->
</div>
<button class="goods-check" :class="{activeChecke: goods.totalNum <= 0}">去结账({{ goods.totalNum }})</button>
</div>
</div>
</template>
<script>
export {
name: 'Goods'.$store.state.goods;
}
}
}
</script>
第一种方式使用store.js中的数据(通过辅助函数使用)
<!--goods.vue 购物车页面-->
<template>
<div id="goods" class="goods-box">
<ul class="goods-body">
<li v-
gettles里面的数据可以直接这样写
{{ totalPrice }}
-->
</div>
<button class="goods-check" :class="{activeChecke: goods.totalNum <= 0}">去结账({{ goods.totalNum }})</button>
</div>
</div>
</template>
<script>
import {mapState,mapGetters,mapMutations} from 'vuex';
*
上面大括弧里面的三个参数,便是一一对应着store.js中的state,gettles,mutations
这三个参数必须规定这样写,写成其他的单词无效,切记
毕竟是这三个属性的的辅助函数
*
export ])
...mapGetters(['totalPrice','totalNum'])
*
‘...’ 为ES6中的扩展运算符,不清楚的可以百度查一下
如果使用的名称和store.js中的一样,直接写成上面数组的形式就行,
如果你想改变一下名字,写法如下
...mapState({
goodsData: state => stata.goods
})
*
},methods:{
...mapMutations(['goodsReduce','goodsAdd']),1)">*
这里你可以直接理解为如下形式,相当于直接调用了store.js中的方法
goodsReduce(index){
// 这样是不是觉得很熟悉了?
},goodsAdd(index){
}
好,还是不熟悉,我们换下面这种写法
onReduce(index){
//我们在methods中定义了onReduce方法,相应的Dom中的click事件名要改成onReduce
this.goodsReduce(index)
//这相当于调用了store.js的方法,这样是不是觉得满意了
}
*
}
}
</script>
Module
const moduleA = {
state: { data**方法* }
}
const moduleB = }
}
export 那怎么调用呢?看下面!
在模块内部使用
state.goods 这种使用方式和单个使用方式样,直接使用就行
在组件中使用
store.state.a.goods 先找到模块的名字,再去调用属性
store.state.b.goods 先找到模块的名字,再去调用属性