理解Mutations
1.什麼是
mutations
?
-
上一篇文章說的
getters
是為了初步獲取和簡單處理state
裡面的資料(這裡的簡單處理不能改變
state
裡面的資料),Vue
的檢視是由資料驅動的,也就是說state
裡面的資料是動態變化的,那麼怎麼改變呢,切記在Vuex
中store
資料改變的唯一方法就是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.js import 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引數 }) }
-
commit
:呼叫mutation
commit (type, payload, options) { // 3個引數,type是mutation型別,payload載荷,options配置 if (isObject(type) && type.type) { // 當type為object型別, options = payload payload = type type = type.type } const mutation = { type, payload } const entry = this._mutations[type] // 通過type查詢對應的mutation if (!entry) { //找不到報錯 console.error(`[vuex] unknown mutation type: ${type}`) return } this._withCommit(() => { entry.forEach(function commitIterator (handler) { // 遍歷type對應的mutation物件陣列,執行handle(payload)方法 //也就是開始執行wrappedMutationHandler(handler) handler(payload) }) }) if (!options || !options.silent) { this._subscribers.forEach(sub => sub(mutation, this.state)) //把mutation和根state作為引數傳入 } }
-
subscribers
:訂閱store
的mutation
subscribe (fn) { const subs = this._subscribers if (subs.indexOf(fn) < 0) { subs.push(fn) } return () => { const i = subs.indexOf(fn) if (i > -1) { subs.splice(i, 1) } } }