(三)定义和触发 Mutations

2023-02-22 19:04:27 浏览数 (1)

定义和触发 Mutations
一、通过 mutations 来修改全局数据 state

说明

全局的 state 数据必须调用 mutations 来修改才能修改成功,否在修改不会生效

二、定义 mutations
代码语言:javascript复制
import { createApp } from "vue";
import { createStore } from "vuex";
import App from "./App.vue";
import { INCREMENT } from "./mutation_types";

const store = createStore({
  state() {
    return {
      num: 1,
      arr: [1, 2, 3],
      user: {
        id: 1,
        name: "John",
        age: 25,
      },
    }
  },
  mutations: {
    // 给 num 进行自增操作
    increment(state) {
      state.num  ;
    },
  }
})

const app = createApp(App);
app.use(store);
app.mount("#app");
三、触发 mutations 里面定义的函数来修改 state 数据
  • 通过 this.$store.commit('mutations里面定义的方法') 来修改数据
代码语言:javascript复制
<button @click="$store.commit('increment')">增加数量</button>
  • 触发 mutations 修改数据的第二种方法
代码语言:javascript复制
import { mapMutations } from "vuex"
export default {
  // dom元素直接调用这些方法来进行修改传递单数
  methods: mapMutations(['increment']),
}
三、mutations 带参数
代码语言:javascript复制
import { createApp } from "vue";
import { createStore } from "vuex";
import App from "./App.vue";
import { INCREMENT } from "./mutation_types";

const store = createStore({
  state() {
    return {
      num: 1,
      arr: [1, 2, 3],
      user: {
        id: 1,
        name: "John",
        age: 25,
      },
    };
  },
  mutations: {
    // 第二个参数是调用时传递的参数
    pushToArr(state, payload) {
      state.arr.push(payload.ele);
    }
  },
});

const app = createApp(App);
app.use(store);
app.mount("#app");
四、给 mutations 传递参数
代码语言:javascript复制
<button @click="pushToArr({ ele: arr.length   1 })">追加元素</button>

<script>
  import { mapMutations } from "vuex"
  export default {
    // dom元素直接调用这些方法来进行修改传递单数
    methods: mapMutations(['increment', 'pushToArr']),
  }
</script>
五、使用动态的名字 redux
  • redux 官网open in new window
代码语言:javascript复制
// 1. 首先创建一个保存常量名字的 js 文件,然后通过 分别暴露来暴露出去
export const INCREMENT = "increment"      // 这里统一设置名字

// 2. 使用
import { INCREMENT } from "./mutation_types"  // 导入需要用的常量名字
export default {
  // 使用也是使用这个
  methods: mapMutations([INCREMENT])
}

// 3. 定义的时候也发生了变化,通过中括号来使用
import { INCREMENT } from "./mutation_types"  // 也需要导入
[INCREMENT](state) {
  state.num  ;
}

0 人点赞