1. VUEX
是实现组件全局状态(数据)管理的一种机制,可以方便的实现组件之间数据的共享
一般情况下,只有组件之间共享的数据,才有必要存储到vuex中;
对于组件中的私有数据,依旧存储在组件自身的data中即可;
2. Vuex的基本使用
2.1 安装vuex的依赖包
npm install vuex --save
2.2 导入vuex包
import Vuex from 'vuex'
Vue.user(Vuex)
2.3 创建store对象
const store = new Vuex.Store({
//state 中存放的就是全局共享的数据
state:{count:0}
})
2.4 将store对象挂载到vue实例中
new Vue({
el:'#app',
render:h => h(app),
router,
//将创建的共享数据对象,挂载到Vue实例中
//所有的组件,就可以直接从store中获取全局的数据了
store
})
3. Vuex的核心概念
3.1 State:提供唯一的公共数据源,所有共享的数据都要统一放到Store的State中进行存储.
const store = new Vuex.Store({
state:{count:0}
})
组件访问State中数据的第一种方式:
this.$store.state.全局数据名称
组件访问state中数据的第二种方式:
//先导入vuex中的mapState函数
import {mapState} from 'vuex'
//然后将全局数据,映射为当前组件的计算属性
computed:{
...mapState('全局数据')
}
3.2 Mutation:用于变更Store中的数据
3.2.1 只能通过mutation变更Store数据,不可以直接操作Store中的数据
3.2.2 通过mutation方式虽然操作起来稍微繁琐一些,但是可以集中监控所有数据的变化
3.3.3 Mutation函数中不要进行异步操作
const store = new Vuex.Store({
state: {
count: 1
},
mutations: {
increment (state) {
// 变更状态
state.count++
}
}
})
//在组件中通过this.$store.commit('方法名'),完成对count的修改
this.$store.commit('increment')
//先从vuex中导入mapMutations函数
import {mapMutations} from 'vuex'
//然后将指定的mutations函数,映射为当前组件的methods函数
methods:{
...mapMutations(['add','addN'])
}
//第一个参数就是store对象,第二个参数是传递过来的数据
mutations: {
increment (state, payload) {
state.count += payload.amount
}
}
3.3 Action:用于处理异步任务
3.3.1 如果通过异步操作变更数据,必须通过Action,而不能使用Mutation,但是在Action中还是要通过触发Mutation的方式简介变更数据.
3.3.2 在actions中,不能直接修改state中数据,必须通过context.commit()触发某个mutation才行;action只负责异步延时,具体的操作还是要通过mutation来实现,只有mutations中的函数才有修改state中数据的权力
const store = new Vuex.Store({
state: {
count: 0
},
mutations: {
increment (state) {
state.count++
}
},
actions: {
incrementAsync ({ context}) {
setTimeout(() => {
context.commit('increment')
}, 1000)
}
}
})
///在组件的methods
methods:{
handle(){
this.$store.dispatch('incrementAsync')
}
}
//从vuex中导入函数mapActions
import {mapActions} from 'vuex'
//然后将指定mapActions函数,映射为当前组件的methods函数
methods:{
...mapActions(['mutations中的方法'])
}
//context是固定的,通过context可以点出commit()
actions: {
incrementAsync (context,step) {
setTimeout(() => {
context.commit('increment',step)
}, 1000)
}
}
3.4 Getter:用于对store中的数据进行加工处理形成新的数据.
3.4.1 Getter对Store中的数据进行加工处理形成新的数据,类似VUE中的计算属性
3.4.2 Store中数据发生变化,Getter的数据也会跟着变化.
this.$store.getters.名称
//先从vuex中导入mapGetters
import {mapGetters} from 'vuex'
//然后将指定的mapGetters,映射到组件的methods函数中
methods:{
...mapGetters(['getters中的方法'])
}
.
.
.
.
.