這篇文章主要介紹了關於理解vue中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) } } }
#相關推薦:
vuex結合localstorage動態監聽storage的變化
以上是理解vuex中Mutations的用法的詳細內容。更多資訊請關注PHP中文網其他相關文章!