setup语法糖

98 阅读1分钟

基本语法

要启用该语法,需要在 <script> 代码块上添加 setup attribute:

<script setup>
console.log('hello script setup')
</script>

定义响应式数据

响应式状态需要明确使用响应式 API 来创建。和 setup() 函数的返回值一样,ref 在模板中使用的时候会自动解包:

<script setup>
import { ref } from 'vue'

const count = ref(0)
</script>

<template>
  <button @click="count++">{{ count }}</button>
</template>

定义函数

<script setup>
import { ref } from 'vue'

const count = ref(0)

const add = () => count.value++
</script>

使用组件

<script setup>
import Child from './Child/index.vue'
</script>
<template>
  <Child></Child>
</template>

使用自定义指令

全局注册的自定义指令将正常工作。本地的自定义指令在 <script setup> 中不需要显式注册,但他们必须遵循 vNameOfDirective 这样的命名规范:

<script setup>
const vMyDirective = {
  beforeMount: (el) => {
    // 在元素上做些操作
  }
}
</script>
<template>
  <h1 v-my-directive>This is a Heading</h1>
</template>

如果指令是从别处导入的,可以通过重命名来使其符合命名规范:

<script setup>
import { myDirective as vMyDirective } from './MyDirective.js'
</script>

defineProps() 

在 setup 语法糖里面使用 defineProps 来定义 props,可以更好的配合 ts 一起使用,以获得更好的类型推导。

<script setup>
const props = defineProps({
  foo: String,
  bar: Number
})
</script>

defineEmits()

在 setup 语法糖里面使用 defineEmits 来定义 emits,可以更好的配合 ts 一起使用,以获得更好的类型推导。

<script setup>
const emits = defineEmits(['change', 'update'])
</script>