vue3基础语法学习

前言:vue2中复杂组件的代码变得越来越难以维护,缺少一种在多个组件之间提取和复用逻辑的机制,现在的重用机制又存在一些弊端,所以vue3中隆重推出了Composition API。
关于Composition API:
一、ref和reactive
1.ref:
作用:用于定义基本类型数据,例如:String,Number,Boolean等,将其转换为一个带有响应式特性的数据类型
语法:const x = ref(100)
访问:在setup中使用.value访问,在模板中读取时,不需要使用.value

<script lang="ts" setup>
import { ref} from 'vue'
const count = ref(9)
const increase = () => {
  count.value++
}
const decrease = () => {
  count.value--
}
</script>
<template>
  <div>
    <h1> count is a number {{ count }}</h1>
    <div>
      <button @click="increase">count +1</button>
      <button @click="decrease">count -1</button>
    </div>
  </div>
</template>

2.reactive
作用:用于定义引用数据类型,例如:数组,对象等,将其转换为一个带有响应式特性的数据类型
语法:const info = reactive( { count: 0 } )
注意:响应式转换是深层的,它会影响所有嵌套的属性;若要避免深层响应式的转换,只想保留对这个对象顶层次访问的响应性,请使用ShallowReactive()

<script lang="ts" setup>
import { reactive} from 'vue'
const data = reactive({
  count: 5
})
const increase = () => {
  data.count++
}
const decrease = () => {
  data.count--
}
</script>
<template>
  <div class="about">
    <h1> count is a number {{ data.count }}</h1>
    <div>
      <button @click="increase">count +1</button>
      <button @click="decrease">count -1</button>
    </div>
  </div>
</template>

上述示例中,如果将reactive对象中的属性解构后单独拿出来使用,则会失去响应性,比如:
const {count} = data
官方推荐我们使用toRefs()来解构reactive对象,使其展开的每个属性都是响应式的;
const {count} = toRefs(data)
二、computed和watch
1.computed
作用:描述依赖响应式状态的复杂逻辑;会自动追踪响应式依赖。
用法:computed()方法接收一个getter函数作为参数,返回值为一个计算属性ref,即可以通过.value访问计算结果,在模板表达式中无需添加.value

<script lang="ts" setup>
import { reactive, computed, toRefs } from 'vue'
const data = reactive({
  count: 5
})
const { count } = toRefs(data)
const doubleCount = computed(() => {
  return count.value * 2
})
 
const increase = () => {
  count.value++
  console.log(doubleCount.value)
}
const decrease = () => {
  count.value--
  console.log(doubleCount.value)
}
</script>
<template>
  <div class="about">
    <h1>count is a number {{ count }}</h1>
    <div>
      <button @click="increase">count +1</button>
      <button @click="decrease">count -1</button>
    </div>
    <h1>this is doubleCount{{ doubleCount }}</h1>
  </div>
</template>

计算属性vs方法:
不同点:
计算属性值会基于其响应式依赖被缓存,即一个计算属性仅会在其响应式依赖更新时才重新计算;而方法调用总是会在重新渲染发生时再次执行函数。
2.watch
作用:用于监听响应式变量的变化
语法:watch(x,(new, old) => {})
watch的第一个参数可以是:一个ref(包括计算属性)、一个响应式对象、一个getter函数、或多个数据源组成的数组

const { count } = ref(3)
const doubleCount = computed(() => {
  return count.value * 2
})
 
watch(doubleCount, (newValue, oldValue) => {
  console.log('new', newValue)
  console.log('old', oldValue)
})

注意:不能直接侦听响应式对象的属性值!!
而是 需要返回该属性的getter函数:

const data = reactive({
  count: 5
})
// 提供一个getter函数
watch(
  () => data.count,
  (count) => {
    console.log('count is', count)
  }
)

三、新的生命周期函数
1.选项式的beforeCreatecreated,被setup替代了,setup表示组件被创建之前,props被解析之后执行,它是组合式API的入口
2.选项式的beforeDestroydestroyed被更名为beforeUnmountunmounted

vue 2.x vue 3.x
beforeCreate setup
created setup
beforeMount onBeforeMount
mounted onMounted
beforeUpdate onBeforeUpdate
updated onUpdated
beforeDestroy onBeforeUnmount
destroyed onUnmounted

四、自定义函数-Hooks函数
新建hooks/useXXX.ts文件,将逻辑代码都放在函数里:

hooks/useMousePosition.ts
import {ref,onMounted,onUnmounted} from 'vue'
function useMousePosition () {
    const x = ref(0)
    const y = ref(0)
    const updateMouse = (event:MouseEvent) => {
        x.value = event.pageX
        y.value = event.pageY
    }
    onMounted(() => {
        document.addEventListener('click', updateMouse)
    })
    onUnmounted(() => {
        document.removeEventListener('click', updateMouse)
    })
    return {
        x,
        y
    }
}
export default useMousePosition
xxx.vue
<script setup lang="ts">
    import useMousePosition from './hooks/useMousePosition'
    const { x, y } = useMousePosition()
</script>

优点:

  1. 清楚x,y变量来源
  2. 可以给x,y设置别名,这样的话可以避免命名冲突的风险
  3. 逻辑可以脱离组件存在,和组件本身的实现没有任何关系,不需要添加任何组件实现的功能,完美实现了逻辑重用
    五、其他新增特性:
    Teleport-瞬移组件的位置,"传送"
    作用:把指定的元素或组件渲染到任意父级作用域的其它DOM节点上
    应用场景:常用于封装Modal弹框组件
    语法:<Teleport> 接收一个 to prop 来制定传送的目标。to 的值可以是一个 CSS 选择器(如:to=".box"、to="#box"),也可以是一个 DOM 元素对象(如:to="body"
Modal.vue
<script lang="ts" setup>
import { defineProps, defineEmits } from 'vue'
const props = defineProps({
  visible: {
    type: Boolean,
    default: false
  }
})
const emit = defineEmits(['cancel'])
const closeModal = () => {
  emit('cancel')
}
</script>

 
<template>
  <!-- 当Modal弹窗显示时,将其插入到<body>标签中去 -->
  <teleport to="body">
    <div class="modal-layer" v-if="visible">
      <div class="modal">
        <header @click="closeModal" class="close">X</header>
        <main>
          <slot></slot>
        </main>
        <footer></footer>
      </div>
    </div>
  </teleport>
</template>

defineProps 用于接收父组件传递过来的自定义属性
defineEmits 用于声明父组件传递过来的自定义事件;子组件通过 defineEmits 获取 emit 对象(因为没有 this)

Page.vue
<script lang="ts" setup>
import { ref } from 'vue'
import Modal from '../components/Modal.vue'
const isShow = ref(false)
const openModal = () => {
  isShow.value = true
}
const closeModal = () => {
  isShow.value = false
}
</script>
 
 
<template>
  <div class="page">
    <Modal :visible="isShow" @cancel="closeModal">
      <div>弹框主体内容</div>
    </Modal>
    <button @click="openModal" class="btn">打开弹窗</button>
  </div>
</template>

Suspense-异步加载组件
作用:常用于给异步组件加载时,显示loading

xxx.vue
<script lang="ts" setup>
// import AsyncCom from '../components/AsyncCom.vue'
import { defineAsyncComponent } from 'vue'
const AsyncCom = defineAsyncComponent(() => import('../components/AsyncCom.vue'))
</script>
 
 
<template>
  <div class="my">
    <Suspense>
      <!-- 具有深层异步依赖的组件 -->
      <AsyncCom></AsyncCom>
 
      <!-- 在fallback插槽中显示'正在加载中' -->
      <template #fallback> Loading... </template>
    </Suspense>
  </div>
</template>
AsyncCom.vue
<script lang="ts" setup>
import { ref } from 'vue'
const data = ref(null)
function delay(ms, value) {
  return new Promise((resolve) => {
    setTimeout(() => {
      resolve(value)
    }, ms)
  })
}
data.value = await delay(1000, 3)
</script>
 
 
<template>
  <div class="child">
    <h1>child page{{ data }}</h1>
  </div>
</template>

监控Suspense出现的错误:使用onErrorCaptured() 生命周期钩子函数,返回一个boolean

const error = ref(null)
onErrorCaptured((e) => {
    error.value = e
    // return true 表示错误是否向上传递
    return true
)

• 全局API的修改和优化
全局配置Vue.configapp.config
全局注册类API:Vue.componentapp.component
全局指令:Vue.directiveapp.directive
行为扩展类API:Vue.mixinapp.mixin
安装全局插件 Vue.useapp.use
nextTick()observable() ...
• 直接使用script添加一个setup属性就可以直接使用Composition API

最后编辑于
©著作权归作者所有,转载或内容合作请联系作者
  • 序言:七十年代末,一起剥皮案震惊了整个滨河市,随后出现的几起案子,更是在滨河造成了极大的恐慌,老刑警刘岩,带你破解...
    沈念sama阅读 212,657评论 6 492
  • 序言:滨河连续发生了三起死亡事件,死亡现场离奇诡异,居然都是意外死亡,警方通过查阅死者的电脑和手机,发现死者居然都...
    沈念sama阅读 90,662评论 3 385
  • 文/潘晓璐 我一进店门,熙熙楼的掌柜王于贵愁眉苦脸地迎上来,“玉大人,你说我怎么就摊上这事。” “怎么了?”我有些...
    开封第一讲书人阅读 158,143评论 0 348
  • 文/不坏的土叔 我叫张陵,是天一观的道长。 经常有香客问我,道长,这世上最难降的妖魔是什么? 我笑而不...
    开封第一讲书人阅读 56,732评论 1 284
  • 正文 为了忘掉前任,我火速办了婚礼,结果婚礼上,老公的妹妹穿的比我还像新娘。我一直安慰自己,他们只是感情好,可当我...
    茶点故事阅读 65,837评论 6 386
  • 文/花漫 我一把揭开白布。 她就那样静静地躺着,像睡着了一般。 火红的嫁衣衬着肌肤如雪。 梳的纹丝不乱的头发上,一...
    开封第一讲书人阅读 50,036评论 1 291
  • 那天,我揣着相机与录音,去河边找鬼。 笑死,一个胖子当着我的面吹牛,可吹牛的内容都是我干的。 我是一名探鬼主播,决...
    沈念sama阅读 39,126评论 3 410
  • 文/苍兰香墨 我猛地睁开眼,长吁一口气:“原来是场噩梦啊……” “哼!你这毒妇竟也来了?” 一声冷哼从身侧响起,我...
    开封第一讲书人阅读 37,868评论 0 268
  • 序言:老挝万荣一对情侣失踪,失踪者是张志新(化名)和其女友刘颖,没想到半个月后,有当地人在树林里发现了一具尸体,经...
    沈念sama阅读 44,315评论 1 303
  • 正文 独居荒郊野岭守林人离奇死亡,尸身上长有42处带血的脓包…… 初始之章·张勋 以下内容为张勋视角 年9月15日...
    茶点故事阅读 36,641评论 2 327
  • 正文 我和宋清朗相恋三年,在试婚纱的时候发现自己被绿了。 大学时的朋友给我发了我未婚夫和他白月光在一起吃饭的照片。...
    茶点故事阅读 38,773评论 1 341
  • 序言:一个原本活蹦乱跳的男人离奇死亡,死状恐怖,灵堂内的尸体忽然破棺而出,到底是诈尸还是另有隐情,我是刑警宁泽,带...
    沈念sama阅读 34,470评论 4 333
  • 正文 年R本政府宣布,位于F岛的核电站,受9级特大地震影响,放射性物质发生泄漏。R本人自食恶果不足惜,却给世界环境...
    茶点故事阅读 40,126评论 3 317
  • 文/蒙蒙 一、第九天 我趴在偏房一处隐蔽的房顶上张望。 院中可真热闹,春花似锦、人声如沸。这庄子的主人今日做“春日...
    开封第一讲书人阅读 30,859评论 0 21
  • 文/苍兰香墨 我抬头看了看天上的太阳。三九已至,却和暖如春,着一层夹袄步出监牢的瞬间,已是汗流浃背。 一阵脚步声响...
    开封第一讲书人阅读 32,095评论 1 267
  • 我被黑心中介骗来泰国打工, 没想到刚下飞机就差点儿被人妖公主榨干…… 1. 我叫王不留,地道东北人。 一个月前我还...
    沈念sama阅读 46,584评论 2 362
  • 正文 我出身青楼,却偏偏与公主长得像,于是被迫代替她去往敌国和亲。 传闻我的和亲对象是个残疾皇子,可洞房花烛夜当晚...
    茶点故事阅读 43,676评论 2 351

推荐阅读更多精彩内容