首页 > 语言 > JavaScript > 正文

vuex进阶知识点巩固

2024-05-06 15:33:59
字体:
来源:转载
供稿:网友

一、 Getter

我们先回忆一下上一篇的代码

computed:{  getName(){   return this.$store.state.name  }}

这里假设现在逻辑有变,我们最终期望得到的数据(getName),是基于 this.$store.state.name 上经过复杂计算得来的,刚好这个getName要在好多个地方使用,那么我们就得复制好几份.

vuex 给我们提供了 getter,请看代码 (文件位置 /src/store/index.js)

import Vue from 'vue'import Vuex from 'vuex'Vue.use(Vuex)export default new Vuex.Store({ // 类似 vue 的 data state: {  name: 'oldName' }, // 类似 vue 的 computed -----------------以下5行为新增 getters:{  getReverseName: state => {    return state.name.split('').reverse().join('')  } }, // 类似 vue 里的 mothods(同步方法) mutations: {  updateName (state) {   state.name = 'newName'  } }})

然后我们可以这样用 文件位置 /src/main.js

computed:{  getName(){   return this.$store.getters.getReverseName  }}

事实上, getter 不止单单起到封装的作用,它还跟vue的computed属性一样,会缓存结果数据, 只有当依赖改变的时候,才要重新计算.

二、 actions和$dispatch

细心的你,一定发现我之前代码里 mutations 头上的注释了 类似 vue 里的 mothods(同步方法)

为什么要在 methods 后面备注是同步方法呢? mutation只能是同步的函数,只能是同步的函数,只能是同步的函数!! 请看vuex的解释:

现在想象,我们正在 debug 一个 app 并且观察 devtool 中的 mutation 日志。每一条 mutation 被记录, devtools 都需要捕捉到前一状态和后一状态的快照。然而,在上面的例子中 mutation 中的异步函数中的回调让这不 可能完成:因为当 mutation 触发的时候,回调函数还没有被调用,devtools 不知道什么时候回调函数实际上被调 用——实质上任何在回调函数中进行的状态的改变都是不可追踪的。
那么如果我们想触发一个异步的操作呢? 答案是: action + $dispatch, 我们继续修改store/index.js下面的代码

文件位置 /src/store/index.js

import Vue from 'vue'import Vuex from 'vuex'Vue.use(Vuex)export default new Vuex.Store({ // 类似 vue 的 data state: {  name: 'oldName' }, // 类似 vue 的 computed getters:{  getReverseName: state => {    return state.name.split('').reverse().join('')  } }, // 类似 vue 里的 mothods(同步方法) mutations: {  updateName (state) {   state.name = 'newName'  } }, // 类似 vue 里的 mothods(异步方法) -------- 以下7行为新增 actions: {  updateNameAsync ({ commit }) {   setTimeout(() => {    commit('updateName')   }, 1000)  } }})

然后我们可以再我们的vue页面里面这样使用

methods: {  rename () {    this.$store.dispatch('updateNameAsync')  }}            
发表评论 共有条评论
用户名: 密码:
验证码: 匿名发表

图片精选