vue3中的pinia的使用方法
一、安装Pinia
1、使用npm安装
- 在项目目录下,通过命令行执行以下命令:
c
npm install pinia
2、在Vue应用中使用Pinia
- 在main.js(或入口文件)中引入并使用Pinia。首先导入createPinia函数并创建一个Pinia实例,然后将其挂载到Vue应用上。
c
import { createApp } from 'vue';
import { createPinia } from 'pinia';
import App from './App.vue';
const pinia = createPinia();
const app = createApp(App);
app.use(pinia);
app.mount('#app');
二、定义store
1、定义一个简单的store
- 创建一个新的 .js 文件(例如store.js)来定义store。
c
import { defineStore } from 'pinia';
// 第一个参数是store的唯一ID,第二个参数是一个函数,返回store的配置对象
export const useCounterStore = defineStore('counter', {
// 类似于Vuex中的state,存储数据
state: () => {
return {
count: 0
};
},
// 类似于Vuex中的getters,用于派生数据
getters: {
doubleCount: (state) => {
return state.count * 2;
}
},
// 类似于Vuex中的actions和mutations的组合,用于修改state
actions: {
increment() {
this.count++;
},
decrement() {
this.count--;
}
}
});
三、在组件中使用store
1、在组件中获取store实例并使用数据
- 在Vue组件中,可以使用useCounterStore函数来获取store实例。
c
<template>
<div>
<p>当前计数: {{ counter.count }}</p>
<p>双倍计数: {{ counter.doubleCount }}</p>
<button @click="counter.increment()">增加计数</button>
<button @click="counter.decrement()">减少计数</button>
</div>
</template>
<script>
import { useCounterStore } from './store.js';
export default {
setup() {
const counter = useCounterStore();
return { counter };
}
};
</script>
2、在组件外使用store(例如在路由守卫等非组件代码中)
- 可以直接导入store定义并使用。
c
import { useCounterStore } from './store.js';
const counterStore = useCounterStore();
console.log(counterStore.count);
counterStore.increment();
Pinia提供了一种简洁、直观的方式来管理Vue 3应用中的状态,相比于Vuex,它具有更简单的API和更好的类型支持等优点。