Vue-5

Vue 3 的优势

  • 更容易维护(组合式API)
  • 更快的速度
  • 更小的体积
  • 更优的数据响应

创建 Vue 3 项目

  • 前提环境条件:已安装 16.0 或更高版本的 Node.js
node -v
  • 创建一个 Vue 应用(下面的指令将会安装并执行 create-vue )
npm init vue@latest

setup

组合式API - setup选项

  • setup 函数在什么时候执行?
<script>
export default {setup() {console.log('setup函数比八大钩子中最早执行的beforeCreate函数还要早一点')},beforeCreate() {console.log('我是beforeCreate函数')}
}
</script>
  • setup 函数的"原始复杂写法"
<script>
export default {// 在 setup 的最后加上 return,才能使用 数据 和 函数setup() {// 数据const message = 'hello world'// 函数const logMessage = () => {console.log(message)}return {message,logMessage}}
}
</script>
  • setup 函数的"语法糖写法"
<script setup>
// 数据
const message = 'hello world'
// 函数
const logMessage = () => {console.log(message)
}
</script><template><div>{{ message }}</div><button @click="logMessage">点我</button>
</template><style>
</style>

reactive

接收一个对象类型的数据,返回一个响应式的对象

<script setup>
// reactive:接收一个对象类型的数据,返回一个响应式的对象
import { reactive } from 'vue'// 对象类型
const state = reactive({count: 100
})// 进行 +1 的函数
const setCount = () => {state.count++
}
</script><template><div>{{ state.count }}</div><button @click="setCount">+1</button>
</template>

ref

接收简单类型或者对象类型的数据传入并返回一个响应式的对象(推荐统一使用 ref )

<script setup>
// ref:接收简单类型或者对象类型的数据传入并返回一个响应式的对象
import { ref } from 'vue'// 简单类型 或者 复杂数据类型
const count = ref(100)// 注意:
//  1. 在脚本中访问数据,需要通过 .value 的形式
//  2. 在template中,.value不需要加
const setCount = () => {count.value++
}console.log(count.value)</script><template><div>{{ count }}</div><button @click="setCount">+1</button>
</template><style>
</style>

computed

计算属性函数

<script setup>
// const 计算属性 = computed(() => {
//   return 计算返回结果
// })import { computed, ref } from "vue";// 声明数据
const list = ref([1, 2, 3, 4, 5, 6, 7, 8, 9])
console.log(list.value) // 打印list的值// 过滤 >5 的数据
const computedList = computed(() => {return list.value.filter(item => item > 5)
})</script><template><div><div>原始数据:{{ list }}</div><div>计算后的数据:{{ computedList }}</div></div>
</template>

watch

作用:监听一个或者多个数据的变化,数据变化时执行回调函数

<script setup>
import { ref, watch } from "vue";
const count = ref(0)
const nickname = ref('张三')const changeCount = () => {count.value++
}const changeNickname = () => {nickname.value += '哈'
}// 1. 监视单个数据的变化
// watch(ref对象, (newValue, oldValue) => {...})// 2. 监视多个数据的变化
// watch([ref对象1, ref对象2], (newArr, oldArr) => {...})</script><template><div>{{ count }}</div><button>改数字</button><div>{{ nickname }}</div><button>改昵称</button>
</template>

immediate

<script setup>
import { ref, watch } from "vue";
const count = ref(0)
const nickname = ref('张三')const changeCount = () => {count.value++
}const changeNickname = () => {nickname.value += '哈'
}// immediate 一进入页面就立即执行
watch(count, (newValue, oldValue) => {console.log(newValue, oldValue)
}, { immediate: true })</script><template><div>{{ count }}</div><button>改数字</button><div>{{ nickname }}</div><button>改昵称</button>
</template>

deep

  • 集体式的深度监视,只要有一个变化了就会执行函数
<script setup>
import { ref, watch } from "vue";
const count = ref(0)
const nickname = ref('张三')const changeCount = () => {count.value++
}const changeNickname = () => {nickname.value += '哈'
}// deep 深度监视,默认 watch 进行的是浅层监视
//      const ref1 = ref(简单类型)  可以直接监视
//      const ref2 = ref(复杂类型)  监视不到复杂类型内部数据的变化
watch(count, (newValue, oldValue) => {console.log(newValue, oldValue)
}, {immediate: true,deep: true
})</script><template><div>{{ count }}</div><button>改数字</button><div>{{ nickname }}</div><button>改昵称</button>
</template>
  • 精确的为某一个元素对象进行深度监视,它变化了才会触发函数
<script setup>
import { ref, watch } from "vue";
const userInfo = ref({name: 'zs',age: 18
})const setUserInfo = () => {userInfo.value.age++
}// 深度监视之"精准定位"
watch(() => { userInfo.value.age }, (newValue, oldValue) => {console.log(newValue, oldValue)
})</script><template><div>{{ userInfo.age }}</div><button @click="setUserInfo">改年龄</button>
</template>

生命周期

选项式API组合式API
beforeCreate/createdsetup
beforeMountonBeforeMount
mountonMounted
beforeUpdateonBeforeUpdate
updatedonUpdated
beforeUnmountonBeforeUnmount
unmountedonUnmounted
<script setup>
import { onMounted } from 'vue';// beforeCreate 和 created 的相关代码一律放在 setup 中
const getList = () => {console.log('发送请求成功')
}
getList()// 如果有些代码需要在 mounted 生命周期中执行,就调用对应函数
onMounted(() => { console.log('mounted生命周期函数 - 逻辑1') })// 可以使用多次 mounted,并不会冲突,它会按顺序执行
onMounted(() => { console.log('mounted生命周期函数 - 逻辑2') })
</script><template><div></div>
</template><style>
</style>

父子数据传递

父级内容

<script setup>// 父传子
// 1. 给子组件,添加属性的方式传值
// 2. 在子组件,通过props接收import { ref } from "vue";
import SonCom from '@/components/son-com.vue'   // 局部组件(导入进来就能用)const money = ref(100)
const makeMoney = () => {money.value++
}
const reduce = () => {money.value--
}
</script><template><div><h3>这是父组件的地盘</h3><hr><SonCom info="父组件的余额: " :num="money" @reduceMoney="reduce"></SonCom><hr><h3>还是父组件的地盘</h3><div>当前余额: {{ money }}</div><button @click="makeMoney">点击赚钱</button></div>
</template><style>
</style>

子级内容

<script setup>// 注意:由于写了 setup,所以无法直接配置 props 选项
// 所以:此处需要借助于"编译器宏"函数接收子组件传递的数据const props = defineProps({info: String,num: Number
})console.log(props.info)
console.log(props.num)const emit = defineEmits(['reduceMoney'])
const payment = () => {emit('reduceMoney', 5)   // 通过emit触发父组件<SonCom>标签的reduceMoney属性
}
</script><template><div>我是子组件</div><div>{{ info }}{{ num }}</div> <!-- 对于props传递过来的数据,模板中可以直接使用 --><button @click="payment">点击消费</button>
</template><style>
</style>

模板引用

父级内容

<script setup>import TestCom from "@/components/test-com.vue";
import { onMounted, ref } from "vue";// 模板引用 (可以用来获取dom元素,也可以用来获取组件)
// 1. 调用ref函数,生成一个对象
const inp = ref(null)// 3. 在加载渲染完DOM后,才能访问到绑定的元素
//    这时候我们需要使用到 生命周期钩子函数"onMounted"
onMounted(() => {console.log(inp.value)  // 输出绑定的元素内容 <input type="text">inp.value.focus()       // 实现:进入页面立即聚焦输入框
})// 4. 使用同样的方法,获取组件
const testRef = ref(null)// 6. 渲染结束后,当用户点击按钮,将触发下面"获取组件的函数"
const getCom = () => {console.log(testRef.value)  // 输出该组件对象console.log(testRef.value.num)      // 输出该组件对象中的一些数据console.log(testRef.value.sayHi())  // 输出该组件对象中的一些数据}
</script><template><div><!-- 2. 通过ref属性进行标识,完成绑定 --><input ref="inp" type="text"><button>点击让输入框聚焦</button></div><!-- 5. 通过ref属性进行标识,完成绑定 --><TestCom ref="testRef"></TestCom><button @click="getCom">点击获取组件</button>
</template>

子级内容

<script setup>const num = 999
const sayHi = () => { console.log('hi') }// 上面定义的数据或方法,在 <script setup> 语法糖下,只能在内部自己使用
// 它不会开放给父组件访问
// 为了解决这种默认的限制,我们可以通过 defineExpose 编译宏指定哪些属性和方法允许父组件访问
defineExpose({num,sayHi
})</script><template><div>我是用于测试的文本,当前数量: {{ num }}</div>
</template>

跨层传递普通数据

基本介绍

  • 顶层组件通过 provide 函数提供数据
provide('key', 顶层组件中的数据)
  • 底层组件通过 inject 函数获取数据
const message = inject('key')

具体演示

  • 顶层组件
<script setup>
import CenterCom from '@/components/center.vue'
import { provide, ref } from 'vue'// 1. 跨层级传递"普通数据"
provide('theme-color', 'That is pink')// 2. 跨层级传递"响应式数据"
const money = ref(999)
provide('userMoney', money)// 3. 跨层级传递"函数"
const earning = () => { money.value++ }
provide('earningFn', earning)
</script><template><div><h3>我是顶层组件</h3><CenterCom></CenterCom></div>
</template>
  • 中间层中间
<script setup>
import BottomCom from '@/components/bottom.vue'
</script><template><div><h3>我是中间层组件</h3><BottomCom></BottomCom></div>
</template>
  • 底层组件
<script setup>
import { inject } from 'vue';// 接收顶层组件传递过来的数据
const themeColor = inject('theme-color')
const money = inject('userMoney')
const earning = inject('earningFn')
</script><template><div><h3>我是底层组件</h3><div>颜色:{{ themeColor }}</div><div>余额:{{ money }}</div><button @click="earning">点我赚钱</button></div>
</template>

Vue3.3 新特性

defineOptions

在 Vue3.3 中,引入了 defineOption 宏。
顾名思义,主要是用来定义 Options API 的选项。
可以用 defineOptions 定义任意的选项,props,emit,expose,slots除外,
因为这些可以使用 defineProps,defineEmit、defineXXX来做到
<script setup>// 1. defineOptions 里面的代码,与 setup 平级
defineOptions({name: 'LoginIndex',// ... 这里写更多自定义属性
})// 2. 这里写其他需要写在 setup 里面的代码
// ...
</script><template><h3>Hello World</h3>
</template>

defineModel

原版的操作

  • 父级组件
<script setup>
import MyInput from "@/components//temp.vue"
import { ref } from "vue";
const txt = ref('123456')
</script><template><div><MyInput v-model="txt"></MyInput>{{ txt }}</div>
</template>
  • 子级组件
<script setup>
defineProps({modelValue: String
})
const emit = defineEmits(['update:modelValue'])</script><template><input type="text" :value="modelValue" @input="e => emit('update:modelValue', e.target.value)">
</template>

使用 defineModel

  1. 修改 vite.config.js 配置文件,在 vue( ) 括号里面加上{ script:{ defineModel: true } },具体如下所示:
vue({script: {defineModel: true}}),
  1. 重启服务
  2. 具体使用方法,如下所示
<script setup>
import MyInput from "@/components//temp.vue"
import { ref } from "vue";
const txt = ref('123456')
</script><template><div><MyInput v-model="txt"></MyInput>{{ txt }}</div>
</template>
<script setup>
import { defineModel } from "vue";
const modelValue = defineModel()</script><template><input type="text" :value="modelValue" @input="e => modelValue = e.target.value">
</template>

Pinia

概念简述

Pinia 是 Vue 的最新状态管理工具,是 Vuex 的替代品

回顾 Vuex 涉及哪些概念:statemutaionsactionsgettersmodules
Pinia 涉及的概念:stateactionsgetters

注意:在实际开发项目的时候,关于Pinia的配置,可以在项目创建时自动添加,而手动添加的方式如下:

  1. 安装 Pinia 包: npm install pinianpm i pinia
  2. 配置 Pinia:
import { createApp } from 'vue'
import { createPinia } from 'pinia'  // 导入 Pinia 包
import App from './App.vue'const pinia = createPinia()    // 创建 Pinia 实例
const app = createApp(App)    // 创建根实例
app.use(pinia)    // pinia 插件的安装配置
app.mount('#app')   // 视图的挂载

基本使用(store)

在 src 文件夹下创建一个 store 文件夹,在 store 里面新建一个 js 文件,这里演示为 counter.js

import { defineStore } from "pinia"
import { computed, ref } from "vue"// 定义store
// defineStore(仓库的唯一标识,() => { ... })export const useCounterStore = defineStore('counter', () => {// 声明数据 stateconst count = ref(999)// 声明操作数据的方法 actionconst addCount = () => count.value++const reduceCount = () => count.value--// 声明基于数据派生的计算属性 gettersconst double = computed(() => count.value * 2)// 与上面类似const msg = ref('hello pinia')const changeMsg = () => { msg.value += '_plus' }// 返回要被访问的数据return {count,double,addCount,reduceCount,msg,changeMsg}
})
  • src/App.vue
<script setup>
import Son1Com from "@/components/Son1Com.vue";
import Son2Com from "@/components/Son2Com.vue";import { useCounterStore } from "@/store/counter.js"
const counterStore = useCounterStore()</script><template><div><h1>我是App.vue根组件 - {{ counterStore.count }} - {{ counterStore.double }}</h1><button @click="counterStore.changeMsg">改变</button>{{ counterStore.msg }}<hr><Son1Com></Son1Com><Son2Com></Son2Com></div>
</template>
  • src/components/Son1Com.vue
<script setup>
import { useCounterStore } from "@/store/counter.js"
const counterStore = useCounterStore()
</script><template><div><h3>我是Son1Com子组件 - {{ counterStore.count }} <button @click="counterStore.addCount">+</button></h3></div>
</template>
  • src/components/Son2Com.vue
<script setup>
import { useCounterStore } from "@/store/counter.js"
const counterStore = useCounterStore()
</script><template><div><h3>我是Son2Com子组件 - {{ counterStore.count }} <button @click="counterStore.reduceCount">-</button></h3></div>
</template>

异步实现(action)

  • src/store/channel.js
import { defineStore } from "pinia"
import { ref } from "vue";
import axios from "axios"export const useChannelStore = defineStore('channel', () => {const channelList = ref([])const getList = async () => {const res = await axios.get('http://geek.itheima.net/v1_0/channels')// 解构: 在返回的信息中找到真正需要的数据const { data: { data: { channels } } } = reschannelList.value = channels}return {channelList,getList}
})
  • src/App.vue
<script setup>import { useChannelStore } from "@/store/channel.js"
const channelStore = useChannelStore()</script><template><div><button @click="channelStore.getList">获取数据频道</button><ul><li v-for="item in channelStore.channelList" :key="item.id">{{ item.name }}</li></ul></div>
</template>

持久化存储插件

官方文档:https://prazdevs.github.io/pinia-plugin-persistedstate/zh/guide/

AI 插件

Github Copilot 插件安装步骤:

  • 登录 GitHub,试用 Copilot
  • 打开 VScode,搜索并安装插件 Copilot

Github Copilot 插件使用说明:

  • 删除键:表示不接受本次 AI 的智能生成代码
  • Tab键:表示接收本次 AI 的智能生成代码
  • Ctrl + Enter:查看更多方法

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

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

相关文章

服务端向客户端推送数据的实现方案

在日常的开发中&#xff0c;我们经常能碰见服务端需要主动推送给客户端数据的业务场景&#xff0c;比如数据大屏的实时数据&#xff0c;比如消息中心的未读消息&#xff0c;比如聊天功能等等。 本文主要介绍SSE的使用场景和如何使用SSE。 服务端向客户端推送数据的实现方案有哪…

MySQL 自增列解析(Auto_increment)

MySQL数据库为列提供了一种自增属性&#xff0c;当列被定义为自增时。Insert语句对该列即使不提供值&#xff0c;MySQL也会自动为该列生成递增的唯一标识&#xff0c;因此这个特性广泛用于主键的自动生成。 一、自增列的用法 自增列具有自动生成序列值&#xff0c;整型&#…

职责链模式(Chain of Responsibility Pattern)

定义 职责链模式&#xff08;Chain of Responsibility Pattern&#xff09;是一种行为设计模式&#xff0c;它允许对象接收请求并将其沿着处理者链传递&#xff0c;直到有一个处理者处理它为止。职责链模式通过将请求的处理逻辑分布 在职责链模式中&#xff0c;通常包含以下几…

MYSQL04高级_逻辑架构剖析、查询缓存、解析器、优化器、执行器、存储引擎

文章目录 ①. 逻辑架构剖析②. 服务层 - 查询缓存③. 服务层 - 解析器④. 服务层 - 优化器⑤. 服务层 - 执行器⑥. MySQL8执行原理 ①. 逻辑架构剖析 ①. 服务器处理客户端请求 ②. 连接层 系统(客户端)访问MySQL服务器前,做的第一件事就是建立TCP连接经过三次握手建立连接成…

Linux使用C语言实现通过互斥锁限制对共享资源的访问

互斥锁限制共享资源的访问 主线程中有两个线程&#xff0c;分别输出信息。 #include <stdio.h> #include <pthread.h> #include <unistd.h>int g_data0;void* fun1(void *arg) {printf("t1&#xff1a;%ld thread is create\n", (unsigned long)…

大宋咨询数据研究在汽车新品上市中的核心作用

随着汽车行业的快速变革&#xff0c;数据研究已经成为新品上市流程中的不可或缺的一环。从市场定位、产品规划到营销策略&#xff0c;数据研究不仅为汽车企业提供了独特的洞察&#xff0c;还为其提供了决策依据&#xff0c;确保新品在竞争激烈的市场中取得优势。在这一领域&…

Kubernetes IoTDB系列 | IoTDB搭建 | v1.3.0

目录 一、IoTDB 介绍二、k8s 部署 IoTDB一、IoTDB 介绍 IoTDB 是一种面向物联网(IoT)场景的开源时序数据库。它专门设计用于高效地存储和查询大规模物联网设备产生的时序数据。IoTDB 提供了高吞吐量、低延迟、灵活的数据模型以及多种数据查询和存储引擎等特性,使其成为处理…

稀疏图带负边的全源最短路Johnson算法

BellmanFord算法 Johnson算法解决的问题 带负权的稀疏图的全源最短路 算法流程 重新设置的每条边的权重都大于或等于0&#xff0c;跑完Djikstra后得到的全源最短路&#xff0c;记得要还原&#xff0c;即&#xff1a;f(u,v) d(u,v) - h[u] h[v] 例题

45、WEB攻防——通用漏洞PHP反序列化POP链构造魔术方法原生类

文章目录 序列化&#xff1a;将java、php等代码中的对象转化为数组或字符串等格式。代表函数serialize()&#xff0c;将一个对象转换成一个字符&#xff1b;反序列化&#xff1a;将数组或字符串等格式还成对象。代表函数unserialize()&#xff0c;将字符串还原成一个对象。 P…

MWC 2024丨Smart Health搭载高通Aware平台—美格发布智能健康看护解决方案,开启健康管理新体验

2月29日&#xff0c;在MWC 2024世界移动通信大会上&#xff0c;全球领先的无线通信模组及解决方案提供商——美格智能正式发布了新一代Cat.1模组SLM336Q&#xff0c;是中低速物联网应用场景的高性价比之选。本次还发布了首款搭载高通Aware™平台的智能看护解决方案MC303&#x…

[万字长文] 从 Vue 3 的项目模板学习 tsconfig 配置

文章目录 一、tsconfig.json 的作用二、基本介绍三、Vue 3 的 tsconfig.json 的结构分析1. 总配置 tsconfig.json2. Web 侧 tsconfig.app.jsona. 继承基础配置b. 包含和排除的文件c. 编译器选项 3. 测试 tsconfig.vitest.jsona. 继承的基础配置b. 包含和排除的文件c. 编译器选项…

OD(13)之Mermaid饼图和象限图

OD(13)之Mermaid饼图和象限图使用详解 Author: Once Day Date: 2024年2月29日 漫漫长路才刚刚开始… 全系列文章可参考专栏: Mermaid使用指南_Once_day的博客-CSDN博客 参考文章: 关于 Mermaid | Mermaid 中文网 (nodejs.cn)Mermaid | Diagramming and charting tool‍‌⁡…

FPGA-学会使用vivado中的存储器资源RAM(IP核)

问题 信号源(例如ADC)以1us一个的速率产生12位的数据现要求获得连续1ms内的数据,通过串口以115200的波特率发到电脑。 分析 数据量是1000个 数据速率不匹配 数据内容未知 数据总数据量有限 数据的使用速度低于数据的产生速度 数据生产和消耗的位宽 数据量相对较…

ywtool check命令及ywtool clean命令

一.ywtool check命令 1.1 ywtool check -I 1.2 ywtool check all 1.3 ywtool check io 1.4 ywtool check elk 1.5 ywtool check php 1.6 ywtool check mysql 1.7 ywtool check nginx 1.8 ywtool check system 1.9 ywtool check docker_nbip [容器名称] 1.10 ywtool check 1.10…

综合练习(一)

目录 列出薪金高于部门 30 的所有员工薪金的员工姓名和薪金、部门名称、部门人数 列出与 ALLEN从事相同工作的所有员工及他们的部门名称、部门人数、领导姓名 Oracle从入门到总裁:https://blog.csdn.net/weixin_67859959/article/details/135209645 列出薪金高于部门 30 的所…

Linux login命令教程:如何终端登录系统、管理用户会话(附实例详解和注意事项)

Linux login命令介绍 login 命令用于登录到系统。它要求用户输入用户名和密码&#xff0c;然后验证这些凭据并启动一个新的会话。通常&#xff0c;login 命令用于文本终端登录&#xff0c;但也可以在图形界面中使用。 Linux login命令适用的Linux版本 login 命令在所有主要的…

基于JSON的Ollama和LangChain agent

到目前为止&#xff0c;我们都可能意识到&#xff0c;通过为LLMs提供额外的工具&#xff0c;我们可以显著增强它们的功能。 例如&#xff0c;即使是ChatGPT在付费版本中也可以直接使用Bing搜索和Python解释器。OpenAI更进一步&#xff0c;为工具使用提供了经过优化的LLM模型&am…

17. 电话号码的字母组合(力扣LeetCode)

文章目录 17. 电话号码的字母组合回溯算法 17. 电话号码的字母组合 给定一个仅包含数字 2-9 的字符串&#xff0c;返回所有它能表示的字母组合。答案可以按 任意顺序 返回。 给出数字到字母的映射如下&#xff08;与电话按键相同&#xff09;。注意 1 不对应任何字母。 示例…

js方法 提前结束循环

http://t.csdnimg.cn/j0gkOhttp://t.csdnimg.cn/j0gkO 一、各种循环方法如何跳出整个循环&#xff1f; 对于forEach()方法&#xff0c;目前似乎没有比较优雅的跳出整个循环的方法&#xff0c;如果你实在要用forEach()方法并且需要在某种条件下跳出整个循环提高遍历效率&#x…

政安晨:【掌握AI的深度学习工具Keras API】(二)—— 【使用内置的训练循环和评估循环】

渐进式呈现复杂性&#xff0c;是指采用一系列从简单到灵活的工作流程&#xff0c;并逐步提高复杂性。这个原则也适用于模型训练。Keras提供了训练模型的多种工作流程。这些工作流程可以很简单&#xff0c;比如在数据上调用fit()&#xff0c;也可以很高级&#xff0c;比如从头开…