(一)第一个 Vuex 示例

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

第一个 Vuex 示例
一、安装 Vuex
二、main.js 导入配置 vuex
代码语言:javascript复制
import { createApp } from "vue";
import { createStore } from "vuex";
import App from "./App.vue";

// 这里是状态管理
const store = createStore({
  // 把 state 当成 data
  state() {
    return {
      color: [100, 100, 100],
    };
  },

  // 修改 state 把 mutations 当成 methods 里面是一个一个的方法
  mutations: {
    // 默认接收一个参数 state 参数,他是上面的 state 参数
    randomColor(state) {
      state.color = [
        Math.floor(Math.random() * 255),
        Math.floor(Math.random() * 255),
        Math.floor(Math.random() * 255),
      ];
    },
  },
});

const app = createApp(App);

// 把state 添加到实例当中
app.use(store);

app.mount("#app");
三、访问全局 state
  • 使用 this.$store.state.xxx 来访问
代码语言:javascript复制
computed: {
    // 模板 或者样式中通过 bgColor 来获取颜色
    bgColor() {
        const colors = this.$store.state.color
        return `rgb(${colors.join(", ")})`
    }
}

.app{
    whidth: 100vw;
    height: 100vh;
    display: grid;
    place-items: center;
    // 使用计算属性中计算出来的颜色
    background-color: v-bind(bgColor);
}
四、修改 state 数据
  • 使用 this.$store.commit("mutations中定义的函数") 来修改
代码语言:javascript复制
methods: {
    changeColor() {
        // 调用 mutations 中的方法来修改 state
      this.$store.commit("randomColor");
    },
}

0 人点赞