写给Vue2使用者的Vue3学习笔记

🙋‍请注意,由于本人项目中引入了unplugin-auto-import的依赖,所以所有的代码示例中均未手动引入各种依赖库(ref、reactive、useRouter等等)

初始环境搭建

npm init vue@latest

模板语法

插值

同 Vue2

<span>Message: {{ msg }}</span>

HTML

同 Vue2

<p>HTML Text: {{ rawHtml }}</p>
<p>v-html: <span v-html="rawHtml"></span></p>

Attribute

同 Vue2

<div :txt="text"></div>

绑定多个值

同 Vue2

<script setup>import exampleCom from "./exampleCom.vue"import { ref } from "vue"const a = ref("21")const name = ref("Jae")
</script><template><example-com v-bind="{age, name}"></example-com>
</template>

JavaScript 表达式

同 Vue2

<template>{{ num + 1 }}{{ izCorrect ? 'YES' : 'NO' }}{{ string.split('').reverse().join('') }}<div :id="`div-${id}`"></div>
</template>

函数

同 Vue2

<template><span :title="formatTitle(date)">{{ formatDate(date) }}</span>
</template>

指令

同 Vue2

<template><p v-if="izShow">Hello</p>
</template>

参数

同 Vue2

<template><a :href="url">点我</a>
</template>

事件

同 Vue2

<template><button @click="handleClickBtn">点我</button>
</template>

动态参数

同 Vue2

<template><a :[attributeName]="url">点我</a>
</template>

动态的事件名称

同 Vue2

<template><button @[eventName]="handleClickBtn">点我</button>
</template>

修饰符

同 Vue2

<template><form @submit.prevent="onSubmit">...</form>
</template>

响应式基础

开始学习,基本上是Vue3的船新版本🤣

声明状态

<template>{{ state.count }}
</template><script setup>
const state = reactive({count: 0
})
</script><style scoped></style>

声明方法

<template><button @click="add">{{ state.count }}</button>
</template><script setup>
const state = reactive({count: 0
})
function add() {state.count++
}
</script><style scoped></style>

ref

reactive只能用于对象、数组和 Map、Set 这样的集合类型,对 string、number 和 boolean 这样的原始类型则需要使用ref

<template><!--在 html 模板中不需要写 .value 就可以使用-->{{ count }}
</template><script setup>
const count = ref(0);
console.log(count); // { value: 0 }
console.log(count.value); // 0
</script><style scoped></style>

响应式样式

<template><button @click="open = !open">切换</button><div>Hello</div>  
</template><script setup>
const open = ref(false);
</script><style scope>div{overflow: hidden;height: v-bind("open ? '30px' : '0px'");}
</style>

Watch 和 Computed

监听状态

<template><button @click="add">{{ count }}</button><p> 是否为偶数: {{ isEvent ? '是' : '否' }} </p>
</template><script setup>
const count = ref(0)
const isEvent = ref(false)function add() {state.count++
}watch(count, () => {isEvent.value = count.value % 2 === 0
})// 立即监听
watch(count, function() {isEvent.value = count.value % 2 === 0
}, {//立即执行一次immediate: true
})
</script>

WatchEffect

会立即执行传入的一个函数,同时响应式追踪其依赖,并在其依赖变更时重新运行该函数(类似计算属性)。而且是非惰性,会默认调用一次

<script setup lang="ts">
let num = ref(0)setTimeout(() => {num.value++
}, 3000)watchEffect(() => {// 第一次进入页面时,打印出num 值改变:0;三秒后,再次打印num 值改变:1console.log('num 值改变:', num.value)
})</script>

计算状态

<script setup>
const text = ref('')
// 用watch也能实现,但是computed更好,有缓存,可以根据已有并用到的状态计算出新的状态
const str = computed(() => {return text.value.toUpperCase(); // 转换成大写
})
</script><template><input v-model="text" /><p>STR: {{ str }}</p>
</template>

组件通信

到重点了,要注意咯🙋‍

defineProps

<!--子组件-->
<script setup>
defineProps({name: String
})
</script><template><p>username: {{ name }}</p>
</template>
<!--父组件-->
<script setup>
const sonName = 'Jack'
</script><template><children :name="sonName" />
</template>

defineEmits

<!--子组件-->
<template><input v-model="keyword" /><button @click="onSearch">search</button>
</template><script setup>
const emit = defineEmits(['search'])
const keyword = ref('')
const onSearch = function() {emit('search', keyword.value)
}
</script>
<!--父组件-->
<template><children @search="onSearch" />
</template><script setup>
const onSearch = (keyword) => {console.log(keyword)
}
</script>

defineProps + defineEmits + computed 组件初尝试

来写一个经典的弹窗组件吧😀

<template><div v-if="dialogVisible" class="child-class"><span @click="handleClickClose">×</span><div>我是一个模拟弹窗</div></div>
</template><script setup>
const props = defineProps({visible: {type: Boolean,default: false}
})const emit = defineEmits(['update:visible'])let dialogVisible = computed({get() {return props.visible},set(val) {emit('update:visible', val)}
})
const handleClickClose = () => {dialogVisible.value = false
}
</script><style scoped>
.child-class {width: 300px;height: 200px;margin-top: 20px;border: 2px solid #000;span {float: right;clear: both;font-size: 20px;color: red;cursor: pointer;}
}
</style>
<!--父组件-->
<script setup lang="ts">
import ChildrenCom from './components/icons/ChildrenCom.vue';const open = ref(false)
const handleClick = () => {open.value = !open.value
}
</script><template><button @click="handleClick">打开</button><children-com v-model:visible="open" />
</template><style scoped></style>

注意:父组件中的 v-model="open" 等同于 Vue2 中我们常写的 :visible.sync="open"

看下效果吧👇
请添加图片描述

defineExpose

<!--子组件-->
<template>{{ sonTxt }}
</template><script setup>
const props = defineProps({sonTxt: {type: String,default: '1'}
})const test = '777'defineExpose({test
})
</script><style scoped></style>
<!--父组件-->
<template><children ref="compRef" :son-txt="txt" />
</template><script setup>
const txt = ref('Hello')const compRef = ref(null)
onMounted(() => {console.log(compRef.value.test); // 777
})
</script><style scoped></style>

使用 TypeScript

更难了,做好准备🏇

为 props 标注类型

<script setup lang="ts">
// 当使用 <script setup> 时,defineProps支持从它的参数中推导类型
const props = defineProps({param1: { type: String, required: true },param2: Number
})
props.param1 // string
props.param2 // number | undefined// 或者使用接口定义
interface IProps {param1: string,param2: number
}
const props = defineProps<IProps>()
</script>

Props 默认值

<script setup lang="ts">
interface IProps {msg?: string,strArray?: (string | number)[]
}
const props = withDefaults(defineProps<IProps>(), {msg: 'hello',strArray: () => [1, '2', '3']
})console.log(props.strArray); // [1, '2', '3']
</script><template>{{ msg }}
</template><style scoped></style>

Props 解构

Vue3 中为了保持响应性,始终需要以 props.x 的方式访问这些 prop

所以不能够解构 defineProps 的返回值,因为得到的变量将不是响应式的、也不会更新😶

<!--子组件-->
<template><!-- count 始终为 0 --><div>{{ count }}</div><!-- info 始终为 { age: 21 } --><div>{{ info }}</div>
</template><script setup lang="ts">const props = defineProps<{count: number;info: object;
}>()const { count, info } = props
</script>
<!--父组件-->
<template><comp :count="count" :info="info" />
</template><script setup>
import comp from './components/comp.vue'const count = ref(0);
const info = ref({age: 21
})
// 模拟数据变化
setTimeout(() => {count.value++info.value = { age: 99 }
}, 1000)
</script><style scoped></style>

有两种方式解决😀

方式一:直接解构。但是请注意:vue@3.5 才支持

<template><!-- count 会在1秒后变为1 --><div>{{ count }}</div><!-- info 会在1秒后变为 { age: 99 } --><div>{{ info }}</div>
</template><script setup lang="ts">
const { count, info } = defineProps<{count: number;info: object;
}>()
</script>

方式二:toRef 与 toRefs

toRef,基于响应式对象上的一个属性,创建一个对应的 ref,这个 ref 与其源属性保持同步:改变源属性的值将更新 ref 的值

toRefs,将一个响应式对象转换为一个普通对象,这个普通对象的每个属性都是指向源对象相应属性的 ref。每个单独的 ref 都是使用 toRef() 创建的

<template><!-- count 会在1秒后变为1 --><div>{{ count }}</div><!-- info 会在1秒后变为 { age: 99 } --><div>{{ info }}</div>
</template><script setup lang="ts">
const props = defineProps<{count: numberinfo: object
}>()// const count = toRef(props, "count")
// const info  = toRef(props, "info")
const { count, info } = toRefs(props)
</script>

为 emits 标注类型

<!--子组件-->
<template><button @click="handleClickBtn">click me</button>
</template><script setup lang="ts">
const emit = defineEmits<{(e: 'change', value?: string): void
}>()
function handleClickBtn() {emit('change', '我是从子组件来的')
}
</script>
<!--父组件-->
<template><comp @change="emitChange" />
</template><script setup>
import comp from './components/comp.vue'function emitChange(val) {console.log(val);
}
</script><style scoped></style>

为 ref 标注类型

<template><comp :msg="msg" />
</template><script setup lang="ts">
import comp from './components/comp.vue'
import type { Ref } from 'vue'// 不能写msg: string,因为ref函数返回的是一个 Ref 类型的对象,而这么写实际是将其类型定义为了 string
// 因此,TypeScript 会报告类型不匹配的错误(不能将类型“Ref<string>”分配给类型“string”)
const msg: Ref<string> = ref('hello2')
</script><style scoped></style>

为reactive标注类型

<script setup lang="ts">
import { onMounted, reactive } from 'vue';
import ChildrenCom from './components/icons/ChildrenCom.vue';
interface IBook {title: string,person?: string
}const book: IBook = reactive({title: '为reactive标注'
})
onMounted(() => {console.log(book.title); // 为reactive标注
})
</script><template><children-com  />
</template><style scoped></style>

为 computed() 标注类型

<script setup lang="ts">
const count = ref(0)
const double = computed<number>(() => {// 若返回值不是 number 类型则会报错return count.value * 2
})
</script>

<template><button @click="handleClick">Click</button>
</template><script lang="ts" setup>
const emit = defineEmits(['click'])
const handleClick = (e: MouseEvent) => {emit('click', e)
}
</script><style scoped></style>

当你启用了 ts 后,这么写会报错 参数“e”隐式具有“any”类型,这是因为TypeScript 检测到函数 handleClick 的参数 e 没有明确的类型声明,默认情况下被隐式地视为 any 类型,这不符合 TypeScript 的严格类型检查规则。

<template><button @click="handleClick">Click</button>
</template><script lang="ts" setup>
const emit = defineEmits(['click'])
const handleClick = (e: MouseEvent) => {emit('click', e)
}
</script><style scoped></style>

为事件处理函数标注类型

<!--子组件-->
<template><input @change="handleChange" />
</template><script lang="ts" setup>
const emit = defineEmits(['change'])
const handleChange = (e: Event) => { // 或者e: MouseEvent也可以emit('change', e)
}
</script><style scoped></style>
<!--父组件-->
<script setup lang="ts">
import ChildrenCom from './components/icons/ChildrenCom.vue';const handleChildChange = (e: Event) => {console.log(e.target.value);
}
</script><template><children-com @change="handleChildChange" />
</template><style scoped></style>

父组件这样子直接输出e.target.value是会报错的哦,会报错e.target 可能为 null类型 EventTarget 上不存在属性 value。这是因为Event 类型是一个通用类型,而 value 属性通常存在于特定类型的事件目标(如 HTMLInputElement)上

使用类型断言改进👇:

const handleChildChange = (e: Event) => {console.log((e.target as HTMLInputElement).value);
}

为模板引用标注类型

<template><input ref="el" />
</template><script lang="ts" setup>
const el = ref(null)
onMounted(() => {el.value.focus()
})
</script><style scoped></style>

这么写的话 ts 报错 el.value 可能为 null ,这是因为在 onMounted 钩子执行时,el 可能还没有被正确引用到 DOM 元素,所以我们可以使用可选链操作符 ?. 来避免直接调用 focus 方法时出现的 null 错误。

const el = ref(null)
onMounted(() => {el.value?.focus()
})

这时候 ts 又报错了 类型“never”上不存在属性 focus,看来直接声明 el 为 ref(null) 是不行的,那怎么办呢?🧐

const el = ref<HTMLInputElement | null>(null)
onMounted(() => {el.value?.focus()
})

介绍一种 Vue3.5 以上可使用的更直接的方法,使用 useTemplateRef

const element = useTemplateRef<HTMLInputElement>('el') // 甚至变量名都不需要跟template中ref的名字一样
onMounted(() => {element.value?.focus()
})

路由跳转,获取路由参数

直接上示例🤣
路由文件:

import { createRouter, createWebHistory } from 'vue-router'const router = createRouter({history: createWebHistory(import.meta.env.BASE_URL),routes: [{path: '/home',name: 'home',component: () => import('@/views/Home.vue')},{path: '/about',name: 'about',component: () => import('@/views/About.vue')}]
})export default router

关于页:

<template><div>我是关于页</div>
</template><script setup></script><style scoped></style>

首页:

<template><div>我是首页</div>
</template><script setup></script><style scoped></style>

App.vue

<script setup>
const router = useRouter()
const route = useRoute()
let title = ref('')
let url = ref('')watch(route, val => {const routeName = val.nametitle.value = routeName === 'home' ? '前往关于页' : '前往首页'url.value = routeName === 'home' ? '/about' : '/home'
})
const goToPage = () => {router.push(url.value)
}
</script><template><router-view></router-view><button @click="goToPage">{{ title }}</button>
</template><style scoped></style>

在这里插入图片描述
在这里插入图片描述

获取上下文对象

Vue3 中无法使用 this 获取上下文对象了,虽然 Vue3 的开发中不使用这个问题也不大,但是对于刚从 Vue2 转到 Vue3 的同学可能依然还是想获取到类似 Vue2 中this 中的数据,有办法吗?🧐

有的👇

// 如果你没有安装自动导入依赖的依赖库,需要手动引入哦,import { getCurrentInstance } from 'vue'
const { ctx } = getCurrentInstance()
console.log(ctx); // 和 this 的属性基本一样,只不过这里每个都是Proxy

缓存路由组件

缓存一般的动态组件,Vue3 和 Vue2 的用法是一样的,都是使用 KeepAlive 包裹 Component。但缓存路由组件,由于Vue 3 由于引入了组合式 API 和 v-slot 功能,有更简洁的方式来实现动态缓存:

Vue2👇

<KeepAlive><router-view />
</KeepAlive>

Vue3👇

<router-view v-slot="{ Component }"><keep-alive v-if="Component.meta && Component.meta.keepAlive"><component :is="Component" /></keep-alive><component v-else :is="Component" />
</router-view>

逻辑复用

Vue2 中逻辑复用主要是采用 mixin,但 mixin 会有数据来源不明、引起命名冲突、可重用性有限等问题。所以 Vue3 推荐使用 hooks🥸

来个最经典的鼠标位置跟踪功能吧🤣

// useMouse.ts
export function useMouse() {const x = ref(0)const y = ref(0)function update(e: MouseEvent) {x.value = e.pageXy.value = e.pageY}onMounted(() => {window.addEventListener('mousemove', update)})onUnmounted(() => {window.addEventListener('mousemove', update)})return { x, y }
}
<script setup lang="ts">
import { useMouse } from './hooks/useMouse'const { x, y } = useMouse()
</script><template><div>鼠标位置为:{{ x }}, {{ y }}</div>
</template><style scoped></style>

生命周期

这部分看文档吧,比较简单就不多说了,注意一下如果需要在组件创建前注入逻辑,直接在 <script setup> 中编写同步代码就可以了

全局 API

还记得Vue2 怎么添加全局属性和全局方法吗?是这样的:Vue.prototype.$http = () => {},在构造函数Vue的原型对象上添加。但是在Vue3中,需要在 app 实例上添加:

// main.ts
const app = createApp({})
app.config.globalProperties.$http = () => {}

CSS 样式穿透

<style lang="scss" scoped>
/* Vue2 */
/deep/ .el-form {.el-form-item { ... }
}/* Vue3 */
:deep(.el-form) {.el-form-item { ... }
}
</style>

异步组件

通过 defineAsyncComponent 异步加载

<template><Children></Children>
</template><script setup lang="ts">
// import Children from './Children.vue'
const Children = defineAsyncComponent(() => import('./Children.vue'))
</script>

Teleport

<Teleport> 是一个内置组件,它可以将一个组件内部的一部分模板“传送”到该组件的 DOM 结构外层的位置去。因为Teleport节点挂载在其他指定的DOM节点下,完全不受父级style样式影响

<script setup lang="ts">
import ChildrenCom from './components/icons/ChildrenCom.vue';
</script><template><!-- 插入至body --><Teleport to='body'><children-com /></Teleport><!-- #app下 --><children-com />
</template><style scoped></style>

在这里插入图片描述

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

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

相关文章

C# 数据结构之【图】C#图

1. 图的概念 图是一种重要的数据结构&#xff0c;用于表示节点&#xff08;顶点&#xff09;之间的关系。图由一组顶点和连接这些顶点的边组成。图可以是有向的&#xff08;边有方向&#xff09;或无向的&#xff08;边没有方向&#xff09;&#xff0c;可以是加权的&#xff…

Flink入门介绍

《 Flink 入门介绍》 一、前言 在当今大数据领域&#xff0c;流式计算扮演着至关重要的角色。它与传统的批量计算有着明显的区别&#xff0c;并在众多场景中展现出独特的优势。 &#xff08;一&#xff09;数据的时效性 在日常工作中&#xff0c;数据处理方式多样。若处理年…

短剧系统小程序开发产品设计实例解析

短剧系统小程序开发架构深度解析引言 随着数字娱乐市场的蓬勃发展&#xff0c;短剧因其紧凑的情节、创新的表现形式和便捷的观看体验&#xff0c;迅速吸引了大量观众的关注。作为承载短剧内容的重要平台&#xff0c;短剧系统小程序不仅需要在用户体验、内容管理等方面做到极致&…

AI数字人视频小程序:引领未来互动新潮流

当下&#xff0c;随着人工智能技术的不断创新发展&#xff0c;各类AI系统已经成为了创新市场发展的重要力量&#xff0c;AI文案、AI数字人、AI视频等&#xff0c;为大众带来更加便捷的创作方式&#xff0c;AI成为了一个全新的风口&#xff0c;各种AI红利持续释放&#xff0c;市…

《光谱学与光谱分析》

《光谱学与光谱分析》(Spectroscopy and Spectral Analysis)系中国科学技术协会主管&#xff0c;中国光学学会主办&#xff0c;由钢铁研究总院、中国科学院物理研究所、北京大学、清华大学联合承办的学术性刊物。刊登主要内容&#xff1a;激光光谱测量、红外、拉曼、紫外、可见…

解决vue-pdf的签章不显示问题

在使用vue-pdf 4.3.0时发现上传一般的普通pdf正常预览&#xff0c;但是上传带有红头文件的和和特殊字体的pdf无法正常内容显示&#xff0c;文字丢失问题。 1、查看控制台报错信息 2、缺少字体原因 getNumPages(url) {var loadingTask pdf.createLoadingTask({url: url,//引入…

【 模型】 开源图像模型Stable Diffusion入门手册

开源图像模型Stable Diffusion入门手册 引言硬件要求环境部署手动部署整合包 模型装配更新显存优化插件配置文生图最简流程提示词使用技巧结语 引言 Stable Diffusion是一款在2022年发布的深度学习文字到图像生成模型。它能够根据文字描述生成详细的图像&#xff0c;并且在几秒…

跨境电商API接口:数据采集与业务集成的核心

跨境电商作为全球贸易的重要组成部分&#xff0c;正随着互联网技术的发展而迅速增长。在这个过程中&#xff0c;API接口扮演了至关重要的角色&#xff0c;它们不仅提高了运营效率&#xff0c;还增强了安全性和用户体验。本文将深入探讨跨境电商API接口的应用、重要性以及面临的…

【linux013】文件操作命令篇 - less 命令

文章目录 less 命令1、基本用法2、常见选项3、交互式键盘命令4、举例5、注意事项 less 命令 less 是 Linux 中强大的文件分页查看命令&#xff0c;比 more 更灵活且功能更强大。less 支持双向滚动、搜索、显示大文件等功能&#xff0c;适用于查看文件内容或管道输出的大量文本…

力扣 无重复字符的最长字串-3

无重复字符的最长字串-3 class Solution { public:// 解决方法&#xff1a;双指针int lengthOfLongestSubstring(string s) { // 如果字符串为空&#xff0c;直接返回0if (s.length() 0)return 0;// 如果字符串不为空&#xff0c;字符串每个字符都不同的情况下&#xff0c;最…

如何在Ubuntu当中利用CloudCompare软件进行点云配准拼接?

1.首先需要安装相应的cloudcompare软件&#xff0c;以下有两种方式&#xff1a;第一种直接在ubuntu的软件商店里搜索CloudCompare软件进行install&#xff0c;我这里已经安装完毕。 方式二&#xff1a;可以直接原码安装&#xff1a; github地址&#xff1a; https://github.co…

贴贴,一款windows剪切板管理软件

贴贴&#xff0c;一款windows剪切板管理软件 软件下载官网 https://tietieapp.com 软件界面 软件界面简洁、信息展示清晰。软件会自动记录你复制过的内容。包括哪个软件复制的、复制的时间。支持图片、文本、文件等多种格式。支持持久化&#xff0c;电脑重启记录仍然存在。支持…

泷羽sec学习打卡-html基础

声明 学习视频来自B站UP主 泷羽sec,如涉及侵权马上删除文章 笔记的只是方便各位师傅学习知识,以下网站只涉及学习内容,其他的都与本人无关,切莫逾越法律红线,否则后果自负 关于云技术基础的那些事儿-捕获帅照 html基础什么是html&#xff1f; 常用的html标签html示例 css基础什…

RocketMQ的使⽤

初识MQ 1.1.同步和异步通讯 微服务间通讯有同步和异步两种⽅式&#xff1a; 同步通讯&#xff1a;就像打电话&#xff0c;需要实时响应。 异步通讯&#xff1a;就像发邮件&#xff0c;不需要⻢上回复。 两种⽅式各有优劣&#xff0c;打电话可以⽴即得到响应&#xff0c;但…

java 字符 ASCII码 详解

在 Java 中&#xff0c;字符 (char) 和 ASCII 码的关系是通过 Unicode 字符集建立的。以下是 Java 中字符与 ASCII 码相关的详解。 1. 什么是 ASCII 和 Unicode&#xff1f; ASCII (American Standard Code for Information Interchange) ASCII 码 是一种字符编码标准&#x…

初试无监督学习 - K均值聚类算法

文章目录 1. K均值聚类算法概述2. k均值聚类算法演示2.1 准备工作2.2 生成聚类用的样本数据集2.3 初始化KMeans模型对象&#xff0c;并指定类别数量2.4 用样本数据训练模型2.5 用训练好的模型生成预测结果2.6 输出预测结果2.7 可视化预测结果 3. 实战小结 1. K均值聚类算法概述…

JSON,事件绑定

文章目录 JSON事件绑定输入框input和div的内容返回获取dom元素数组还是单个对象for循环为什么要写const那一行&#xff0c;直接写 hobbys[index].checked true;可以吗const不是常量吗&#xff0c;为什么用const声明的element的属性值可以改变&#xff1f; 黑马学习笔记 JSON 定…

学习HTML第三十一天

学习文章目录 七. 普通按钮八. 文本域九.下拉框 七. 普通按钮 注意点&#xff1a;普通按钮的 type 值为 button &#xff0c;若不写 type 值是 submit 会引起表单的提交 八. 文本域 常用属性如下&#xff1a; rows 属性&#xff1a;指定默认显示的行数&#xff0c;会影响文…

基于Multisim的汽车尾灯控制电路设计与仿真

1、电路由四个按键控制&#xff0c;分别对应左转、右转、刹车和检查。 2、当左转或右转键按下时,左侧或右侧的 3个汽车尾灯按照左循环或右循环的顺!2/3 点亮&#xff0c;点亮时间为 1秒。 3、当刹车时&#xff0c;所有的尾灯同时闪烁&#xff0c;闪烁时间为1秒。 4、当检查时…

7天掌握SQL - 第三天:MySQL实践与索引优化

目录 安装MySQL创建数据库和表结构SQL语句实操练习MySQL高级特性索引设计与优化总结 1. 安装MySQL 1.1 下载与安装 MySQL可以通过官方网站下载安装包。以下是安装MySQL的基本步骤&#xff1a; 访问MySQL官方网站 MySQL Downloads。选择适合您操作系统的版本进行下载。安装…