這次帶給大家怎樣對vuex進階使用,對vuex進階使用的注意事項有哪些,下面就是實戰案例,一起來看一下。
一、 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') } }
#三、 Module 模組化
當專案越來越大的時候,單一store 檔案,肯定不是我們想要的, 所以就有了模組化. 假設src/store 目錄下有這2個檔案
moduleA.js
export default { state: { ... }, getters: { ... }, mutations: { ... }, actions: { ... } }
moduleB.js
export default { state: { ... }, getters: { ... }, mutations: { ... }, actions: { ... } }
那麼我們可以把index.js 改成這樣
import moduleA from './moduleA' import moduleB from './moduleB' export default new Vuex.Store({ modules: { moduleA, moduleB } })
相信看了本文案例你已經掌握了方法,更多精彩請關注php中文網其它相關文章!
推薦閱讀:
如何使用v-model與promise兩種方式實作vue彈窗元件
以上是怎樣對vuex進階使用的詳細內容。更多資訊請關注PHP中文網其他相關文章!