Mutations
1.什麼是
mutations
?vue
上一篇文章說的getters
是爲了初步獲取和簡單處理state
裏面的數據(這裏的簡單處理不能改變
state
裏面的數據),Vue
的視圖是由數據驅動的,也就是說state
裏面的數據是動態變化的,那麼怎麼改變呢,切記在Vuex
中store
數據改變的惟一方法就是mutation
!vuex
通俗的理解mutations
,裏面裝着一些改變數據方法的集合,這是Veux
設計很重要的一點,就是把處理數據邏輯方法所有放在mutations
裏面,使得數據和視圖分離。數組
2.怎麼用
mutations
?app
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:將常量放在單獨的文件中,方便協做開發。this
// 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.源碼分析code
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) } } }