1. 【vue中的setup】 setup 概述 setup
是Vue3
中一个新的配置项,值是一个函数,它是 Composition API
“表演的舞台 ” ,组件中所用到的:数据、方法、计算属性、监视……等等,均配置在setup
中。
特点如下:
setup
函数返回的对象中的内容,可直接在模板中使用。
setup
中访问this
是undefined
。
setup
函数会在beforeCreate
之前调用,它是“领先”所有钩子执行的。
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 25 26 27 28 29 30 31 32 33 34 35 36 37 <template > <div class ="person" > <h2 > 姓名:{{name}}</h2 > <h2 > 年龄:{{age}}</h2 > <button @click ="changeName" > 修改名字</button > <button @click ="changeAge" > 年龄+1</button > <button @click ="showTel" > 点我查看联系方式</button > </div > </template > <script lang ="ts" > export default { name :'Person' , setup ( ){ let name = '张三' let age = 18 let tel = '13888888888' function changeName ( ){ name = 'zhang-san' console .log (name) } function changeAge ( ){ age += 1 console .log (age) } function showTel ( ){ alert (tel) } return {name,age,tel,changeName,changeAge,showTel} } } </script >
setup 的返回值
若返回一个对象 :则对象中的:属性、方法等,在模板中均可以直接使用**(重点关注)。**
若返回一个函数 :则可以自定义渲染内容,代码如下:
1 2 3 setup ( ){ return ()=> '你好啊!' }
setup 与 Options API 的关系
Vue2
的配置(data
、methos
……)中可以访问到 setup
中的属性、方法。
但在setup
中不能访问到 Vue2
的配置(data
、methos
……)。
如果与Vue2
冲突,则setup
优先。
setup 语法糖 setup
函数有一个语法糖,这个语法糖,可以让我们把setup
独立出去,代码如下:
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 25 26 27 28 29 30 31 32 33 34 35 36 37 <template > <div class ="person" > <h2 > 姓名:{{name}}</h2 > <h2 > 年龄:{{age}}</h2 > <button @click ="changName" > 修改名字</button > <button @click ="changAge" > 年龄+1</button > <button @click ="showTel" > 点我查看联系方式</button > </div > </template > <script lang ="ts" > export default { name :'Person' , } </script > <script setup lang ="ts" > console .log (this ) let name = '张三' let age = 18 let tel = '13888888888' function changName ( ){ name = '李四' } function changAge ( ){ console .log (age) age += 1 } function showTel ( ){ alert (tel) } </script >
扩展:上述代码,还需要编写一个不写setup
的script
标签,去指定组件名字,比较麻烦,我们可以借助vite
中的插件简化
第一步:npm i vite-plugin-vue-setup-extend -D
第二步:vite.config.ts
1 2 3 4 5 6 import { defineConfig } from 'vite' import VueSetupExtend from 'vite-plugin-vue-setup-extend' export default defineConfig ({ plugins : [ VueSetupExtend () ] })
第三步:<script setup lang="ts" name="Person">