vue从入门到进阶:Vuex状态管理(十)
2018-06-24 01:21:57来源:未知 阅读 ()
Vuex 是一个专为 Vue.js 应用程序开发的状态管理模式。它采用集中式存储管理应用的所有组件的状态,并以相应的规则保证状态以一种可预测的方式发生变化。
在 Vue 之后引入 vuex
会进行自动安装:
<script src="/path/to/vue.js"></script> <script src="/path/to/vuex.js"></script>
可以通过 https://unpkg.com/vuex@2.0.0
这样的方式指定特定的版本。
NPM
npm install vuex --save
State
在 Vue 组件中获得 Vuex 状态
const Counter = { template: `<div>{{ count }}</div>`, computed: { count () { return this.$store.state.count } } }
mapState
辅助函数
当一个组件需要获取多个状态时候,将这些状态都声明为计算属性会有些重复和冗余。为了解决这个问题,我们可以使用 mapState
辅助函数帮助我们生成计算属性,让你少按几次键:
// 在单独构建的版本中辅助函数为 Vuex.mapState import { mapState } from 'vuex' export default { // ... computed: mapState({ // 箭头函数可使代码更简练 count: state => state.count, // 传字符串参数 'count' 等同于 `state => state.count` countAlias: 'count', // 为了能够使用 `this` 获取局部状态,必须使用常规函数 countPlusLocalState (state) { return state.count + this.localCount } }) }
当映射的计算属性的名称与 state 的子节点名称相同时,我们也可以给 mapState
传一个字符串数组。
computed: mapState([ // 映射 this.count 为 store.state.count 'count' ])
对象展开运算符
mapState
函数返回的是一个对象。我们如何将它与局部计算属性混合使用呢?通常,我们需要使用一个工具函数将多个对象合并为一个,以使我们可以将最终对象传给 computed
属性。
computed: { localComputed () { /* ... */ }, // 使用对象展开运算符将此对象混入到外部对象中 ...mapState({ // ... }) }
Getter
有时候我们需要从 store 中的 state 中派生出一些状态,例如对列表进行过滤并计数:
computed: { doneTodosCount () { return this.$store.state.todos.filter(todo => todo.done).length } }
如果有多个组件需要用到此属性,我们要么复制这个函数,或者抽取到一个共享函数然后在多处导入它——无论哪种方式都不是很理想。
Vuex 允许我们在 store 中定义“getter”(可以认为是 store 的计算属性)。就像计算属性一样,getter 的返回值会根据它的依赖被缓存起来,且只有当它的依赖值发生了改变才会被重新计算。
Getter 接受 state 作为其第一个参数:
const store = new Vuex.Store({ state: { todos: [ { id: 1, text: '...', done: true }, { id: 2, text: '...', done: false } ] }, getters: { doneTodos: state => { return state.todos.filter(todo => todo.done) } } })
Getter 会暴露为 store.getters
对象:
store.getters.doneTodos // -> [{ id: 1, text: '...', done: true }]
Getter 也可以接受其他 getter 作为第二个参数:
getters: { // ... doneTodosCount: (state, getters) => { return getters.doneTodos.length } } store.getters.doneTodosCount // -> 1
我们可以很容易地在任何组件中使用它:
computed: { doneTodosCount () { return this.$store.getters.doneTodosCount } }
你也可以通过让 getter 返回一个函数,来实现给 getter 传参。在你对 store 里的数组进行查询时非常有用。
getters: { // ... getTodoById: (state) => (id) => { return state.todos.find(todo => todo.id === id) } } store.getters.getTodoById(2) // -> { id: 2, text: '...', done: false }
mapGetters
辅助函数
mapGetters
辅助函数仅仅是将 store 中的 getter 映射到局部计算属性:
import { mapGetters } from 'vuex' export default { // ... computed: { // 使用对象展开运算符将 getter 混入 computed 对象中 ...mapGetters([ 'doneTodosCount', 'anotherGetter', // ... ]) } }
如果你想将一个 getter 属性另取一个名字,使用对象形式:
mapGetters({ // 映射 `this.doneCount` 为 `store.getters.doneTodosCount` doneCount: 'doneTodosCount' })
Mutation
更改 Vuex 的 store 中的状态的唯一方法是提交 mutation。Vuex 中的 mutation 非常类似于事件:每个 mutation 都有一个字符串的 事件类型 (type) 和 一个 回调函数 (handler)。这个回调函数就是我们实际进行状态更改的地方,并且它会接受 state 作为第一个参数:
const store = new Vuex.Store({ state: { count: 1 }, mutations: { increment (state) { // 变更状态 state.count++ } } })
store.commit('increment')
当使用对象风格的提交方式,整个对象都作为载荷传给 mutation 函数,因此 handler 保持不变:
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 = new Vuex.Store({ state: { ... }, mutations: { // 我们可以使用 ES2015 风格的计算属性命名功能来使用一个常量作为函数名 [SOME_MUTATION] (state) { // mutate state } } })
在组件中提交 Mutation
你可以在组件中使用 this.$store.commit('xxx')
提交 mutation,或者使用 mapMutations
辅助函数将组件中的 methods 映射为 store.commit
调用(需要在根节点注入 store
)。
import { mapMutations } from 'vuex' export default { // ... methods: { ...mapMutations([ 'increment', // 将 `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
Action 类似于 mutation,不同在于:
- Action 提交的是 mutation,而不是直接变更状态。
- Action 可以包含任意异步操作。
让我们来注册一个简单的 action:
const store = new Vuex.Store({ state: { count: 0 }, mutations: { increment (state) { state.count++ } }, actions: { increment (context) { context.commit('increment') } } })
Action 函数接受一个与 store 实例具有相同方法和属性的 context 对象,因此你可以调用 context.commit
提交一个 mutation,或者通过 context.state
和 context.getters
来获取 state 和 getters。
实践中,我们会经常用到 ES2015 的 参数解构 来简化代码(特别是我们需要调用 commit
很多次的时候):
actions: { increment ({ commit }) { commit('increment') } }
分发 Action
Action 通过 store.dispatch
方法触发:
store.dispatch('increment')
乍一眼看上去感觉多此一举,我们直接分发 mutation 岂不更方便?实际上并非如此,还记得 mutation 必须同步执行这个限制么?Action 就不受约束!我们可以在 action 内部执行异步操作:
actions: { incrementAsync ({ commit }) { setTimeout(() => { commit('increment') }, 1000) } }
Actions 支持同样的载荷方式和对象方式进行分发:
// 以载荷形式分发 store.dispatch('incrementAsync', { amount: 10 }) // 以对象形式分发 store.dispatch({ type: 'incrementAsync', amount: 10 })
来看一个更加实际的购物车示例,涉及到调用异步 API 和分发多重 mutation:
actions: { checkout ({ commit, state }, products) { // 把当前购物车的物品备份起来 const savedCartItems = [...state.cart.added] // 发出结账请求,然后乐观地清空购物车 commit(types.CHECKOUT_REQUEST) // 购物 API 接受一个成功回调和一个失败回调 shop.buyProducts( products, // 成功操作 () => commit(types.CHECKOUT_SUCCESS), // 失败操作 () => commit(types.CHECKOUT_FAILURE, savedCartItems) ) } }
在组件中分发 Action
你在组件中使用 this.$store.dispatch('xxx')
分发 action,或者使用 mapActions
辅助函数将组件的 methods 映射为 store.dispatch
调用(需要先在根节点注入 store
):
import { mapActions } from 'vuex' export default { // ... methods: { ...mapActions([ 'increment', // 将 `this.increment()` 映射为 `this.$store.dispatch('increment')` // `mapActions` 也支持载荷: 'incrementBy' // 将 `this.incrementBy(amount)` 映射为 `this.$store.dispatch('incrementBy', amount)` ]), ...mapActions({ add: 'increment' // 将 `this.add()` 映射为 `this.$store.dispatch('increment')` }) } }
Module
由于使用单一状态树,应用的所有状态会集中到一个比较大的对象。当应用变得非常复杂时,store 对象就有可能变得相当臃肿。
为了解决以上问题,Vuex 允许我们将 store 分割成模块(module)。每个模块拥有自己的 state、mutation、action、getter、甚至是嵌套子模块——从上至下进行同样方式的分割:
const moduleA = { state: { ... }, mutations: { ... }, actions: { ... }, getters: { ... } } const moduleB = { state: { ... }, mutations: { ... }, actions: { ... } } const store = new Vuex.Store({ modules: { a: moduleA, b: moduleB } }) store.state.a // -> moduleA 的状态 store.state.b // -> moduleB 的状态
一般项目结构
Vuex 并不限制你的代码结构。但是,它规定了一些需要遵守的规则:
-
应用层级的状态应该集中到单个 store 对象中。
-
提交 mutation 是更改状态的唯一方法,并且这个过程是同步的。
-
异步逻辑都应该封装到 action 里面。
只要你遵守以上规则,如何组织代码随你便。如果你的 store 文件太大,只需将 action、mutation 和 getter 分割到单独的文件。
对于大型应用,我们会希望把 Vuex 相关代码分割到模块中。下面是项目结构示例:
├── 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
1、首先创建一个js文件,假定这里取名为store.js
2、在main.js文件中引入上面创建的store.js
//main.js内部对store.js的配置 import store from '"@/store/store.js' //具体地址具体路径 new Vue({ el: '#app', store, //将store暴露出来 template: '<App></App>', components: { App } });
store.js中的配置
import Vue from 'vue'; //首先引入vue import Vuex from 'vuex'; //引入vuex Vue.use(Vuex) export default new Vuex.Store({ state: { // state 类似 data //这里面写入数据 }, getters:{ // getters 类似 computed // 在这里面写个方法 }, mutations:{ // mutations 类似methods // 写方法对数据做出更改(同步操作) }, actions:{ // actions 类似methods // 写方法对数据做出更改(异步操作) } })
使用vuex
我们约定store中的数据是以下形式
state:{ goods: { totalPrice: 0, totalNum:0, goodsData: [ { id: '1', title: '好吃的苹果', price: 8.00, image: 'https://www.shangdian.com/static/pingguo.jpg', num: 0 }, { id: '2', title: '美味的香蕉', price: 5.00, image: 'https://www.shangdian.com/static/xiangjiao.jpg', num: 0 } ] } }, gettles:{ //其实这里写上这个主要是为了让大家明白他是怎么用的, totalNum(state){ let aTotalNum = 0; state.goods.goodsData.forEach((value,index) => { aTotalNum += value.num; }) return aTotalNum; }, totalPrice(state){ let aTotalPrice = 0; state.goods.goodsData.forEach( (value,index) => { aTotalPrice += value.num * value.price }) return aTotalPrice.toFixed(2); } }, mutations:{ reselt(state,msg){ console.log(msg) //我执行了一次; state.goods.totalPrice = this.getters.totalPrice; state.goods.totalNum = this.getters.totalNum; }, reduceGoods(state,index){ //第一个参数为默认参数,即上面的state,后面的参数为页面操作传过来的参数 state.goodsData[index].num-=1; let msg = '我执行了一次' this.commit('reselt',msg); }, addGoods(state,index){ state.goodsData[index].num+=1; let msg = '我执行了一次' this.commit('reselt',msg); /** 想要重新渲染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 default { name: 'Goods', computed:{ goods(){ return this.$store.state.goods; } } } </script>
如果上面的方式写参数让你看的很别扭,我们继续看第二种方式
第一种方式使用store.js中的数据(通过辅助函数使用)
<!--goods.vue 购物车页面--> <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"> <span class="goods-reduce" @click="goodsReduce(index)">-</span> <input readonly v-model="list.num" /> <span class="goods-add" @click="goodsAdd(index)">+</span> </div> </div> </li> </ul> <div class="goods-footer"> <div class="goods-total"> 合计:¥ {{ goods.totalPrice }} <!-- 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 default { name: 'Goods', computed:{ ...mapState(['goods']) ...mapGetters(['totalPrice','totalNum']) /** ‘...’ 为ES6中的扩展运算符,不清楚的可以百度查一下 如果使用的名称和store.js中的一样,直接写成上面数组的形式就行, 如果你想改变一下名字,写法如下 ...mapState({ goodsData: state => stata.goods }) **/ }, methods:{ ...mapMutations(['goodsReduce','goodsAdd']), /** 这里你可以直接理解为如下形式,相当于直接调用了store.js中的方法 goodsReduce(index){ // 这样是不是觉得很熟悉了? }, goodsAdd(index){ } 好,还是不熟悉,我们换下面这种写法 onReduce(index){ //我们在methods中定义了onReduce方法,相应的Dom中的click事件名要改成onReduce this.goodsReduce(index) //这相当于调用了store.js的方法,这样是不是觉得满意了 } **/ } } </script>
Module
const moduleA = { state: { /*data**/ }, mutations: { /**方法**/ }, actions: { /**方法**/ }, getters: { /**方法**/ } } const moduleB = { state: { /*data**/ }, mutations: { /**方法**/ }, actions: { /**方法**/ } } export default new Vuex.Store({ modules: { a: moduleA, b: moduleB } }) //那怎么调用呢?看下面! //在模块内部使用 state.goods //这种使用方式和单个使用方式样,直接使用就行 //在组件中使用 store.state.a.goods //先找到模块的名字,再去调用属性 store.state.b.goods //先找到模块的名字,再去调用属性
参考地址:《震惊!喝个茶的时间就学会了vuex》
标签:
版权申明:本站文章部分自网络,如有侵权,请联系:west999com@outlook.com
特别注意:本站所有转载文章言论不代表本站观点,本站所提供的摄影照片,插画,设计作品,如需使用,请与原作者联系,版权归原作者所有
- javascript面向对象入门基础详细介绍 2020-03-29
- vue.js开发环境搭建教程 2020-03-16
- Vue input控件通过value绑定动态属性及修饰符的方法 2020-03-05
- 详解Webstorm 新建.vue文件支持高亮vue语法和es6语法 2020-02-07
- vue路由跳转时判断用户是否登录功能的实现 2020-01-17
IDC资讯: 主机资讯 注册资讯 托管资讯 vps资讯 网站建设
网站运营: 建站经验 策划盈利 搜索优化 网站推广 免费资源
网络编程: Asp.Net编程 Asp编程 Php编程 Xml编程 Access Mssql Mysql 其它
服务器技术: Web服务器 Ftp服务器 Mail服务器 Dns服务器 安全防护
软件技巧: 其它软件 Word Excel Powerpoint Ghost Vista QQ空间 QQ FlashGet 迅雷
网页制作: FrontPages Dreamweaver Javascript css photoshop fireworks Flash