在使用单文件组件<script setup>创建一个子组件,会遇到父组件需要调用子组件的方法或变量的情况,这个时候,子组件中就需要使用defineExpose把子组件中那些需要被父组件调用的方法或变量给输出,方便父组件使用。
1.子组件
在子组件中,定义updata方法、getData方法、num变量
<template> <h3>defineExpose 使用 子组件</h3> <div>{{ data }}</div> </template> <script setup lang="ts"> import { ref, defineExpose } from 'vue' const data = ref(123) const num = ref(666) defineExpose({ updata(){ return data.value //暴露出去父组件可以拿到data的数据.此时值为123 }, getData(res:any){ data.value = res //父组件传递来的值赋值给data // 此时的data变成了 Proxy // { // name: 'alan', // desc: '大笨蛋', // age: 18 // } }, num }) </script> <style scoped> </style>
子组件中的updata方法、getData方法、num变量,通过defineExpose导出,方便父组件来使用。
2.父组件
<template> <h3>defineExpose 使用 父组件</h3> <child ref="getChildData"></child> </template> <script setup lang="ts"> import Child from "@/components/exposeChildren.vue" import { ref,onMounted,toRaw} from 'vue' // 文档说setup写在script上组件是关闭的 // 也就是说父组件使用getChildData.xxx访问不到子组件的数据 // 此时我们需要用defineExpose把需要传递的数据暴露出去,这样外部才能访问到 // 同理也可以接收外部传来的值 const getChildData = ref(null) const obj = { name: 'alan', desc: '大笨蛋', age: 18 } const cc= getChildData.value?.['num'] console.log(cc) //undefined,此时还未找到子组件暴露的数据 onMounted(()=>{ //获取子组件的data数据,什么时候获取根据自己业务来 const bb:any= getChildData.value?.['updata'] console.log(bb()) // 123,这时候得到的是子组件的初始值,因为还未给子组件传递数据 const a:any= getChildData.value?.['getData'] a(obj) ////给子组件传递数据 const b:any= getChildData.value?.['updata'] const c= getChildData.value?.['num'] console.log(toRaw(b())) // {name: 'alan', desc: '大笨蛋', age: 18} ,这里得到的是个proxy,所以需要toRaw()方法转成对象 console.log(c) // 666 }) </script> <style scoped> </style>
父组件中,在子组件的代码上定义ref="getChildData",通过如下方式:
const getChildData = ref(null) getChildData.value.updata() 或 getChildData.value?.["uodata"]() getChildData.value.getData() 或 getChildData.value?.["getData"]() getChildData.value.num 或 getChildData.value?.["num"]
来调用子组件中导出来的方法和变量
标签:getChildData,const,defineExpose,vue3,value,num,使用,组件 From: https://www.cnblogs.com/pwindy/p/17621098.html