Pinia 官网速通

前言:参考 Pinia 中文文档,在 Vue3 配合 ts 中的使用。

一:介绍

1. 什么是 Pinia

Pinia 是 Vue 的存储库,允许跨组件/页面共享状态。

1.1. 为什么要使用 Pinia?

热模块更换、保持任何现有状态、使用插件扩展 Pinia 功能、TS 支持、服务端渲染支持。

1.2. 与 Vuex 的比较

Pinia 提供更简单的 API,具有更少的规范,mutations 不再存在。提供了 Composition-API 风格的 API,与 TS 使用时有可靠的类型推断支持。

2. 开始

2.1 安装

yarn add pinia
# or
npm install pinia

在 main.ts 中注册 pinia:

// main.ts
import { createApp } from "vue";
import App from "./App.vue";
import { createPinia } from "pinia";const app = createApp(App);
const pinia = createPinia();app.use(pinia);
app.mount("#app");

2.2 什么是 Store

托管全局状态。每个组件都可以读取和写入。它有三个概念,state、getters 和 actions 等同于组件中的“数据”、“计算”和“方法”。

2.3 什么时候使用 Store

需要保存跨组件使用的相同状态。例如导航栏中显示的用户信息。

二. 核心概念

1. 定义一个 Store

使用 defineStore() 定义的,需要一个唯一名称,作为第一个参数传递,将返回的函数命名为 use...:

// @/store/demo.ts
import { defineStore } from "pinia";export const useDemoStore = defineStore("demo", {state: () => {return {name: "yq",age: 18,loves: ["book"],};},actions: {changeName() {this.name = "yqcoder";},},
});

1.1 使用 store

在组件中使用 useDemoStore 创建实例,在实例上可以直接访问 state,getter,actions 定义的属性:

<script setup lang="ts">import { useDemoStore } from "@/store/demo.ts";const demoStore = useDemoStore();console.log(demoStore.name); // 'yq'const handleChange = () => {demoStore.changeName();console.log(demoStore.name); // 'yqcoder'};
</script><template><div>{{ demoStore.name }}</div><div @click="handleChange">change name</div>
</template><style lang="scss" scoped></style>

store 是用 reavtive 包裹的对象,可以不用.value,但也不能解构:

<script setup lang="ts">import { useDemoStore } from "@/store/demo.ts";// 非响应性的const { name, changeName } = useDemoStore();console.log(name); // 'yq'const handleChange = () => {changeName();console.log(name); // 'yq'};
</script><template><div>{{ name }}</div><div @click="handleChange">change name</div>
</template><style lang="scss" scoped></style>

使用 storeToRefs() 使解构的状态变响应:

<script setup lang="ts">import { storeToRefs } from "pinia";import { useDemoStore } from "@/store/demo.ts";const demoStore = useDemoStore();const { name } = storeToRefs(demoStore);console.log(name); // yqconst handleChange = () => {demoStore.changeName();console.log(name); // yqcoder};
</script><template><div>{{ name }}</div><div @click="handleChange">change name</div>
</template><style lang="scss" scoped></style>

2. State

state 是 store 的核心部分。

import { defineStore } from "pinia";export const useDemoStore = defineStore("demo", {state: () => {return {name: "yq",age: 18,loves: ["book"],};}
});

2.1 访问 “state”

可以通过 store 实例直接访问和修改状态:

const { useDemoStore } from "@/store/demo.ts";
const demoStore = useDemoStore();demoStore.name = 'yqcoder';

2.2 重置状态

使用 $reset() 方法将状态重置为初始值:

import { useDemoStore } from "@/store/demo.ts";const demoStore = useDemoStore();
demoStore.$reset();

2.3 改变状态

使用 $patch 方法,可以同时修改多个状态:

import { useDemoStore } from "@/store/demo.ts";const demoStore = useDemoStore();
demoStore.$patch({name: "yyy",age: 22,
});

并且 $patch 也接受一个函数来批量修改状态:

import { useDemoStore } from "@/store/demo.ts";const demoStore = useDemoStore();
demoStore.$patch((state) => {state.name = "yy";state.age = 23;state.loves.push("sex");
});

2.4 替换 state

使用 $state 来替换 Store 的整个状态:

import { useDemoStore } from "@/store/demo.ts";const demoStore = useDemoStore();
demoStore.$state = {name: "yy",age: 33,loves: ["sex"],
};

3. Getters

Getter 等同于 Store 状态的计算值:

import { defineStore } from "pinia";export const useDemoStore = defineStore("demo", {state: () => {return {loves: ["book"],};},getters: {lovesL: (state) => state.loves.length,},
});

通过 this 可以访问状态和 getter,在 TS 中,使用 this 访问状态,需要声明返回类型:

import { defineStore } from "pinia";export const useDemoStore = defineStore("demo", {state: () => {return {name: "yq",loves: ["book"],};},getters: {nameL: (state) => state.name.length,lovesL(): number {return this.nameL;},},
});

3.1 将参数传递给 getter

Getters 只是 computed 属性,因此无法传递任何参数。 但可以通过一个函数来接受参数:

import { defineStore } from "pinia";export const useDemoStore = defineStore("demo", {state: () => {return {age: 18,};},getters: {yearAfter: (state) => {return (yearNumber: number): number => state.age + yearNumber;},},
});

在组件中使用:

<script setup lang="ts">import { useDemoStore } from "@/store/demo.ts";const deomStore = useDemoStore();
</script><template><div><!-- 输出:28 --><span>{{ deomStore.yearAfter(10) }}</span></div>
</template><style lang="scss" scoped></style>

4. Actions

Actions 相当于组件的 methods。 适合定义业务逻辑:

import { defineStore } from "pinia";export const useDemoStore = defineStore("demo", {state: () => {return {name: "yq"};},actions: {changeName() {this.name = "yqcoder";},},
});

4.1 访问其他 store

访问其他 store ,直接在内部使用它:

import { useAuthStore } from "./auth-store";export const useDemoStore = defineStore("demo", {state: () => ({// ...}),actions: {async fetchUserPreferences(preferences) {const auth = useAuthStore();if (auth.isAuthenticated) {this.preferences = await fetchPreferences();} else {throw new Error("User must be authenticated");}},},
});

5. 插件

使用 pinia.use() 将插件添加到 pinia 实例中:

import { createApp } from "vue";
import { createPinia } from "pinia";// 为安装此插件后创建的每个store添加一个名为 `secret` 的属性
// 这可能在不同的文件中
function SecretPiniaPlugin() {return { secret: "the cake is a lie" };
}const pinia = createPinia();
// 将插件提供给 pinia
pinia.use(SecretPiniaPlugin);const app = createApp(App);
app.use(pinia);
app.mount("#app");// 在另一个文件中
const store = useStore();
store.secret; // 'the cake is a lie'

5.1 介绍

Pinia 插件是一个函数,返回要添加到 store 的属性。 有一个可选参 context:

export function myPiniaPlugin(context) {context.pinia; // 使用 `createPinia()` 创建的 piniacontext.app; // 使用 `createApp()` 创建的当前应用程序(仅限 Vue 3)context.store; // 插件正在扩充的 storecontext.options; // 定义存储的选项对象传递给`defineStore()`// ...
}

然后使用 pinia.use() 将此函数传递给 pinia:

pinia.use(myPiniaPlugin);

5.2 扩充 store

您可以通过简单地在插件中返回它们的对象来为每个 store 添加属性:

pinia.use(() => ({ hello: "world" }));

5.3 TS

Pinia 插件参数类型检测:

import { PiniaPluginContext } from "pinia";export function myPiniaPlugin(context: PiniaPluginContext) {// ...
}

6. 在组件外使用存储

6.1 在 main.ts 中使用 store

使用 app.use(pinia) 安装 pinia 插件后,任何 useStore() 调用都将起作用:

import { useUserStore } from "@/stores/user";
import { createApp } from "vue";
import App from "./App.vue";// ❌  失败,因为它是在创建 pinia 之前调用的
const userStore = useUserStore();const pinia = createPinia();
const app = createApp(App);
app.use(pinia);// ✅ 有效,因为 pinia 实例现在处于活动状态
const userStore = useUserStore();

6.2 在 Vue Router 中使用 store 

使用 Vue Router 的导航守卫内部的 store 的例子:

import { createRouter } from "vue-router";
const router = createRouter({// ...
});// ❌ 根据导入的顺序,这将失败
const store = useStore();router.beforeEach((to, from, next) => {// 我们想在这里使用 storeif (store.isLoggedIn) next();else next("/login");
});router.beforeEach((to) => {// ✅ 这将起作用,因为路由器在之后开始导航// 路由已安装,pinia 也将安装const store = useStore();if (to.meta.requiresAuth && !store.isLoggedIn) return "/login";
});

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

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

相关文章

Opencv实战(1)读取与图像操作

Opencv 文章目录 Opencv一、读取图片1.imshow2.namedWindow3.imshow4.效果图 二、像素操作(1).访问像素1. at()2.Mat_ (2).遍历像素1.指针遍历2.迭代器遍历 (3).threshold(4).通道分离1.split2.merge (5)Gamma矫正 三、深浅拷贝 一、读取图片 1.imshow Mat imread(const stri…

DS:八大排序之归并排序、计数排序

创作不易&#xff0c;感谢三连支持&#xff01;&#xff01; 一、归并排序 1.1 思想 归并排序&#xff08;MERGE-SORT&#xff09;是建立在归并操作上的一种有效的排序算法,该算法是采用分治法&#xff08;Divide andConquer&#xff09;的一个非常典型的应用。将已有序的子…

【cmu15445c++入门】(9)C++ 智能指针shared_ptr

一、智能指针shared_ptr std::shared_ptr 是一种智能指针&#xff0c;它通过指针保留对象的共享所有权。这意味着多个共享指针可以拥有同一个对象&#xff0c;并且可以复制共享指针。 二、代码 // In this file, well talk about std::shared_ptr, which is a C smart pointer…

LeetCode 第385场周赛个人题解

目录 100212. 统计前后缀下标对 I 原题链接 题目描述 接口描述 思路分析 代码详解 100229. 最长公共前缀的长度 原题链接 题目描述 接口描述 思路分析 代码详解 100217. 出现频率最高的素数 原题链接 题目描述 接口描述 思路分析 代码详解 100212. 统计前后缀…

氢氧化铝市场研究:预计2029年将达到15亿美元

近年来&#xff0c;随着全球工业和建筑业的快速发展&#xff0c;氢氧化铝的需求不断增加。特别是在汽车、航空航天、电子产品等行业中&#xff0c;氢氧化铝的应用越来越广泛。此外&#xff0c;环境意识的提升也推动了氢氧化铝市场的增长&#xff0c;因为其可回收再利用的特性符…

【C++】C++11中

C11中 1.lambda表达式2.可变参数模板3.包装器 1.lambda表达式 在前面我们学习过仿函数。仿函数的作用到底是干什么的呢&#xff1f; 它为了抛弃函数指针&#xff01; 主要是因为函数指针太难学了 就比如下面这个&#xff0c;看着也挺难受的。 它的参数是一个函数指针&#x…

使用XTuner微调书生·浦语2大模型实战

一、XTuner安装 1、代码准备 mkdir project cd project git clone https://github.com/InternLM/xtuner.git 2、环境准备 cd xtuner pip install -r requirements.txt #从源码安装 pip install -e .[all] 3、查看配置文件列表 XTuner 提供多个开箱即用的配置文件&#xf…

Python 二维矩阵加一个变量运算该如何避免 for 循环

Python 二维矩阵加一个变量运算该如何避免 for 循环 引言正文方法1------使用 for 循环方法2------不使用 for 循环引言 今天写代码的时候遇到了一个问题,比如我们需要做一个二维矩阵运算,其中一个矩阵是 2x2 的,另一个是 2x1 的。在这个二维矩阵中,其中各个参数会随着一个…

devc++跑酷小游戏3.0.0

导航&#xff1a; Dev-c跑酷小游戏 1.0.0 devc跑酷小游戏1.2.5 devc跑酷游戏1.2.6 devc跑酷游戏2.0.0 devc跑酷游戏2.0.1 devc跑酷游戏2.4.0 【更新内容每日废话】 关卡数量没变&#xff0c;每个都微调了一下。作者再此保证能过&#xff0c;都测试过&#xff0c;过不了…

怎样保证数据库和redis里的数据一致性

使用缓存更新策略&#xff1a;在更新数据库时&#xff0c;同时更新Redis中相应的数据。这可以通过编写代码来实现&#xff0c;在数据库更新操作完成后&#xff0c;同步更新Redis中对应的数据。这可以通过在代码中使用事务来保证更新的原子性&#xff0c;确保数据库和Redis中的数…

2月19日

ApplicationContextInitializer SpringBoot 框架在设计之初&#xff0c;为了有更好的兼容性&#xff0c;在不同的运行阶段&#xff0c;提供了非常多的可扩展点&#xff0c;可以让程序员根据自己的需求&#xff0c;在整个Spring应用程序运行过程中执行程序员自定义的代码Applic…

贪心+堆维护,HDU1789Doing Homework again

一、题目 1、题目描述 Ignatius has just come back school from the 30th ACM/ICPC. Now he has a lot of homework to do. Every teacher gives him a deadline of handing in the homework. If Ignatius hands in the homework after the deadline, the teacher will reduc…

【深蓝学院】移动机器人运动规划--第5章 最优轨迹生成--笔记

文章目录 1. Preliminaries2. Multicopter dynamics and differential flatness&#xff08;多旋翼动力学和微分平坦特性&#xff09;2.1 Differential Flatness2.2 具体建模2.3 Flatness Transformation的解析推导 3. Trajectory Optimization轨迹优化3.1 Problem formulation…

C++学习Day06之继承中的同名成员处理

目录 一、程序及输出1.1 同名成员变量1.2 同名成员函数 二、分析与总结 一、程序及输出 1.1 同名成员变量 #include<iostream> using namespace std;class Base { public:Base(){this->m_A 10;}void func(){cout << "Base中的func调用" << e…

“利用电子医院记录,针对急性护理环境中的老年人,开发并验证了一项医院脆弱风险评分:一项观察性研究“

总结 背景 年长者在全球范围内成为医疗保健的增长用户。我们的目标是确定是否可以利用常规收集的数据来识别具有虚弱特征并面临不利健康结果风险的年长者。 方法 使用三步方法开发和验证了一种医院脆弱风险评分&#xff0c;该评分基于《国际疾病和相关健康问题统计分类第十次修…

摆(行列式、杜教筛)

有一个 n n n\times n nn 的矩阵 A A A&#xff0c;满足&#xff1a; A i , j { 1 i j 0 i ̸ j ∧ i ∣ j C otherwise A_{i,j}\begin{cases} 1 &ij\\ 0 &i\notj\land i\mid j\\ C &\text{otherwise} \end{cases} Ai,j​⎩ ⎨ ⎧​10C​ijij∧i∣jotherwi…

FPGA时钟资源与设计方法——时钟抖动(jitter)、时钟偏斜(skew)概念讲解

目录 1时钟抖动&#xff08; clock jitter&#xff09;2 时钟偏斜&#xff08;clock skew&#xff09; 1时钟抖动&#xff08; clock jitter&#xff09; 时钟抖动&#xff08;Jitter&#xff09;&#xff1a;时钟抖动指的是时钟周期的不稳定性&#xff0c;即&#xff1a;时钟…

Milvus向量库安装部署

GitHub - milvus-io/milvus-sdk-java: Java SDK for Milvus. 1、安装Standstone 版本 参考&#xff1a;Linux之milvus向量数据库安装_milvus安装-CSDN博客 参考&#xff1a;Install Milvus Standalone with Docker Milvus documentation 一、安装步骤 1、安装docker docke…

使用八爪鱼爬取京东商品详情页数据

文章目录 一、前述1.1、采集场景1.2、采集字段1.3、采集结果1.4、采集工具 二、采集步骤2.1、登录网站2.1.1、登录入口2.1.2、京东账号登录2.1.3、登录完成 2.2、自动识别2.3、选取爬取的内容2.4、处理数据2.4.1、纵向字段布局2.4.2、更多字段操作2.4.3、格式化数据2.4.4、添加…

OpenAI最新模型Sora到底有多强?眼见为实的真实世界即将成为过去!

文章目录 1. 写在前面2. 什么是Sora&#xff1f;3. Sora的技术原理 【作者主页】&#xff1a;吴秋霖 【作者介绍】&#xff1a;Python领域优质创作者、阿里云博客专家、华为云享专家。长期致力于Python与爬虫领域研究与开发工作&#xff01; 【作者推荐】&#xff1a;对JS逆向感…