Vuex 是什么?

Vuex 是一个专为 Vue.js应用程序开发的状态管理模式。由于SPA应用的模块化,每个组件都有它各自的数据(state)、视图(view)和方法(actions),当项目内容越来越多时,每个组件中的状态就变得很难管理。Vuex 就是采用集中式存储管理应用的所有组件的状态,并以相应的规则保证状态以一种可预测的方式发生变化。

1、单个组件中的状态

看一下官网提供的计数示例:

  1. <template>
  2. <div>
  3. <button class="btn btn-success" @click="increment">increment</button>
  4. view: {{count}}
  5. </div>
  6. </template>
  7.  
  8. <script>
  9. export default {
  10. // state
  11. data () {
  12. return {
  13. count: 0
  14. }
  15. },
  16. // actions
  17. methods: {
  18. increment () {
  19. this.count++
  20. }
  21. }
  22. }
  23. </script>

运行结果:

从效果图中可以直观的看到,每点击一次按钮触发添加事件(actions),数据count(state)就会发生改变,然后映射到视图界面(view)中。

下图可以表示 “ 单项数据流 ” 理念的极简示意:

这个状态管理应用包含以下几个部分:

• state:驱动应用的数据源

• view:以声明方式将 state 映射到视图

• actions:响应在 view 上的用户输入导致的状态变化

2、多个组件中的状态

当我们的应用遇到 多个组件共享状态 时,单向数据流的简洁性很容易被破坏:

• 多个视图依赖于同一状态

• 来自不同视图的行为需要变更同一状态

同样是计数器,我们现在更换一种场景,两个相同的组件A和B,共享一个数据count,并且都有一个方法可以操作这个count(是不是跟上面提到的多组件共享状态描述的一样呢)

  1. // 组件A
  2. <template>
  3. <div>
  4. {{ $store.state.count }}
  5. <button @click="increment">组件A</button>
  6. </div>
  7. </template>
  8.  
  9. <script>
  10. export default {
  11. methods: {
  12. increment () {
  13. this.$store.commit('increment')
  14. }
  15. }
  16. }
  17. </script>
  18.  
  19. //组件B
  20. <template>
  21. <div>
  22. {{ $store.state.count }}
  23. <button @click="increment">组件B</button>
  24. </div>
  25. </template>
  26.  
  27. <script>
  28. export default {
  29. methods: {
  30. increment () {
  31. this.$store.commit('increment')
  32. }
  33. }
  34. }
  35. </script>

运行效果:

从图中可以看到,“组件A” 和 “组件B” 两个按钮 会同时改变两个 count 的数据,因为数据源 count 和 方法increment 都是全局的。如下图所示,我们把 全局数据源 state改变数据源的方法 mutations异步操作方法 actions 提取出来放到 store 中,实现全局数据状态单独管理的功能

安装 

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

  1. npm install vuex --save

package.json

  1. "dependencies": {
  2. ...,
  3. ...,
  4. ...,
  5. "vuex": "^2.4.1"
  6. },

2、配置

  1. // 如果在模块化构建系统中,请确保在开头调用了 Vue.use(Vuex)
  2. import Vue from 'vue'
  3. import Vuex from 'vuex'
  4.  
  5. Vue.use(Vuex)
  6.  
  7. //创建Store实例
  8. const store = new Vuex.Store({
  9. // 存储状态值
  10. state: {
  11. ...
  12. },
  13. // 状态值的改变方法,操作状态值
  14. // 提交mutations是更改Vuex状态的唯一方法
  15. mutations: {
  16. ...
  17. },
  18. // 在store中定义getters(可以认为是store的计算属性)。Getters接收state作为其第一个函数
  19. getters: {
  20. ...
  21. },
  22. actions: {
  23. ...
  24. }
  25. })
  26. // 要改变状态值只能通过提交mutations来完成
  27.  
  28. /* eslint-disable no-new */
  29. const app = new Vue({
  30. router,
  31. i18n,
  32. // 将 store 实例注入到根组件下的所有子组件中,子组件通过 this.$store 来访问store
  1. store,
  2. ...App
  3. })
  4. app.$mount('#app')

看一下官网提供的例子:

  1. <template>
  2. <div>
  3. <p>{{ count }}</p>
  4. <p>
  5. <button @click="increment">+</button>
  6. <button @click="decrement">-</button>
  7. </p>
  8. </div>
  9. </template>
  10.  
  11. <script>
  12. export default {
  13. computed: {
  14. count () {
  15. // 通过 store.state 来获取状态对象
  16. return this.$store.state.count
  17. }
  18. },
  19. methods: {
  20. increment () {
  21. // 通过 store.commit 方法触发状态变更
  22. this.$store.commit('increment')
  23. },
  24. decrement () {
  25. this.$store.commit('decrement')
  26. }
  27. }
  28. }
  29. </script>
  1. // 创建 Store 实例
  2. const store = new Vuex.Store({
  3. // 存储状态值
  4. state: {
  5. count: 0
  6. },
  7. // 状态值的改变方法,操作状态值
  8. // 提交 mutations 是更改Vuex状态的唯一方法
  9. mutations: {
  10. increment: state => state.count++,
  11. decrement: state => state.count--
  12. }
  13. })

运行效果:

核心概念

1、State

state 就是全局的状态(数据源),从前面的例子中看到我们可以按如下方式获取 Vuex 的state 状态

  1. // html 中
  2. {{ $store.state.count }}
  3.  
  4. // js 中
  5. this.$store.state.count

2、Getter

getter 可以认为是 store 的计算属性,跟计算属性一样,getter 的返回值会根据它的依赖被缓存起来,且只有当它的依赖值发生了改变才会重新计算

如下官网提供的案例:

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

如果有多个组件需要用到此属性,我们要么复制这个函数,或者抽取到一个共享函数然后在多处导入它,然而这两种方法都不是很理想,最佳方式当然是使用 getter 了

我们尝试使用下getter

(1)、定义 getter

  1. const store = new Vuex.Store({
  2. state: {
  3. count: 0
  4. },
  5. getters: {
  6. formatMoney: state => {
  7. return '¥'+state.count.toFixed(2)+'元'
  8. }
  9. },
  10. mutations: {
  11. increment: state => state.count++
  12. }
  13. })

(2)、在组件中引用 getter

  1. export default {
  2. methods: {
  3. increment () {
  4. this.$store.commit('increment')
  5. // 这里为了更清楚的看到计算后的值
  6. let aaa = document.getElementById('aaa')
  7. let p = document.createElement('p')
  8. p.innerHTML = this.$store.getters.formatMoney
  9. aaa.appendChild(p)
  10. }
  11. },
  12. computed: {
  13. formatMoney() {
  14. return this.$store.getters.formatMoney
  15. }
  16. }
  17. }

效果:

3、Mutation

更改 Vuex 的 store 中的状态的唯一方法就是提交 mutation。Vuex 中的 mutation 非常类似于事件:每个 mutation 都有一个字符串的 事件类型(type)和一个 回调函数(handler),这个回调函数就是我们实际进行状态更改的地方,并且它会接受 state 作为第一个参数:

  1. const store = new Vuex.Store({
  2. state: {
  3. count: 1
  4. },
  5. mutations: {
  6. increment (state) {
  7. // 变更状态
  8. state.count++
  9. }
  10. }
  11. })

要唤醒一个 mutation handler,你需要以相应的 type 调用 store.commit 方法

  1. store.commit('increment')

(1)、提交载荷(Payload)

载荷(payload)就是说 可以向 store.commit 传入额外的参数

  1. // ...
  2. mutations: {
  3. increment (state, n) {
  4. state.count += n
  5. }
  6. }
  7. store.commit('increment', 10)

在大多数情况下,载荷应该是一个对象,这样可以包含多个字段并且记录的mutation会更易读:

  1. // ...
  2. mutations: {
  3. increment (state, payload) {
  4. state.count += payload.amount
  5. }
  6. }
  7. store.commit('increment', {
  8. amount: 10
  9. })

4、Action

Vuex 中一条重要的原则就是 mutation 必须是同步函数, action 类似于 mutation,不同之处在于:

• Action 提交的是 mutation,而不是直接变更状态

• Action 可以包含任意异步操作

  1. const store = new Vuex.Store({
  2. state: {
  3. count: 0
  4. },
  5. mutations: {
  6. increment (state) {
  7. state.count++
  8. }
  9. },
  10. actions: {
  11. increment (context) {
  12. context.commit('increment')
  13. },
  14. // 异步
  15. incrementAsync (context) {
  16. // 延时1秒
  17. setTimeout(() => {
  18. context.commit('increment')
  19. }, 1000)
  20. }
  21. }
  22. })

Action 函数接受一个与 store 实例具有相同方法和属性的context对象,因此,可以有以下调用方法

• context.commit  提交一个 mutation

• context.state  获取 state

• context.getters   获取 getters

不同于 mutation 使用 commit 方法,action 使用 dispatch 方法

  1. store.dispatch('increment')

Actions 同样支持 载荷方式 和 对象方式 进行分发:

  1. // 以载荷形式分发
  2. store.dispatch('incrementAsync', {
  3. amount: 10
  4. })
  5.  
  6. // 以对象形式分发
  7. store.dispatch({
  8. type: 'incrementAsync',
  9. amount: 10
  10. })

5、Module

由于使用单一状态树,应用的所有状态会集中到一个比较大的对象,当应用变得非常复杂时,store 对象就有可能变得非常臃肿。

为了解决以上问题,Vuex 允许我们将 store 分割成 模块(module),每个模块拥有自己的 state、mutation、getter、action,甚至是嵌套子模块 --- 从上至下进行同样方式的分割

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

关于项目结构,我们可以看看官网提供的示例:

  1. ├── index.html
  2. ├── main.js
  3. ├── api
  4. └── ... # 抽取出API请求
  5. ├── components
  6. ├── App.vue
  7. └── ...
  8. └── store
  9. ├── index.js # 我们组装模块并导出 store 的地方
  10. ├── actions.js # 根级别的 action
  11. ├── mutations.js # 根级别的 mutation
  12. └── modules
  13. ├── cart.js # 购物车模块
  14. └── products.js # 产品模块

官网同时也提供了一个 购物车 示例:

app.js 文件如下:

  1. import 'babel-polyfill'
  2. import Vue from 'vue'
  3. import App from './components/App.vue'
  4. import store from './store'
  5. import { currency } from './currency'
  6.  
  7. Vue.filter('currency', currency)
  8.  
  9. new Vue({
  10. el: '#app',
  11. store,
  12. render: h => h(App)
  13. })

index.js 文件如下:

  1. import Vue from 'vue'
  2. import Vuex from 'vuex'
  3. import * as actions from './actions'
  4. import * as getters from './getters'
  5. import cart from './modules/cart'
  6. import products from './modules/products'
  7. import createLogger from '../../../src/plugins/logger'
  8.  
  9. Vue.use(Vuex)
  10.  
  11. const debug = process.env.NODE_ENV !== 'production'
  12.  
  13. export default new Vuex.Store({
  14. actions,
  15. getters,
  16. modules: {
  17. cart,
  18. products
  19. },
  20. strict: debug,
  21. plugins: debug ? [createLogger()] : []
  22. })

getters.js 文件如下:

  1. export const cartProducts = state => {
  2. return state.cart.added.map(({ id, quantity }) => {
  3. const product = state.products.all.find(p => p.id === id)
  4. return {
  5. title: product.title,
  6. price: product.price,
  7. quantity
  8. }
  9. })
  10. }

actions.js 文件如下:

  1. import * as types from './mutation-types'
  2.  
  3. export const addToCart = ({ commit }, product) => {
  4. if (product.inventory > 0) {
  5. commit(types.ADD_TO_CART, {
  6. id: product.id
  7. })
  8. }
  9. }

mutation-type.js 文件如下:

  1. export const ADD_TO_CART = 'ADD_TO_CART'
  2. export const CHECKOUT_REQUEST = 'CHECKOUT_REQUEST'
  3. export const CHECKOUT_SUCCESS = 'CHECKOUT_SUCCESS'
  4. export const CHECKOUT_FAILURE = 'CHECKOUT_FAILURE'
  5. export const RECEIVE_PRODUCTS = 'RECEIVE_PRODUCTS'

cart.js 文件如下:

  1. import shop from '../../api/shop'
  2. import * as types from '../mutation-types'
  3.  
  4. // initial state
  5. // shape: [{ id, quantity }]
  6. const state = {
  7. added: [],
  8. checkoutStatus: null
  9. }
  10.  
  11. // getters
  12. const getters = {
  13. checkoutStatus: state => state.checkoutStatus
  14. }
  15.  
  16. // actions
  17. const actions = {
  18. checkout ({ commit, state }, products) {
  19. const savedCartItems = [...state.added]
  20. commit(types.CHECKOUT_REQUEST)
  21. shop.buyProducts(
  22. products,
  23. () => commit(types.CHECKOUT_SUCCESS),
  24. () => commit(types.CHECKOUT_FAILURE, { savedCartItems })
  25. )
  26. }
  27. }
  28.  
  29. // mutations
  30. const mutations = {
  31. [types.ADD_TO_CART] (state, { id }) {
  32. state.lastCheckout = null
  33. const record = state.added.find(p => p.id === id)
  34. if (!record) {
  35. state.added.push({
  36. id,
  37. quantity: 1
  38. })
  39. } else {
  40. record.quantity++
  41. }
  42. },
  43.  
  44. [types.CHECKOUT_REQUEST] (state) {
  45. // clear cart
  46. state.added = []
  47. state.checkoutStatus = null
  48. },
  49.  
  50. [types.CHECKOUT_SUCCESS] (state) {
  51. state.checkoutStatus = 'successful'
  52. },
  53.  
  54. [types.CHECKOUT_FAILURE] (state, { savedCartItems }) {
  55. // rollback to the cart saved before sending the request
  56. state.added = savedCartItems
  57. state.checkoutStatus = 'failed'
  58. }
  59. }
  60.  
  61. export default {
  62. state,
  63. getters,
  64. actions,
  65. mutations
  66. }

products.js 文件如下:

  1. import shop from '../../api/shop'
  2. import * as types from '../mutation-types'
  3.  
  4. // initial state
  5. const state = {
  6. all: []
  7. }
  8.  
  9. // getters
  10. const getters = {
  11. allProducts: state => state.all
  12. }
  13.  
  14. // actions
  15. const actions = {
  16. getAllProducts ({ commit }) {
  17. shop.getProducts(products => {
  18. commit(types.RECEIVE_PRODUCTS, { products })
  19. })
  20. }
  21. }
  22.  
  23. // mutations
  24. const mutations = {
  25. [types.RECEIVE_PRODUCTS] (state, { products }) {
  26. state.all = products
  27. },
  28.  
  29. [types.ADD_TO_CART] (state, { id }) {
  30. state.all.find(p => p.id === id).inventory--
  31. }
  32. }
  33.  
  34. export default {
  35. state,
  36. getters,
  37. actions,
  38. mutations
  39. }

购物车运行效果:

Vuex 学习笔记的更多相关文章

  1. vuex学习笔记

    一.vuex的目的 把组件的共享状态抽取出来,以一个全局单例模式管理.在这种模式下,组件树构成了一个巨大的视图,不管在树的哪个位置,任何组件都能获取状态或触发行为. 二.vuex集中式管理数据 安装 ...

  2. Vuex学习笔记(-)安装vuex

    什么是Vuex? vuex是一个专门为vue.js应用程序开发的状态管理模式.即data中属性同时有一个或几个组件同时使用,就是data中共用的属性. 安装vuex(前提是已经安装好vue-cli脚手 ...

  3. Vuex 学习笔记一

    一.定义 Vuex是一个专为Vue.js应用程序开发的状态管理模式. 状态管理模式 简单的demo new Vue({ // state data () { return { count: 0 } } ...

  4. Vue学习—— Vuex学习笔记

    组件是Vue最强大的功能之一,而组件实例的作用域是相互独立的,意味着不同组件之间的数据是无法相互使用.组件间如何传递数据就显得至关重要,这篇文章主要是介绍Vuex.尽量以通俗易懂的实例讲述这其中的差别 ...

  5. 【整理】解决vue不相关组件之间的数据传递----vuex的学习笔记,解决报错this.$store.commit is not a function

    解决vue不相关组件之间的数据传递----vuex的学习笔记,解决报错this.$store.commit is not a function https://www.cnblogs.com/jaso ...

  6. 【Vue学习笔记】—— vuex的语法 { }

    学习笔记 作者:o_Ming vuex Vuex ++ state ++ (用于存储全局数据) 组件访问 state 中的全局数据的方式1: this.$store.state.全局数据 组件访问 s ...

  7. 7 种 Javascript 常用设计模式学习笔记

    7 种 Javascript 常用设计模式学习笔记 由于 JS 或者前端的场景限制,并不是 23 种设计模式都常用. 有的是没有使用场景,有的模式使用场景非常少,所以只是列举 7 个常见的模式 本文的 ...

  8. vuex学习详细解(主页目录

    学习vuex过程中,通过 vue-cli命令来配置和使用vuex笔记整理 vue-cli中配置vuex流程和注意事项 vuex目录配置 vuex的states.js vuex的getters.js v ...

  9. Vue学习笔记-Vue.js-2.X 学习(四)===>脚手架Vue-CLI(基本工作和创建)

    (五) 脚手架Vue-CLI 一 Vue-CLI前提(nodejs和webpack) 二  Vue学习-nodejs按装配置,Node.js 就是运行在服务端的 JavaScript. 1. 去nod ...

随机推荐

  1. 关于我立牌坊那个SSM项目

    我这段时间有在写,但是我发现一个问题,就是我经常在做后面功能的时候要改前面一个东西,但是我博客已经发出来了,这让我很头疼.毕竟我博客基本都在纯贴代码. 所以决定暂时停更这个系列.等我写好了再上传到gi ...

  2. 归并排序—Java版

    一开始做算法的时候,感觉递归算法很绕,所以我就在阅读别人代码的基础上,对代码每一步都添加自己的注解,方便我以后的学习. public class MergeSort { /** * 归并排序 * @p ...

  3. ascii codec can't decode byte 0xe8 in position 0:ordinal not in range(128) python代码报错

    import sys reload(sys) sys.setdefaultencoding('utf-8')

  4. 一台电脑 一起跑python2 python3

    我习惯使用python2.7,命令都是使用的python和pip,这时候装了python3.4,首先到python3下修改python.exe,pythonw.exe为python3.exe,pyth ...

  5. QT creator编程C++第一步,说“Hello world!”

    这个学期选了计算机学院的<数字图像处理>,正好和我的图像识别项目有所关联,老师说不能用MATLAB来做,这让我一个没学过C++的孩纸欲哭无泪. 只好求助计算机学院的大佬,自学C++. 大佬 ...

  6. 转载 远程用户连接mysql授权

    授权法:  在安装mysql的机器上运行:  1.d:\mysql\bin\>mysql -h localhost -u root  //这样应该可以进入MySQL服务器  2.mysql> ...

  7. 总结各种排序算法【Java实现】

    一.插入类排序 1.直接插入排序 思想:将第i个插入到前i-1个中的适当位置 时间复杂度:T(n) = O(n²). 空间复杂度:S(n) = O(1). 稳定性:稳定排序. 如果碰见一个和插入元素相 ...

  8. vim代码粘贴缩进混乱的问题[Linux]

    详见: http://blog.yemou.net/article/query/info/tytfjhfascvhzxcytp76   直接在vim插入模式下粘贴: 直接粘贴,剪贴板上的每个字符都相当 ...

  9. makefile中":=","=","?=","+=" 之间的区别

    区别:  := 有关位置的等于,值取决于当时位置的值 = 无关位置的等于,值永远等于最后的值 ?= 是如果没有被赋值过就赋予等号后面的值+= 是添加等号后面的值 '=':无关位置的等于 比如: x = ...

  10. poj 3177-3352边双联通

    买一送一啊  3177和3352的区别在于3177数据有重边!但是我先做3177的  那么就直接ctrl+c+v搞3352了~. 题意:给一个无向图,要令每个点之间至少有两条不重合的路,需要至少加多少 ...