vuex "vuex官方文檔" app.vue amount.vue counter.vue ...
vuex
// 入口文件
import Vue from 'vue'
// 配置vuex的步驟
// 1. 運行 cnpm i vuex -S
// 2. 導入包
import Vuex from 'vuex'
// 3. 註冊vuex到vue中
Vue.use(Vuex)
// 4. new Vuex.Store() 實例,得到一個 數據倉儲對象
var store = new Vuex.Store({
state: {
// 大家可以把 state 想象成 組件中的 data ,專門用來存儲數據的
// 如果在 組件中,想要訪問,store 中的數據,只能通過 this.$store.state.*** 來訪問
count: 0
},
mutations: {
// 註意: 如果要操作 store 中的 state 值,只能通過 調用 mutations 提供的方法,才能操作對應的數據,不推薦直接操作 state 中的數據,因為 萬一導致了數據的紊亂,不能快速定位到錯誤的原因,因為,每個組件都可能有操作數據的方法;
increment(state) {
state.count++
},
// 註意: 如果組件想要調用 mutations 中的方法,只能使用 this.$store.commit('方法名')
// 這種 調用 mutations 方法的格式,和 this.$emit('父組件中方法名')
subtract(state, obj) {
// 註意: mutations 的 函數參數列表中,最多支持兩個參數,其中,參數1: 是 state 狀態; 參數2: 通過 commit 提交過來的參數;
console.log(obj)
state.count -= (obj.c + obj.d)
}
},
getters: {
// 註意:這裡的 getters, 只負責 對外提供數據,不負責 修改數據,如果想要修改 state 中的數據,請 去找 mutations
optCount: function (state) {
return '當前最新的count值是:' + state.count
}
// 經過咱們回顧對比,發現 getters 中的方法, 和組件中的過濾器比較類似,因為 過濾器和 getters 都沒有修改原數據, 都是把原數據做了一層包裝,提供給了 調用者;
// 其次, getters 也和 computed 比較像, 只要 state 中的數據發生變化了,那麼,如果 getters 正好也引用了這個數據,那麼 就會立即觸發 getters 的重新求值;
}
})
// 總結:
// 1. state中的數據,不能直接修改,如果想要修改,必須通過 mutations
// 2. 如果組件想要直接 從 state 上獲取數據: 需要 this.$store.state.***
// 3. 如果 組件,想要修改數據,必須使用 mutations 提供的方法,需要通過 this.$store.commit('方法的名稱', 唯一的一個參數)
// 4. 如果 store 中 state 上的數據, 在對外提供的時候,需要做一層包裝,那麼 ,推薦使用 getters, 如果需要使用 getters ,則用 this.$store.getters.***
import App from './App.vue'
const vm = new Vue({
el: '#app',
render: c => c(App),
store // 5. 將 vuex 創建的 store 掛載到 VM 實例上, 只要掛載到了 vm 上,任何組件都能使用 store 來存取數據
})
app.vue
<template>
<div>
<h1>这是 App 组件</h1>
<hr>
<counter></counter>
<hr>
<amount></amount>
</div>
</template>
<script>
import counter from "./components/counter.vue";
import amount from "./components/amount.vue";
export default {
data() {
return {};
},
components: {
counter,
amount
}
};
</script>
<style lang="scss" scoped>
</style>
amount.vue
<template>
<div>
<!-- <h3>{{ $store.state.count }}</h3> -->
<h3>{{ $store.getters.optCount }}</h3>
</div>
</template>
<script>
</script>
<style lang="scss" scoped>
</style>
counter.vue
<template>
<div>
<input type="button" value="減少" @click="remove">
<input type="button" value="增加" @click="add">
<br>
<input type="text" v-model="$store.state.count">
</div>
</template>
<script>
export default {
data() {
return {
// count: 0
};
},
methods: {
add() {
// 千萬不要這麼用,不符合 vuex 的設計理念
// this.$store.state.count++;
this.$store.commit("increment");
},
remove() {
this.$store.commit("subtract", { c: 3, d: 1 });
}
},
computed:{
fullname: {
get(){},
set(){}
}
}
};
</script>
<style lang="scss" scoped>
</style>