Vue 全局状态管理:Vuex 从入门到精通

前言

在开发 Vue 应用时,管理组件之间的状态共享变得越来越重要。特别是当应用变得复杂,组件之间的通信越来越多时,如何有效地管理状态成为了一个重要问题。Vuex 是 Vue 提供的一种集中式状态管理模式,能够帮助开发者更好地管理应用状态,提高代码的可维护性和可扩展性。
本文将通过通俗易懂的方式介绍 Vuex 的基本用法以及一些进阶技巧,帮助你更好地掌握 Vuex。

Vuex 是什么?

Vuex 是一个专为 Vue.js 应用设计的状态管理模式。它借鉴了 Flux、Redux 等状态管理库的思想,通过一个全局的 store 来管理应用的所有状态,并且保持状态的唯一性和可预测性。

简单来说,Vuex 可以理解为一个专门用来管理应用状态的超大仓库,我们可以把应用中所有组件需要共享的状态集中放在这个仓库中。通过 Vuex,我们可以轻松地从仓库中获取状态,更新状态,并且这些状态的变化能被自动地同步到使用它们的组件中。

Vuex 的基本概念

在开始使用 Vuex 之前,我们需要了解以下几个基本概念:

  1. State:状态,存储应用的全局状态。
  2. Getter:计算属性,类似于组件中的计算属性,用于从 state 中派生一些状态。
  3. Mutation:突变,唯一可以修改 state 的方法,通过提交 mutation 来修改状态。
  4. Action:动作,和 mutation 类似,但它是用于处理异步操作的,可以包含任意异步逻辑。
  5. Module:模块,Vuex 支持将状态和变更逻辑按模块进行划分,方便管理。

Vuex 的基本使用

1. 安装 Vuex

在 Vue 项目中使用 Vuex 非常简单,首先需要进行安装:

npm install vuex --save

安装完成后,在项目中创建一个 store 文件夹,并创建一个 index.js 文件:

// src/store/index.js
import Vue from 'vue';
import Vuex from 'vuex';Vue.use(Vuex);const store = new Vuex.Store({state: {count: 0},mutations: {increment(state) {state.count++;}},actions: {incrementAsync({ commit }) {setTimeout(() => {commit('increment');}, 1000);}},getters: {doubleCount: state => state.count * 2}
});export default store;

2. 在 Vue 实例中使用 Vuex

接下来,我们需要在 Vue 实例中引入并使用这个 store:

// src/main.js
import Vue from 'vue';
import App from './App.vue';
import store from './store';new Vue({render: h => h(App),store
}).$mount('#app');

3. 在组件中使用 Vuex

在组件中,我们可以通过 this.$store 来访问 Vuex 的状态和方法。例如:

<template><div><p>{{ count }}</p><p>{{ doubleCount }}</p><button @click="increment">Increment</button><button @click="incrementAsync">Increment Async</button></div>
</template><script>
export default {computed: {count() {return this.$store.state.count;},doubleCount() {return this.$store.getters.doubleCount;}},methods: {increment() {this.$store.commit('increment');},incrementAsync() {this.$store.dispatch('incrementAsync');}}
};
</script>

进阶技巧

1. 模块化

当应用变得复杂时,将所有的状态和变更逻辑放在一个 store 中会显得很混乱。Vuex 支持将 store 拆分成模块,每个模块都拥有自己的 state、mutation、action 和 getter。

// src/store/modules/counter.js
const state = {count: 0
};const mutations = {increment(state) {state.count++;}
};const actions = {incrementAsync({ commit }) {setTimeout(() => {commit('increment');}, 1000);}
};const getters = {doubleCount: state => state.count * 2
};export default {state,mutations,actions,getters
};// src/store/index.js
import Vue from 'vue';
import Vuex from 'vuex';
import counter from './modules/counter';Vue.use(Vuex);const store = new Vuex.Store({modules: {counter}
});export default store;

2. 使用辅助函数

Vuex 提供了一些辅助函数,帮助我们更方便地在组件中使用 state、getter、mutation 和 action。例如 mapState、mapGetters、mapMutations 和 mapActions。

<template><div><p>{{ count }}</p><p>{{ doubleCount }}</p><button @click="increment">Increment</button><button @click="incrementAsync">Increment Async</button></div>
</template><script>
import { mapState, mapGetters, mapMutations, mapActions } from 'vuex';export default {computed: {...mapState(['count']),...mapGetters(['doubleCount'])},methods: {...mapMutations(['increment']),...mapActions(['incrementAsync'])}
};
</script>

3. 插件与持久化

1. 使用 Vuex 插件

Vuex 支持使用插件来扩展其功能。插件可以用于日志记录、状态持久化、时间旅行等。插件是一些函数,它们会接收 store 作为参数。

例如:日志插件
我们可以创建一个简单的日志插件,记录每次 mutation 的调用情况:

// src/store/plugins/logger.js
const logger = store => {store.subscribe((mutation, state) => {console.log('Mutation:', mutation.type);console.log('Payload:', mutation.payload);});
};export default logger;

然后在创建 store 时,使用这个插件:

// src/store/index.js
import Vue from 'vue';
import Vuex from 'vuex';
import counter from './modules/counter';
import logger from './plugins/logger';Vue.use(Vuex);const store = new Vuex.Store({modules: {counter},plugins: [logger]
});export default store;
2. 状态持久化

在开发某些应用时,我们希望在页面刷新时保持 Vuex 的状态不变。我们可以使用 Vuex 插件 vuex-persistedstate 来实现状态持久化。

安装 vuex-persistedstate:

npm install vuex-persistedstate --save

使用 vuex-persistedstate 插件:

// src/store/index.js
import Vue from 'vue';
import Vuex from 'vuex';
import counter from './modules/counter';
import createPersistedState from 'vuex-persistedstate';Vue.use(Vuex);const store = new Vuex.Store({modules: {counter},plugins: [createPersistedState()]
});export default store;

通过这样简单的配置,Vuex 的状态就能够在页面刷新时持久化保存了。

4. 动态模块注册

在某些应用中,我们可能需要根据条件动态地注册 Vuex 模块。Vuex 提供了 registerModule 和 unregisterModule 方法来实现动态模块注册和注销。

动态注册模块
假设我们有一个用户模块,需要在用户登录后动态注册:

// src/store/modules/user.js
const state = {name: '',email: ''
};const mutations = {setUser(state, user) {state.name = user.name;state.email = user.email;}
};const actions = {login({ commit }, user) {// 模拟登录请求return new Promise(resolve => {setTimeout(() => {commit('setUser', user);resolve();}, 1000);});}
};export default {state,mutations,actions
};

在组件中,我们可以动态注册和使用该模块:

<template><div><button @click="login">Login</button></div>
</template><script>
import { mapActions } from 'vuex';export default {methods: {...mapActions(['login']),login() {const user = {name: 'John Doe',email: 'john@example.com'};this.$store.registerModule('user', require('@/store/modules/user').default);this.login(user).then(() => {console.log('User logged in');});}}
};
</script>

实践案例

构建一个简单的 Todo 应用

为了更好地理解和应用 Vuex,我们将通过构建一个简单的 Todo 应用来演示如何使用 Vuex 进行状态管理。

1. 项目结构
首先,让我们创建一个 Vue 项目,并安装 Vuex:

vue create vuex-todo-app
cd vuex-todo-app
npm install vuex --save

项目结构如下:

vuex-todo-app/
│
├── src/
│   ├── components/
│   │   └── TodoList.vue
│   ├── store/
│   │   └── index.js
│   ├── App.vue
│   └── main.js

2. 配置 Vuex Store
在 src/store/index.js 中配置我们的 Vuex store:

// src/store/index.js
import Vue from 'vue';
import Vuex from 'vuex';Vue.use(Vuex);const state = {todos: []
};const mutations = {ADD_TODO(state, todo) {state.todos.push(todo);},REMOVE_TODO(state, index) {state.todos.splice(index, 1);},TOGGLE_TODO(state, index) {state.todos[index].completed = !state.todos[index].completed;}
};const actions = {addTodo({ commit }, todo) {commit('ADD_TODO', todo);},removeTodo({ commit }, index) {commit('REMOVE_TODO', index);},toggleTodo({ commit }, index) {commit('TOGGLE_TODO', index);}
};const getters = {completedTodos: state => state.todos.filter(todo => todo.completed),pendingTodos: state => state.todos.filter(todo => !todo.completed)
};const store = new Vuex.Store({state,mutations,actions,getters
});export default store;

3. 主文件配置
在 src/main.js 中引入和配置 store:

// src/main.js
import Vue from 'vue';
import App from './App.vue';
import store from './store';Vue.config.productionTip = false;new Vue({render: h => h(App),store
}).$mount('#app');

4. 创建 TodoList 组件
在 src/components/TodoList.vue 中创建我们的 TodoList 组件:

<template><div><h1>Todo List</h1><input v-model="newTodo" @keyup.enter="addTodo" placeholder="Add a new todo" /><ul><li v-for="(todo, index) in todos" :key="index"><input type="checkbox" v-model="todo.completed" @change="toggleTodo(index)" /><span :class="{ completed: todo.completed }">{{ todo.text }}</span><button @click="removeTodo(index)">Remove</button></li></ul><h2>Completed Todos</h2><ul><li v-for="(todo, index) in completedTodos" :key="index">{{ todo.text }}</li></ul><h2>Pending Todos</h2><ul><li v-for="(todo, index) in pendingTodos" :key="index">{{ todo.text }}</li></ul></div>
</template><script>
import { mapState, mapGetters, mapActions } from 'vuex';export default {data() {return {newTodo: ''};},computed: {...mapState(['todos']),...mapGetters(['completedTodos', 'pendingTodos'])},methods: {...mapActions(['addTodo', 'removeTodo', 'toggleTodo']),addTodo() {if (this.newTodo.trim() !== '') {this.addTodo({text: this.newTodo,completed: false});this.newTodo = '';}}}
};
</script><style scoped>
.completed {text-decoration: line-through;
}
</style>

5. 使用 TodoList 组件
在 src/App.vue 中使用我们创建的 TodoList 组件:

<template><div id="app"><TodoList /></div>
</template><script>
import TodoList from './components/TodoList.vue';export default {name: 'App',components: {TodoList}
};
</script><style>
@import './assets/styles.css';
</style>

6. 运行应用
至此,我们的 Todo 应用已经完成。运行应用:

npm run serve

打开浏览器,访问 http://localhost:8080,你将看到一个简单的 Todo 应用,你可以添加、删除、标记完成和查看已完成或未完成的 Todo 项目。

总结

通过本文的介绍,我们了解了 Vuex 的基本概念和使用方法,并且学习了一些进阶技巧。掌握 Vuex 可以帮助我们更好地管理 Vue 应用中的状态,提高代码的可维护性和可扩展性。

本文来自互联网用户投稿,该文观点仅代表作者本人,不代表本站立场。本站仅提供信息存储空间服务,不拥有所有权,不承担相关法律责任。如若转载,请注明出处:http://www.rhkb.cn/news/464379.html

如若内容造成侵权/违法违规/事实不符,请联系长河编程网进行投诉反馈email:809451989@qq.com,一经查实,立即删除!

相关文章

RV1126-SDK学习之OSD实现原理

RV1126-SDK学习之OSD实现原理 前言 本文简单记录一下我在学习RV1126的SDK当中OSD绘制的原理的过程。 在学习OSD的过程当中&#xff0c;可能需要补充的基础知识&#xff1a; OSD是什么&#xff1f; BMP图像文件格式大致组成&#xff1f; 图像调色&#xff08;Palette&#…

Vehicle OS软件平台解决方案

在智能汽车快速迭代的趋势之下&#xff0c;广义操作系统Vehicle OS应运而生&#xff0c;针对应用软件开发周期缩短和底层硬件迭代速度加快的背景&#xff0c;Vehicle OS将应用软件开发和底层硬件迭代解耦。它降低了迭代工作量并节约成本&#xff0c;用标准化的接口来助力软件定…

Chromium Mojo(IPC)进程通信演示 c++(1)

网上搜索关于mojo教程 多数都是理论 加上翻译谷歌mojo文档的&#xff0c;但是如何自定义两个进程使用mojo通信呢&#xff1f;看下面的完整例子介绍&#xff1a;&#xff08;本人也是参考谷歌代码例子改编而成&#xff09; 本文演示了client.exe和service.exe 通过mojo::Incomin…

sparkSQL面试题

一、查询所有数学课程成绩大于语文课程成绩的学生学号 数据 1,yuwen,43 1,shuxue,55 2,yuwen,77 2,shuxue,88 3,yuwen,98 3,shuxue,65 3,yingyu,88 基本步骤&#xff1a; 进行行转列比较语文与数学的成绩 SQL代码&#xff1a; with t1 as(SELECT id,sum(if(name yuwen,sc…

算法|牛客网华为机试21-30C++

牛客网华为机试 上篇&#xff1a;算法|牛客网华为机试10-20C 文章目录 HJ21 简单密码HJ22 汽水瓶HJ23 删除字符串中出现次数最少的字符HJ24 合唱队HJ25 数据分类处理HJ26 字符串排序HJ27 查找兄弟单词HJ28 素数伴侣HJ29 字符串加解密HJ30 字符串合并处理 HJ21 简单密码 题目描…

浅谈QT中Tab键的切换逻辑

浅谈QT中Tab键的切换逻辑 无意中发现在输入界面中按下Tab键时&#xff0c;没有按照预想的顺序切换焦点事件&#xff0c;如下图所示 这个现象还是很有趣&#xff0c;仔细观察了下&#xff0c;默认的切换顺序是按照控件拖入顺序&#xff0c;那么知道了这个问题想要解决起来就很简…

科研绘图系列:R语言组合连线图和箱线图(linechart+boxplot)

文章目录 介绍加载R包数据数据预处理画图1画图2系统信息介绍 连线图(Line Chart)是一种常用的数据可视化图表,它通过将一系列数据点用直线段连接起来来展示数据随时间或有序类别变化的趋势。以下是连线图可以表示的一些内容: 时间序列数据:展示数据随时间变化的趋势,例如…

PKG_CHECK_MODULES(FUSE,fuse)

运行 ./configure 命令报错如下&#xff1a; ./configure: line 13934: syntax error near unexpected token FUSE,fuse ./configure: line 13934: PKG_CHECK_MODULES(FUSE,fuse)解决方案&#xff1a; 命令窗口运行如下命令&#xff0c;安装 pkg-config&#xff1a; sudo …

react18中redux-promise搭配redux-thunk完美简化异步数据操作

用过redux-thunk的应该知道&#xff0c;操作相对繁琐一点&#xff0c;dispatch本只可以出发plain object。redux-thunk让dispatch可以返回一个函数。而redux-promise在此基础上大大简化了操作。 实现效果 关键逻辑代码 store/index.js import { createStore, applyMiddlewar…

Lucene分析器的详细使用(5)

文章目录 第5章 分析器5.1 分析器的组成5.1.1 字符过滤器1&#xff09;HTMLStripCharFilter2&#xff09;PatternReplaceCharFilter3&#xff09;MappingCharFilter4&#xff09;Luke使用字符过滤器 5.1.2 分词器1&#xff09;StandardTokenzier2&#xff09;keywordTokenizer3…

selinux和防火墙

SElinux 1、selinux代表的什么&#xff1f; SELinux是Security-Enhanced Linux的缩写&#xff0c;意思是安全强化的linux。 SELinux 主要由美国国家安全局&#xff08;NSA&#xff09;开发&#xff0c;当初开发的目的是为了避免资源的误用。 SELinux是对程序、文件等权限设置依…

CentOS 7 安装 ntp,自动校准系统时间

1、安装 ntp yum install ntp 安装好后&#xff0c;ntp 会自动注册成为服务&#xff0c;服务名称为 ntpd 2、查看当前 ntpd 服务的状态 systemctl status ntpd 3、启动 ntpd 服务、查看 ntpd 服务的状态 systemctl start ntpdsystemctl status ntpd 4、设置 ntpd 服务开机启…

Oracle OCP认证考试考点详解082系列11

题记&#xff1a; 本系列主要讲解Oracle OCP认证考试考点&#xff08;题目&#xff09;&#xff0c;适用于19C/21C,跟着学OCP考试必过。 51. 第51题&#xff1a; 题目 51.View the Exhibit and examine the description of the tables You execute this SQL statement Whi…

C#属性 Property

属性Property不是变量。 它们是由名为访问器方法来实现的一种方法。 实例属性表示的是实例的某个数据&#xff0c;通过这个数据反映实例当前的状态 静态属性表示的是类型的某个数据&#xff0c;通过这个数据反映类型当前的状态 意义&#xff1a; 防止恶意赋值(通过属性间接访问…

Spring框架的事务管理

目录 一、spring框架事务管理相关的类 1.PlatformTransactionManager接口 2.TransactionDefinition接口 二、spring框架声明式事务管理 1.配置文件的方式 &#xff08;1&#xff09;配置文件 &#xff08;2&#xff09;业务层 &#xff08;3&#xff09;持久层 &#…

angular实现list列表和翻页效果

说明&#xff1a;angular实现list列表和翻页效果 上一页 当前页面 下一页 效果图&#xff1a; step1: E:\projectgood\ajnine\untitled4\src\app\car\car.component.css .example-form-fields {display: flex;align-items: flex-start; }mat-list-item{background: antiquew…

PHP常量

PHP 中的常量是指一旦定义后将不能被改变的标识符。 常量可以用const和define&#xff08;&#xff09;来定义。 PHP常量的特性 不变性: 常量一旦定义&#xff0c;其值不能改变。全局作用域: 常量在定义后&#xff0c;可以在整个脚本的任何地方使用&#xff0c;无需使用 glo…

服务器作业(2)

架设一台NFS服务器&#xff0c;并按照以下要求配置 关闭防火墙 [rootlocalhost ~]# systemctl stop firewalld [rootlocalhost ~]# setenforce 0 配置文件设置&#xff1a; [rootlocalhost ~]# vim /etc/exports 1、开放/nfs/shared目录&#xff0c;供所有用户查询资料 共享…

云轴科技ZStack在CID大会上分享VF网卡热迁移技术

近日&#xff0c;2024中国云计算基础架构开发者大会&#xff08;以下简称CID大会&#xff09;在北京举行。此次大会集中展示了云计算基础架构技术领域最前沿的科创成果&#xff0c;汇聚众多的技术专家和行业先锋&#xff0c;共同探讨云计算基础设施的最新发展和未来趋势。云轴科…

【Linux】命令行参数 | 环境变量

&#x1fa90;&#x1fa90;&#x1fa90;欢迎来到程序员餐厅&#x1f4ab;&#x1f4ab;&#x1f4ab; 主厨&#xff1a;邪王真眼 主厨的主页&#xff1a;Chef‘s blog 所属专栏&#xff1a;青果大战linux 总有光环在陨落&#xff0c;总有新星在闪烁 前几天在搞硬件&…