이 글은 주로 Vue에서의 Mutations 사용법을 소개합니다. 이제 특정 참고 가치가 있습니다. 도움이 필요한 친구들이 참고할 수 있습니다.
1.
이전 글에서 언급한 getter
는 상태
의 데이터를 예비적으로 획득하고 단순 처리하기 위한 것입니다(여기서의 단순 처리로는 상태의 데이터를 변경할 수 없습니다). Vue의 뷰는 데이터에 의해 구동됩니다. 즉, 상태
의 데이터가 동적으로 변경된다는 의미입니다. 그러면 이를 변경하는 방법을 Vuex
에서 변경하는 것을 기억하세요? code> 데이터를 저장
하여 변경하는 유일한 방법은 변형
입니다! 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
돌연변이
에 대한 대중적인 이해는 데이터를 변경하기 위한 메서드 모음이 포함되어 있다는 것입니다. 이는 Veux
설계에서 매우 중요한 포인트입니다. Veux
.code>mutations 내부에서는 데이터와 뷰가 분리되어 있습니다.
2. 돌연변이를 사용하는 방법은 무엇입니까? mutation 구조: 각 mutation
에는 문자열 형식의 이벤트 유형(type
)과 콜백 함수(handler
)가 있으며, 구독 게시와 다소 유사한 {type:handler()}
로 이해됩니다. 먼저 이벤트를 등록하고, 응답 유형이 트리거되면 handker()
를 호출하세요. type
호출 시 store.commit
를 사용해야 합니다. 방법.
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) } } }
페이로드: 간단히 이해하면 handler(stage,pryload)
매개변수를 handler(stage)
에 전달하는 것이 일반적입니다.
rrreee
🎜🎜commit: 커밋은this.$store.commit('xxx')
를 사용하여 구성 요소에서 제출하여 변형
을 제출하거나 mapMutations 보조 함수는 구성 요소의 메소드
를 store.commit
호출에 매핑합니다(store
는 루트에 삽입되어야 함). 마디). 🎜🎜🎜🎜rrreee🎜🎜🎜3. 소스 코드 분석🎜🎜registerMutation
: 초기화mutation
🎜🎜🎜🎜rrreee🎜🎜🎜commit
: mutation
🎜🎜🎜🎜rrreee🎜🎜🎜구독자
호출: store
의 mutation
🎜🎜🎜🎜 구독 rrreee🎜🎜 🎜관련 권장 사항: 🎜🎜🎜🎜vuex는 로컬 저장소를 결합하여 저장소 변경 사항을 동적으로 모니터링합니다🎜🎜🎜🎜🎜🎜🎜🎜🎜🎜🎜위 내용은 vuex에서 Mutations의 사용법 이해의 상세 내용입니다. 자세한 내용은 PHP 중국어 웹사이트의 기타 관련 기사를 참조하세요!