首页 > 语言 > JavaScript > 正文

Vuex之理解Mutations的用法实例

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

1.什么是mutations?

上一篇文章说的getters是为了初步获取和简单处理state里面的数据(这里的简单处理不能改变state里面的数据),Vue的视图是由数据驱动的,也就是说state里面的数据是动态变化的,那么怎么改变呢,切记在Vuexstore数据改变的唯一方法就是mutation

通俗的理解mutations,里面装着一些改变数据方法的集合,这是Veux设计很重要的一点,就是把处理数据逻辑方法全部放在mutations里面,使得数据和视图分离。

2.怎么用mutations?

mutation结构:每一个mutation都有一个字符串类型的事件类型(type)和回调函数(handler),也可以理解为{type:handler()},这和订阅发布有点类似。先注册事件,当触发响应类型的时候调用handker(),调用type的时候需要用到store.commit方法。

const store = new Vuex.Store({  state: {    count: 1    },  mutations: {  increment (state) {   //注册时间,type:increment,handler第一个参数是state;     // 变更状态    state.count++}}})      store.commit('increment')  //调用type,触发handler(state)   

载荷(payload):简单的理解就是往handler(stage)中传参handler(stage,pryload);一般是个对象。

 mutations: { increment (state, n) {   state.count += n}} store.commit('increment', 10)mutation-types:将常量放在单独的文件中,方便协作开发。  // mutation-types.js export const SOME_MUTATION = 'SOME_MUTATION'  // store.jsimport Vuex from 'vuex'import { SOME_MUTATION } from './mutation-types' const store = new Vuex.Store({  state: { ... },  mutations: {   // 我们可以使用 ES2015 风格的计算属性命名功能来使用一个常量作为函数名  [SOME_MUTATION] (state) {  // mutate state }}})

commit:提交可以在组件中使用 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({  add: 'increment' // 映射 this.add() 为 this.$store.commit('increment') })}}

3.源码分析

registerMutation:初始化mutation

function registerMutation (store, type, handler, path = []) { //4个参数,store是Store实例,type为mutation的type,handler,path为当前模块路径  const entry = store._mutations[type] || (store._mutations[type] = []) //通过type拿到对应的mutation对象数组   entry.push(function wrappedMutationHandler (payload) {   //将mutation包装成函数push到数组中,同时添加载荷payload参数     handler(getNestedState(store.state, path), payload)   //通过getNestedState()得到当前的state,同时添加载荷payload参数  }) }            
发表评论 共有条评论
用户名: 密码:
验证码: 匿名发表

图片精选