在开发中,应用程序需要处理各种各样的数据,这些数据需要保存在应用程序中的某一个位置,对于这些数据的管理就称之为是 状态管理。
在前面是如何管理自己的状态呢?
JavaScript开发的应用程序,已经变得越来越复杂了:
当的应用遇到多个组件共享状态时,单向数据流的简洁性很容易被破坏:
是否可以通过组件数据的传递来完成呢?
管理不断变化的state本身是非常困难的:
因此,是否可以考虑将组件的内部状态抽离出来,以一个全局单例的方式来管理呢?
这就是Vuex背后的基本思想,它借鉴了Flux、Redux、Elm(纯函数语言,redux有借鉴它的思想);
Vue官方也在推荐使用Pinia进行状态管理,后续学习
npm install
每一个Vuex应用的核心就是store(仓库): store本质上是一个容器,它包含着应用中大部分的状态(state);
Vuex和单纯的全局对象有什么区别?
第一:Vuex的状态存储是响应式的。 当Vue组件从store中读取状态的时候,若store中的状态发生变化,那么相应的组件也会被更新;
第二:不能直接改变store中的状态。
demo:
(1)在src文件夹下,建立一个新文件夹store,在该文件夹下,一般创建index.js文件,也可根据实际开发创建。
src/store/index.js
import { createStore } from 'vuex'
const store = createStore({
state: () => ({
counter: 100
})
})
(2)在main.js注册
import { createApp } from 'vue'
import App from './App.vue'
import store from './store'
createApp(App).use(store).mount('#app')
(3)在App.vue中调用
<template>
<div class="app">
<!-- store中的counter -->
<h2>App当前计数: {{ $store.state.counter }}</h2>
</div>
</template>
在组件中使用store,按照如下的方式:
<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 {
//在options api中使用,比如computed;
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.commit("increment")
}
script>
Vuex 使用单一状态树:
这也意味着,每个应用将仅仅包含一个 store 实例, 单状态树和模块化并不冲突,后面会涉及到module的概念;
单一状态树的优势:
在前面的demo已知如何在组件中获取状态了。
当然,如果觉得那种方式有点繁琐(表达式过长),可以使用计算属性:
computed: {
storeCounter() {
return this.$store.state.counter
}
}
但是,如果有很多个状态都需要获取话,可以使用mapState
的辅助函数:
在setup中如果单个获取状态是非常简单的, 通过useStore拿到store后去获取某个状态即可。
但是如果使用 mapState 如何获取状态?
(1) 默认情况下,Vuex并没有提供非常方便的使用mapState的方式,下面这种方式不建议使用
<template>
<div class="app">
<h2>name: {{ $store.state.name }}h2>
<h2>level: {{ $store.state.level }}h2>
<h2>avatar: {{ $store.state.avatarURL }}h2>
div>
template>
<script setup>
import { computed } from 'vue'
import { mapState, useStore } from 'vuex'
// 一步步完成,步骤繁琐
const { name, level } = mapState(["name", "level"])
const store = useStore()
const cName = computed(name.bind({ $store: store }))
const cLevel = computed(level.bind({ $store: store }))
script>
(2)这里进行了一个函数的封装,简化步骤
src/hooks/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
}
使用该函数
<template>
<div class="app">
<!-- 在模板中直接使用多个状态 -->
<h2>name: {{ $store.state.name }}</h2>
<h2>level: {{ $store.state.level }}</h2>
<h2>avatar: {{ $store.state.avatarURL }}</h2>
</div>
</template>
<script setup>
import useState from "../hooks/useState"
// 使用useState封装函数
const { name, level } = useState(["name", "level"])
</script>
(3)更推荐下面的使用方式
<template>
<div class="app">
<h2>name: {{ $store.state.name }}h2>
<h2>level: {{ $store.state.level }}h2>
<h2>avatar: {{ $store.state.avatarURL }}h2>
div>
template>
<script setup>
import { computed, toRefs } from 'vue'
import { mapState, useStore } from 'vuex'
// 3.直接对store.state进行解构(推荐)
const store = useStore()
const { name, level } = toRefs(store.state)
script>
某些属性可能需要经过变化后来使用,这个时候可以使用getters
getters可以接收第二个参数
getters: {
// 2.在该getters属性中, 获取其他的getters
message(state, getters) {
return `name:${state.name} level:${state.level} friendTotalAge:${getters.totalAge}`
}
}
getters: {
// 3.getters是可以返回一个函数的, 调用这个函数可以传入参数(了解)
getFriendById(state) {
return function(id) {
const friend = state.friends.find(item => item.id === id)
return friend
}
}
}
可以使用mapGetters的辅助函数
<template>
<div class="app">
<h2>doubleCounter: {{ doubleCounter }}h2>
<h2>friendsTotalAge: {{ totalAge }}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>
也可在setup中使用
<template>
<div class="app">
<h2>message: {{ message }}h2>
div>
template>
<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)
script>
更改 Vuex 的 store 中的状态的唯一方法是提交 mutation
在提交mutation的时候,会携带一些数据,这时可以使用参数,注意payload为对象类型
mutation :{
add(state,payload){
statte.counter + = payload
}
}
提交
$store.commit({
type: "add",
count: 100
})
demo:
(1)在mutaition-type.js,定义常量
export const CHANGE_INFO = "changeInfo"
(2)在store使用常量
mutations: {
[CHANGE_INFO](state, newInfo) {
state.level = newInfo.level
state.name = newInfo.name
}
}
一条重要的原则就是,mutation 必须是同步函数
Action类似于mutation,不同在于:
Action提交的是mutation,而不是直接变更状态;
Action可以包含任意异步操作;
有一个非常重要的参数context:
具体案例参考这篇文章 :https://blog.csdn.net/qq_21980517/article/details/103398686
Action 通常是异步的,可以通过让action返回Promise,知道 action 什么时候结束,然后,在Promise的then中来处理完成后的操作。
demo:
index.js中,以发送网络请求为例
action{
fetchHomeMultidataAction(context) {
// 1.返回Promise, 给Promise设置then
// fetch("http://123.207.32.32:8000/home/multidata").then(res => {
// res.json().then(data => {
// console.log(data)
// })
// })
// 2.Promise链式调用
// fetch("http://123.207.32.32:8000/home/multidata").then(res => {
// return res.json()
// }).then(data => {
// console.log(data)
// })
return new Promise(async (resolve, reject) => {
// 3.await/async
const res = await fetch("http://123.207.32.32:8000/home/multidata")
const data = await res.json()
// 修改state数据
context.commit("changeBanners", data.data.banner.list)
context.commit("changeRecommends", data.data.recommend.list)
resolve("aaaaa")
})
}
}
test3.vue中
<script setup>
import { useStore } from 'vuex'
// 告诉Vuex发起网络请求
const store = useStore()
store.dispatch("fetchHomeMultidataAction").then(res => {
console.log("home中的then被回调:", res)
})
</script>
Module的理解?
对于模块内部的 mutation 和 getter,接收的第一个参数是模块的局部状态对象
默认情况下,模块内部的action和mutation仍然是注册在全局的命名空间中的:
如果希望模块具有更高的封装度和复用性,可以添加 namespaced: tru
e 的方式使其成为带命名空间的模块, 当模块被注册后,它的所有 getter、action 及 mutation 都会自动根据模块注册的路径调整命名
demo:counter,js
const counter = {
namespaced: true, //命令空间
state: () => ({
count: 99
}),
mutations: {
incrementCount(state) {
console.log(state)
state.count++
}
},
getters: {
doubleCount(state, getters, rootState) {
return state.count + rootState.rootCounter
}
},
actions: {
incrementCountAction(context) {
context.commit("incrementCount")
}
}
}
export default counter