在开发中,我们会的应用程序需要处理各种各样的数据,这些数据需要保存在我们应用程序中的某一个位置,对于这些数据的管理我们就称之为是 状态管理。
在前面我们是如何管理自己的状态呢?
state
;View
;actions
;JavaScript开发的应用程序,已经变得越来越复杂了:
当我们的应用遇到多个组件共享状态时,单向数据流的简洁性很容易被破坏:
多个视图依赖于同一状态;
来自不同视图的行为需要变更同一状态;
我们是否可以通过组件数据的传递来完成呢?
props
的传递或者Provide
的方式来共享状态;管理不断变化的state本身是非常困难的:
因此,我们是否可以考虑将组件的内部状态抽离出来,以一个全局单例的方式来管理呢?
这就是Vuex背后的基本思想,它借鉴了Flux、Redux、Elm(纯函数语言,redux有借鉴它的思想);
当然,目前Vue官方也在推荐使用Pinia
进行状态管理,我们后续也会进行学习。
依然我们要使用vuex,首先第一步需要安装vuex:
npm install vuex
每一个Vuex应用的核心就是store(仓库):
Vuex和单纯的全局对象有什么区别呢?
第一:Vuex的状态存储是响应式
的
第二:你不能直接改变store中的状态
改变store中的状态的唯一途径就显示提交 (commit) mutation
;
这样使得我们可以方便的跟踪每一个状态的变化
,从而让我们能够通过一些工具帮助我们更好的管理应用的状态;
使用步骤:
store/index.js
import { createStore } from 'vuex'
const store = createStore({
state: () => ({
// 模拟数据
// counter: 100,
rootCounter: 100,
name: "abc",
level: 100,
avatarURL: "http://xxxxxx",
friends: [
{ id: 111, name: "why", age: 20 },
{ id: 112, name: "kobe", age: 30 },
{ id: 113, name: "james", age: 25 }
],
}),
mutations: {
increment(state) {
state.counter++
},
changeName(state, payload) {
state.name = payload
},
incrementLevel(state) {
state.level++
},
},
})
export default store
App.vue
<template>
<div class="app">
<h2>Home当前计数: {{ $store.state.counter }}h2>
<h2>Computed当前计数: {{ storeCounter }}h2>
<h2>Setup当前计数: {{ counter }}h2>
<button @click="increment">+1button>
div>
template>
<script>
export default {
computed: {
storeCounter() {
return this.$store.state.counter
}
}
}
script>
<script setup>
import { toRefs } from 'vue'
import { useStore } from 'vuex'
const store = useStore()
const { counter } = toRefs(store.state)
function increment() {
// store.state.counter++
store.commit("increment")
}
script>
<style scoped>
style>
main.js
import { createApp } from 'vue'
import App from './App.vue'
import store from './store'
createApp(App).use(store).mount('#app')
在组件中使用store,我们按照如下的方式:
Vuex 使用单一状态树:
一个对象
就包含了全部的应用层级的状态;这也意味着,每个应用将仅仅包含一个 store 实例;
单一状态树的优势:
在前面我们已经学习过如何在组件中获取状态了。
当然,如果觉得那种方式有点繁琐(表达式过长),我们可以使用计算属性:
computed: {
counter() {
return this.$store.state.counter
}
}
但是,如果我们有很多个状态都需要获取话,可以使用mapState
的辅助函数:
<template>
<div class="app">
<button @click="incrementLevel">修改levelbutton>
<h2>name: {{ $store.state.name }}h2>
<h2>level: {{ $store.state.level }}h2>
<h2>avatar: {{ $store.state.avatarURL }}h2>
<h2>name: {{ name }}h2>
<h2>level: {{ level }}h2>
div>
template>
<script>
import { mapState } from 'vuex'
export default {
computed: {
fullname() {
return "xxx"
},
// name() {
// return this.$store.state.name
// },
...mapState(["name", "level", "avatarURL"]),
...mapState({
sName: state => state.name,
sLevel: state => state.level
})
}
}
script>
在setup中如果我们单个获取装是非常简单的:
默认情况下,Vuex并没有提供非常方便的使用mapState的方式,这里我们进行了一个函数的封装:
useState.js
import { computed } from 'vue'
import { useStore, mapState } from 'vuex'
export default function useState(mapper) {
const store = useStore()
const stateFnsObj = mapState(mapper)
const newState = {}
Object.keys(stateFnsObj).forEach(key => {
newState[key] = computed(stateFnsObj[key].bind({ $store: store }))
})
return newState
}
<script setup>
import { computed, toRefs } from 'vue'
import { mapState, useStore } from 'vuex'
import useState from "../hooks/useState"
// 1.一步步完成
// const { name, level } = mapState(["name", "level"])
// const store = useStore()
// const cName = computed(name.bind({ $store: store }))
// const cLevel = computed(level.bind({ $store: store }))
// 2.使用useState
// const { name, level } = useState(["name", "level"])
// 3.直接对store.state进行解构(推荐)
const store = useStore()
const { name, level } = toRefs(store.state)
function incrementLevel() {
store.state.level++
}
script>
<style scoped>
style>
某些属性我们可能需要经过变化后来使用,这个时候可以使用getters:
<template>
<div class="app">
<h2>doubleCounter: {{ $store.getters.doubleCounter }}h2>
<h2>friendsTotalAge: {{ $store.getters.totalAge }}h2>
<h2>message: {{ $store.getters.message }}h2>
<h2>id-111的朋友信息: {{ $store.getters.getFriendById(111) }}h2>
<h2>id-112的朋友信息: {{ $store.getters.getFriendById(112) }}h2>
div>
template>
<script>
export default {
computed: {
}
}
script>
getters: {
// 1.基本使用
doubleCounter(state) {
return state.counter * 2
},
totalAge(state) {
return state.friends.reduce((preValue, item) => {
return preValue + item.age
}, 0)
},
// 2.在该getters属性中, 获取其他的getters
message(state, getters) {
return `name:${state.name} level:${state.level} friendTotalAge:${getters.totalAge}`
},
// 3.getters是可以返回一个函数的, 调用这个函数可以传入参数(了解)
getFriendById(state) {
return function(id) {
const friend = state.friends.find(item => item.id === id)
return friend
}
}
},
getters可以接收第二个参数:
getters: {
totalPrice(state, getters) {
return state.price + ", " + getters.myName
},
myName(state) {
return state.name
}
}
getters中的函数本身,可以返回一个函数,那么在使用的地方相当于可以调用这个函数:
getters: {
// 3.getters是可以返回一个函数的, 调用这个函数可以传入参数(了解)
getFriendById(state) {
return function(id) {
const friend = state.friends.find(item => item.id === id)
return friend
}
}
}
这里我们也可以使用mapGetters的辅助函数。
computed: {
...mapGetters(["totalPrice", "myName"]),
...mapGetters({
finalPrice: "totalPrice",
finalName: "myName"
})
}
在setup中使用
<template>
<div class="app">
<button @click="changeAge">修改namebutton>
<h2>doubleCounter: {{ doubleCounter }}h2>
<h2>friendsTotalAge: {{ totalAge }}h2>
<h2>message: {{ message }}h2>
<h2>id-111的朋友信息: {{ getFriendById(111) }}h2>
<h2>id-112的朋友信息: {{ getFriendById(112) }}h2>
div>
template>
<script>
import { mapGetters } from 'vuex'
export default {
computed: {
...mapGetters(["doubleCounter", "totalAge"]),
...mapGetters(["getFriendById"])
}
}
script>
<script setup>
import { computed, toRefs } from 'vue';
import { mapGetters, useStore } from 'vuex'
const store = useStore()
// 1.使用mapGetters
// const { message: messageFn } = mapGetters(["message"])
// const message = computed(messageFn.bind({ $store: store }))
// 2.直接解构, 并且包裹成ref
// const { message } = toRefs(store.getters)
// 3.针对某一个getters属性使用computed
const message = computed(() => store.getters.message)
function changeAge() {
store.state.name = "kobe"
}
script>
<style scoped>
style>
更改 Vuex 的 store 中的状态的唯一方法是提交 mutation
:
mutations: {
increment(state){
state.counter++
}
}
很多时候我们在提交mutation的时候,会携带一些数据,这个时候我们可以使用参数:
mutations: {
increment(state, payload){
state.counter += payload
}
}
payload为对象类型
increment(state, payload){
state.counter += payload.count
}
对象风格的提交方式
$store.commit({
type: "increment",
count: 100
})
定义常量:mutation-type.js
export const ADD_NUMBER = 'ADD_NUMBER'
定义mutation
mutations: {
[ADD_NUMBER](state, payload) {
state.counter += payload.count
}
}
提交mutation
$store.commit({
type: ADD_NUMBER,
count: 100
})
我们也可以借助于辅助函数,帮助我们快速映射到对应的方法中:
methods: {
...mapMutations({
addNumber: ADD_NUMBER,
})
...mapMutations(['increment', 'decrement'])
}
一条重要的原则就是要记住 mutation 必须是同步函数
执行异步操作
,就无法追踪到数据的变化;所以Vuex的重要原则中要求 mutation必须是同步函数;
Action类似于mutation,不同在于:
这里有一个非常重要的参数context:
但是为什么它不是store对象呢?这个等到我们讲Modules时再具体来说;
mutations: {
increment(state) {
state.counter++
}
},
actions: {
increment(context) {
context.commit('increment')
}
}
如何使用action呢?进行action的分发:
add() {
this.$store.dispatch('increment')
}
同样的,它也可以携带我们的参数:
add() {
this.$store.dispatch('increment', { counter: 100 })
}
也可以以对象的形式进行分发:
add() {
this.$store.dispatch({
type: 'increment',
counter: 100
})
}
action也有对应的辅助函数:
对象类型
的写法;数组类型
的写法;methods: {
...mapActions(['increment', 'decrement']),
...mapActions({
add: 'increment',
sub: 'decrement'
})
}
Action 通常是异步
的,那么如何知道 action 什么时候结束呢?
actions: {
increment(context) {
return new Promise((resolve) => {
setTimeout(() => {
context.commit('increment')
resolve('一步完成')
}, 1000)
})
}
}
const store = useStore()
const increment = () => {
store.dispatch('increment').then(res => {
console.log(res, '异步完成')
})
}
什么是Module?
嵌套子模块
;const moduleA = {
state: () => ({}),
mutations: {},
actions: {},
getters: {}
}
const moduleB = {
state: () => ({}),
mutations: {},
actions: {},
}
const store = createStore({
modules: {
a: moduleA,
b: moduleB
}
})
store.state.a // moduleA 模块的状态
对于模块内部的 mutation 和 getter,接收的第一个参数是模块的局部状态对象:
mutations: {
changeName(state) {
state.name = '111'
}
},
getters: {
info(state, getters, rootState) {
}
},
actions: {
changeNameAction({state, commit, rootState}) {
}
}
默认情况下,模块内部的action和mutation仍然是注册在全局的命名空间中的:
如果我们希望模块具有更高的封装度和复用性,可以添加 namespaced: true
的方式使其成为带命名空间的模块:
const moduleA = {
namespaced: true,
// 访问:$store.state.模块名.xxx
state() {
return {
name: 'abc',
age: 18
}
},
mutations: {
// 访问: $store.commit('模块名/changeName')
changeName(state) {
state.name = 'zhangsan'
}
},
getters: {
// 访问:$store.getters['模块名/info']
// 这里又4个参数
info(state, getters, rootState, rootGetters) {
}
},
actions: {
// 这里有六个参数
changeNameAction({commit, dispatch, state, rootState, getters, rootGetters}) {
commit('changeName', 'kobe')
}
}
}
如果我们希望在action中修改root中的state,那么有如下的方式:
changeNameAction({commit, dispatch, state, rootState, getters, rootGetters}) {
commit('changeName', 'kobe')
commit('changeRootName', null, {root: true}),
dispatch('changeRootNameAction', null, {root: true})
}