vue3.0开发手册(实用版)

vue3 .2看一遍就会的setup语法糖

起初vue3.0暴露变量必须return出来,template才能使用

vue3.2中,只需要在script标签上加上setup属性,组件在编译的过程中代码运行的上下文是在setup0函数中,无需retuen template 可之间使用

文件结构

<template>// Vue2中,template标签中只能有一个根元素,在Vue3中没有此限制// ...
</template><script setup>// ...
</script><style lang="scss" scoped>// 支持CSS变量注入v-bind(color)
</style>

data

<script setup>
import { reactive, ref, toRefs } from 'vue'// ref声明响应式数据,用于声明基本数据类型
const name = ref('Jerry')
// 修改
name.value = 'Tom'// reactive声明响应式数据,用于声明引用数据类型
const state = reactive({
name: 'Jerry',
sex: '男'
})
// 修改
state.name = 'Tom'// 使用toRefs解构
const {name, sex} = toRefs(state)
// template可直接使用{{name}}、{{sex}}
</script>

method

<script setup>import { computed, ref } from 'vue'const count = ref(1)// 通过computed获得doubleCountconst doubleCount = computed(() => {return count.value * 2})
</script>

Watch

<script setup>import { watch, reactive } from 'vue'const state = reactive({count: 1})// 声明方法const changeCount = () => {state.count = state.count * 2}// 监听countwatch(() => state.count,(newVal, oldVal) => {console.log(state.count)console.log(`watch监听变化前的数据:${oldVal}`)console.log(`watch监听变化后的数据:${newVal}`)},{immediate: true, // 立即执行deep: true // 深度监听})
</script>

props父传子

子组件

<template><span>{{props.name}}</span>// 可省略【props.】<span>{{name}}</span>
</template><script setup>// import { defineProps } from 'vue'// defineProps在<script setup>中自动可用,无需导入// 需在.eslintrc.js文件中【globals】下配置【defineProps: true】// 声明propsconst props = defineProps({name: {type: String,default: ''}})  
</script>

 父组件

<template><child name='Jerry'/>  
</template><script setup>// 引入子组件(组件自动注册)import child from './child.vue'
</script>

emit子传父

子组件

<template><span>{{props.name}}</span>// 可省略【props.】<span>{{name}}</span><button @click='changeName'>更名</button>
</template><script setup>// import { defineEmits, defineProps } from 'vue'// defineEmits和defineProps在<script setup>中自动可用,无需导入// 需在.eslintrc.js文件中【globals】下配置【defineEmits: true】、【defineProps: true】// 声明propsconst props = defineProps({name: {type: String,default: ''}}) // 声明事件const emit = defineEmits(['updateName'])const changeName = () => {// 执行emit('updateName', 'Tom')}
</script>

父组件

<template><child :name='state.name' @updateName='updateName'/>  
</template><script setup>import { reactive } from 'vue'// 引入子组件import child from './child.vue'const state = reactive({name: 'Jerry'})// 接收子组件触发的方法const updateName = (name) => {state.name = name}
</script>

 v-model

子组件

<template><span @click="changeInfo">我叫{{ modelValue }},今年{{ age }}岁</span>
</template><script setup>// import { defineEmits, defineProps } from 'vue'// defineEmits和defineProps在<script setup>中自动可用,无需导入// 需在.eslintrc.js文件中【globals】下配置【defineEmits: true】、【defineProps: true】defineProps({modelValue: String,age: Number})const emit = defineEmits(['update:modelValue', 'update:age'])const changeInfo = () => {// 触发父组件值更新emit('update:modelValue', 'Tom')emit('update:age', 30)}
</script>

父组件

<template>// v-model:modelValue简写为v-model// 可绑定多个v-model<childv-model="state.name"v-model:age="state.age"/>
</template><script setup>import { reactive } from 'vue'// 引入子组件import child from './child.vue'const state = reactive({name: 'Jerry',age: 20})
</script>

nextTick

<script setup>import { nextTick } from 'vue'nextTick(() => {// ...})
</script>

子组件ref变量和defineExpose

在标准写法中,子组件的数据都是默认隐式暴露给父组件的,单在script-setup模式下,所有数据只是默认给return给template使用,不会暴露到组件外,所以父组件式无法直接通过挂载ref变量获取子组件的数据。

如果要调用子组件的数据,需要在子组件显示的暴露出来,才能正确的拿到,这个操作,就是由defineExpose来完成。

总结:子组件里面的方法 父组件是可以使用的通过ref可以使用

子组件

<template><span>{{state.name}}</span>
</template><script setup>import { defineExpose, reactive, toRefs } from 'vue'// 声明stateconst state = reactive({name: 'Jerry'}) // 声明方法const changeName = () => {// 执行state.name = 'Tom'}// 将方法、变量暴露给父组件使用,父组见才可通过ref API拿到子组件暴露的数据defineExpose({// 解构state...toRefs(state),changeName})
</script>

父组件

<template><child ref='childRef'/>  
</template><script setup>import { ref, nextTick } from 'vue'// 引入子组件import child from './child.vue'// 子组件refconst childRef = ref('childRef')// nextTicknextTick(() => {// 获取子组件nameconsole.log(childRef.value.name)// 执行子组件方法childRef.value.changeName()})
</script>

 插槽slot

子组件

<template><!-- 匿名插槽 --><slot/><!-- 具名插槽 --><slot name='title'/><!-- 作用域插槽 --><slot name="footer" :scope="state" />
</template><script setup>import { useSlots, reactive } from 'vue'const state = reactive({name: '张三',age: '25岁'})const slots = useSlots()// 匿名插槽使用情况const defaultSlot = reactive(slots.default && slots.default().length)console.log(defaultSlot) // 1// 具名插槽使用情况const titleSlot = reactive(slots.title && slots.title().length)console.log(titleSlot) // 3
</script>

父组件

<template><child><!-- 匿名插槽 --><span>我是默认插槽</span><!-- 具名插槽 --><template #title><h1>我是具名插槽</h1><h1>我是具名插槽</h1><h1>我是具名插槽</h1></template><!-- 作用域插槽 --><template #footer="{ scope }"><footer>作用域插槽——姓名:{{ scope.name }},年龄{{ scope.age }}</footer></template></child> 
</template><script setup>// 引入子组件import child from './child.vue'
</script>

路由useRoute和useRouter 

useRoute:用于返回当前路由信息对象用于接收路由参数

useRouter:于返回当前路由实例,常用于实现路由跳转

<script setup>import { useRoute, useRouter } from 'vue-router'// 必须先声明调用const route = useRoute()const router = useRouter()// 路由信息console.log(route.query)// 路由跳转router.push('/newPage')
</script>

 路由导航守卫

<script setup>import { onBeforeRouteLeave, onBeforeRouteUpdate } from 'vue-router'// 添加一个导航守卫,在当前组件将要离开时触发。onBeforeRouteLeave((to, from, next) => {next()})// 添加一个导航守卫,在当前组件更新时触发。// 在当前路由改变,但是该组件被复用时调用。onBeforeRouteUpdate((to, from, next) => {next()})
</script>

store

Vue3 中的Vuex不再提供辅助函数写法

<script setup>import { useStore } from 'vuex'import { key } from '../store/index'// 必须先声明调用const store = useStore(key)// 获取Vuex的statestore.state.xxx// 触发mutations的方法store.commit('fnName')// 触发actions的方法store.dispatch('fnName')// 获取Gettersstore.getters.xxx
</script>

生命周期

  • 通过在生命周期钩子前面加上 “on” 来访问组件的生命周期钩子。
  • 下表包含如何在 Option API 和 setup() 内部调用生命周期钩子

OPtion APIsetup中
beforeCreate不需要
create不需要
beforeMountonbeforeMount
mountedonMounted
beforeUpdateonBeforeUpdate
updatedonUpdated
beforeUnmountonBeforeUnmount
unmountedonUnmounted
errorCaptured

onErrorCaptured

renderTrackedonRenderTracked
renderTriggeredonRenderTriggered
activatedonActivated
deactivatedonDeactivated

CSS变量注入

<template><span>Jerry</span>  
</template><script setup>import { reactive } from 'vue'const state = reactive({color: 'red'})
</script><style scoped>span {// 使用v-bind绑定state中的变量color: v-bind('state.color');}  
</style>

原型绑定与组件内使用

main.js

import { createApp } from 'vue'
import App from './App.vue'
const app = createApp(App)// 获取原型
const prototype = app.config.globalProperties// 绑定参数
prototype.name = 'Jerry'

组件内使用

<script setup>import { getCurrentInstance } from 'vue'// 获取原型const { proxy } = getCurrentInstance()// 输出console.log(proxy.name)
</script>

对await的支持

不必再配合async就可以直接使用await了,这种情况下,组件的setup会自动编程async,seyup.

<script setup>const post = await fetch('/api').then(() => {})
</script>

定义组件的name

<script>
//用单独的<script>块来定义export default {name: 'ComponentName',}
</script>

provide和inject

父组件

<template><child/>
</template><script setup>import { provide } from 'vue'import { ref, watch } from 'vue'// 引入子组件import child from './child.vue'let name = ref('Jerry')// 声明provideprovide('provideState', {name,changeName: () => {name.value = 'Tom'}})// 监听name改变watch(name, () => {console.log(`name变成了${name}`)setTimeout(() => {console.log(name.value) // Tom}, 1000)})
</script>

子组件

<script setup>import { inject } from 'vue'// 注入const provideState = inject('provideState')// 子组件触发name改变provideState.changeName()
</script>

Vue3中使用echarts

// 安装
cnpm i echarts --save// 组件内引入
import * as echarts from 'echarts'

pinia的使用

概述

现有用户对vuex更熟悉,他是Vue之前的官方状态管理库,由于pina再生态系统中能够承担相同的职责能做的更好,因此vuex现在处于维护模式,它仍然可以工作,但不再接受新的功能,对于新的应用,建议使用Pina

事实上 Pina最初正式为了探索vuex的下一个版本开发的,因此整合了核心团队关于vuex 5的许多想法,最终,我们意识到Pina已经实现了我们想要再vuex 5中提供的大部分内容,因此决定将其作为新的官方推荐。

相比于vuex Pina提供了更简介的直接的API ,并提供了组合式风格的API,最重要的是,再使用TypeScript 时它提供了更完善的类型推导

安装

yarn add pinia
# or with npm
npm install pinia

创建一个 pinia 实例

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 

import { defineStore } from 'pinia'//您可以将`defineStore()`的返回值命名为任意名称,//但最好使用store的名称,并用“use”将其包围//(例如`useUserStore`、`useCartStore`和`useProductStore`)//第一个参数是应用程序中存储的唯一id
export const useStore = defineStore('main', {// 其他选项...
})//定义一个完整的store
//与 Vue 的选项 API 类似,我们也可以传递带有属性的选项对象。state actions getters
export const useCounterStore = defineStore('counter', {state: () => ({ count: 0, name: 'Eduardo' }),getters: {doubleCount: (state) => state.count * 2,},actions: {increment() {this.count++},},
})
//您可以将 视为store的属性,也可以将其视为store的属性,
//state => data
//getters => computed
//actions => methods
//这样会更容易记忆// 还有另一种可能的语法来定义存储。与 Vue 合成 API 的设置函数类似,我们可以传入一个函数来定义反应式属性和方法,并返回一个包含我们要公开的属性和方法的对象。
export const useCounterStore = defineStore('counter', () => {const count = ref(0)const name = ref('Eduardo')const doubleCount = computed(() => count.value * 2)function increment() {count.value++}return { count, name, doubleCount, increment }
})

使用

import { useCounterStore } from '@/stores/counter'
import { storeToRefs } from 'pinia'
export default {setup() {const store = useCounterStore()//结构并赋予响应性const { name, doubleCount } = storeToRefs(store)return {// you can return the whole store instance to use it in the templatestore,}},
}

state

//给 state 加上类型推导
export const useUserStore = defineStore('user', {state: () => {return {userList: [] as UserInfo[],user: null as UserInfo | null,}},
})interface UserInfo {name: stringage: number
}
//或者给整个state加上类型推导
interface State {userList: UserInfo[]user: UserInfo | null
}export const useUserStore = defineStore('user', {state: (): State => {return {userList: [],user: null,}},
})interface UserInfo {name: stringage: number
}

访问state

const store = useStore()store.count++

重置状态

const store = useStore()store.$reset()

getters

定义

export const useCounterStore = defineStore('counter', {state: () => ({count: 0,}),getters: {doubleCount: (state) => state.count * 2,},
})
//添加类型约束
export const useCounterStore = defineStore('counter', {state: () => ({count: 0,}),getters: {// automatically infers the return type as a numberdoubleCount(state) {return state.count * 2},// the return type **must** be explicitly setdoublePlusOne(): number {// autocompletion and typings for the whole store ✨return this.doubleCount + 1},},
})
访问
<template><p>Double count is {{ store.doubleCount }}</p>
</template><script>
export default {setup() {const store = useCounterStore()return { store }},
}
</script>

 访问其他getter

export const useCounterStore = defineStore('counter', {state: () => ({count: 0,}),getters: {doubleCount: (state) => state.count * 2,doubleCountPlusOne() {// autocompletion ✨return this.doubleCount + 1},},
})

将参数传递给获取者

export const useStore = defineStore('main', {getters: {getUserById: (state) => {return (userId) => state.users.find((user) => user.id === userId)},},
})
//组件中使用
<script>
export default {setup() {const store = useStore()return { getUserById: store.getUserById }},
}
</script><template><p>User 2: {{ getUserById(2) }}</p>
</template>

actions

定义
export const useCounterStore = defineStore('counter', {state: () => ({count: 0,}),actions: {// 因为我们依赖“this”,所以不能使用箭头函数increment() {this.count++},randomizeCounter() {this.count = Math.round(100 * Math.random())},},
})
//与 getter 一样,操作通过完全键入(和自动完成✨)支持来访问整个商店实例。与 getter 不同,操作可以是异步的
import { mande } from 'mande'const api = mande('/api/users')export const useUsers = defineStore('users', {state: () => ({userData: null,// ...}),actions: {async registerUser(login, password) {try {this.userData = await api.post({ login, password })showTooltip(`Welcome back ${this.userData.name}!`)} catch (error) {showTooltip(error)// let the form component display the errorreturn error}},},
})

 使用
 

export default {setup() {const store = useCounterStore()store.randomizeCounter()},
}

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

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

相关文章

人工智能在产业中应用--生成智能

二、生成式人工智能 前面介绍了很多人工智能的应用&#xff0c;接下来部分我们会介绍当前正在进行的生成智能。生成智能和以往的人工智能有什么区别&#xff0c;个人觉得主要区别就在于“度”。在表现上就是以前的人工智能更多是利用既有的数据集分布挖掘和解决在这个数据集下…

Python人工智能:气象数据可视化的新工具

Python是功能强大、免费、开源&#xff0c;实现面向对象的编程语言&#xff0c;在数据处理、科学计算、数学建模、数据挖掘和数据可视化方面具备优异的性能&#xff0c;这些优势使得Python在气象、海洋、地理、气候、水文和生态等地学领域的科研和工程项目中得到广泛应用。可以…

单片机原理及应用

单片机时钟电路及时序 时钟电路用于产生AT89S51单片机工作时所必需的时钟脉冲信号(工作频率)&#xff1b;AT89S51单片机的CPU正是在时钟脉冲信号的控制下&#xff0c;严格地按时序执行指令进行工作的。AT89S51单片机的最高时钟频率为33MHz。 时钟电路 AT89S51单片机常用的时…

文件披露,Facebook秘密项目中偷窥用户的Snapchat流量

2016年&#xff0c;Facebook启动了一个秘密项目&#xff0c;旨在拦截并解密人们使用Snapchat应用程序及其服务器之间的网络流量。根据新近公开的法庭文件&#xff0c;该项目的目标是了解用户的行为&#xff0c;并帮助Facebook与Snapchat竞争。Facebook将此称为“鬼busters项目”…

Snowflake 时钟回拨问题 解决方案

Snowflake是一种分布式数据存储和计算服务&#xff0c;它使用一种特殊的ID生成策略来确保在分布式系统中生成唯一的ID。这种策略通常被称为Snowflake算法&#xff0c;它由Twitter开发用于生成64位的唯一ID&#xff0c;并且在多个系统和服务中被广泛采用。 Snowflake算法生成的…

学习或复习电路的game推荐:nandgame(NAND与非门游戏)、Turing_Complete(图灵完备)、logisim工具

https://www.nandgame.com/ 免费 https://store.steampowered.com/app/1444480/Turing_Complete/ 收费&#xff0c;70元。据说可以导出 Verilog &#xff01; logisim及其衍生版本 都需要安装java环境。 http://www.cburch.com/logisim/ 是原版&#xff0c; 下载页面&#…

Python拆分PDF、Python合并PDF

WPS能拆分合并&#xff0c;但却是要输入编辑密码&#xff0c;我没有。故写了个脚本来做拆分&#xff0c;顺便附上合并的代码。 代码如下&#xff08;extract.py) #!/usr/bin/env python """PDF拆分脚本(需要Python3.10)Usage::$ python extract.py <pdf-fil…

垃圾回收机制--GC 垃圾收集器--JVM调优-面试题

1.触发垃圾回收的条件 新生代 Eden区域满了&#xff0c;触发young gc (ygc)老年代区域满了&#xff0c;触发full gc (fgc)通过ygc后进入老年代的平均大小大于老年代的可用内存,触发full gc(fgc).程序中主动调用的System.gc()强制执行gc,是full gc&#xff0c;但是不必然执行。…

蓝桥杯(3):python搜索DFS

目录 1 DFS简介 1.1 DFS与n重循环 1.2 代码实现 1.3 例题 1.3.1 分糖果 1.3.2 买瓜 2 回溯 2.1 定义 2.2 代码实例 2.1.1 排列数 2.1.2 找子集 2.3 例题 2.3.1 N皇后 2.3.2 小朋友崇拜圈 2.3.3 全球变暖 3 剪枝 3.1 定义 3.2 分类 3.3 例子 3.3.1 数字王国之…

自动化测试:Selenium中的时间等待

在 Selenium 中&#xff0c;时间等待指在测试用例中等待某个操作完成或某个事件发生的时间。Selenium 中提供了多种方式来进行时间等待&#xff0c;包括使用 ExpectedConditions 中的 presence_of_element_located 和 visibility_of_element_located 方法等待元素可见或不可见&…

javaWeb项目-火车票订票信息系统功能介绍

项目关键技术 开发工具&#xff1a;IDEA 、Eclipse 编程语言: Java 数据库: MySQL5.7 框架&#xff1a;ssm、Springboot 前端&#xff1a;Vue、ElementUI 关键技术&#xff1a;springboot、SSM、vue、MYSQL、MAVEN 数据库工具&#xff1a;Navicat、SQLyog 1、Spring Boot框架 …

任务2.1 一元二次方程(顺序结构版)

在这个任务中&#xff0c;我们编写了一个Java程序来解决一元二次方程。程序接受用户输入的系数a、b、c&#xff0c;并计算出方程的根。通过计算判别式delta的值&#xff0c;我们可以确定方程有两个不相等实根、两个相等实根还是没有实数根。这个程序遵循了IPO模式&#xff0c;即…

MCGS学习——MCGS仿真与实体西门子监控

MCGS仿真与西门子监控 前提知识——博图与MCGS联合仿真 适用于什么设备都没有的情况下进行学习 对NetToPLCsim进行初始设置 找到博图的IP地址 勾选允许远程对象的通信访问 勾选系统时钟参数&#xff0c;主要是需要用到1HZ的脉冲&#xff0c;做一个闪烁的灯 编写简单程序&am…

如何在Linux系统使用Docker本地部署Halo网站并实现无公网IP远程访问

最近&#xff0c;我发现了一个超级强大的人工智能学习网站。它以通俗易懂的方式呈现复杂的概念&#xff0c;而且内容风趣幽默。我觉得它对大家可能会有所帮助&#xff0c;所以我在此分享。点击这里跳转到网站。 文章目录 1. Docker部署Halo1.1 检查Docker版本如果未安装Docker可…

2024/3/28 IOday1

编写一条学生链表&#xff0c;写一些能够像链表里边添加数据的函数 实现&#xff1a;将链表中的所有内容保存到文件中去 以及 读取文件中的所有内容&#xff0c;加载到链表里 #include <stdio.h> #include <string.h> #include <stdlib.h> typedef int datat…

SpringBoot学习之ElasticSearch下载安装和启动(Windows版)(三十)

本文先写windows下的下载安装和启动,后续有时间再补充其他环境下(Mac、Linux、Docker)的,这里我们后续对ElasticSearch简称为ES,读者习惯这一称呼就好。 一,ES下载 可以百度【ElasticSearch官网】或者直接点击这里的ES官网下载地址:​​​​​ Download Elasticsearch…

springboot检测脚本

import requests import urllib3 urllib3.disable_warnings(urllib3.exceptions.InsecureRequestWarning) session requests.session()# 从文本文件中读取 with open(dic.txt, r) as file:paths file.readlines()# 移除每个末尾的换行符 paths [path.strip() for path in pa…

智慧公厕解决方案打造更加智能的卫生空间

一、智慧公厕方案概述 智慧公厕方案旨在解决现有公厕存在的诸多问题&#xff0c;包括民众用厕困难、环境卫生状况不佳、管理效率低下等方面。针对民众的需求和管理方面的挑战&#xff0c;智慧公厕提供了一套综合解决方案&#xff0c;包括智能导航、环境监测、资源管理等功能&a…

蓝桥杯刷题-day5-动态规划

文章目录 使用最小花费爬楼梯解码方法 使用最小花费爬楼梯 【题目描述】 给你一个整数数组 cost &#xff0c;其中 cost[i] 是从楼梯第 i 个台阶向上爬需要支付的费用。一旦你支付此费用&#xff0c;即可选择向上爬一个或者两个台阶。 你可以选择从下标为 0 或下标为 1 的台阶…

pygame用chatgpt绘制3d沿x轴旋转的

import pygame from pygame.locals import * import sys import mathpygame.init()width, height 800, 600 screen pygame.display.set_mode((width, height))vertices [(0, 100, 0), (100, 200, 0), (300, 100, 0)]angle 0 rotation_speed 2 # 可根据需要调整旋转速度 c…