发布时间:2023-04-21 文章分类:WEB开发, 电脑百科 投稿人:李佳 字号: 默认 | | 超大 打印

什么是Pinia呢?

Pina开始于大概2019,是一个状态管理的库,用于跨组件、页面进行状态共享(这和Vuex、Redux一样),用起来像组合式API(Composition API)

Pinia和Vuex的区别

与Vuex相比,Pinia很多的优势:

比如mutations不再存在:

更友好的TpeScipt支持,Vuex之前对Ts的支持很不友好

不在有modules的嵌套结构

不在有命名空间的概念,不在需要记住他们的复杂关系

如何使用Pinia

1、安装Pinia

2、创建pinia文件

store文件里index.js

import { createPinia } from 'pinia'
const pinia = createPinia()
export default pinia

Vue3-Pinia的基本使用

3、main.js导入并引用

import { createApp } from 'vue'
import App from './App.vue'
import pinia from './stores'
createApp(App).use(pinia).mount('#app')

Vue3-Pinia的基本使用

4、pinia的状态管理,不同状态可以区分不同文件

Vue3-Pinia的基本使用

//定义关于counter的store
import { defineStore } from ‘pinia’
//defineStore 是返回一个函数 函数命名最好有use前缀,根据函数来进行下一步操作
const useCounter = defineStore('counter',{
	state: () => {
		count:99
	}
})
export default useCounter

5、调用pinia,获取pinia状态值,导入Counter.js,获取Counter.js里面state.count

<template>
  <div class="home">
    <h2>Home View</h2>
    <h2>count: {{ counterStore.count }}</h2>
  </div>
</template>
<script setup>
  import useCounter from '@/stores/counter';
  const counterStore = useCounter()
</script>
<style scoped>
</style>

注意:pinia解构出来的state也是可以调用,但会失去响应式,需要toRef或者pinia自带storeToRefs

<template>
  <div class="home">
    <h2>Home View</h2>
    <h2>count: {{ counterStore.count }}</h2>
    <h2>count: {{ count }}</h2>
    <button @click="incrementCount">count+1</button>
  </div>
</template>
<script setup>
  import { toRefs } from 'vue'
  import { storeToRefs } from 'pinia'
  import useCounter from '@/stores/counter';
  const counterStore = useCounter()
  // const { count } = toRefs(counterStore)
  const { count } = storeToRefs(counterStore)
  function incrementCount() {
    counterStore.count++
  }
</script>
<style scoped>
</style>

store的核心部分:state,getter,action

相当于:data、computed、methods

认识和定义State

state是store的核心部分,因为store是用来帮助我们管理状态

操作State

  1. 读取和写入state:

    默认情况下,可以通过store实例访问状态来直接读取和写入状态;

    ```
    const counterStore = useCounter()
    counterStore.counter++
    counterStore.name = 'coderWhy'
    ```
    
  2. 重置State:
    可以调用store上的$reset()方法将状态重置到其初始值

    const counterStore = useCounter()
    conterStore.$reset()
    
  3. 改变State

    • 除了直接用store.counter++修改store,还可以调用$patch

    • 它允许您使用部分‘state’对象同时应该多个修改

    const counterStore = useCounter()
    counterStore.$patch({
    	counter:100,
    	name:'kobe'
    })
    
  4. 替换State
    可以通过将其$state属性设置为新对象替换Store的整个状态

    conterStore.$state = {
    	counter:1,
    	name:'why'
    }
    

认识和定义Getters

认识和定义Actions

Actions执行异步操作: