props
TIP
父组件:自定义属性发送;
子组件:defineProps
接收;
注意:defineProps
在使用的时候无需引入,就可以自动地在 <script setup>
中可用。
vue
<template>
<h2>父组件</h2>
<hr/>
<child-comp :msg="msg"/>
</template>
<script lang="ts" name="ParentComp" setup>
import ChildComp from "@/components/ChildComp.vue";
import {ref} from 'vue'
let msg = ref('Parent Data')
</script>
1
2
3
4
5
6
7
8
9
10
11
12
2
3
4
5
6
7
8
9
10
11
12
vue
<template>
<h2>子组件</h2>
<p> {{ msg }} </p>
<p> {{ props.msg }} </p>
</template>
<script lang="ts" name="ChildComp" setup>
let props = defineProps(['msg'])
let props = defineProps({
msg: {
type: String,
default: ''
}
})
console.log('ChildComp', props) // proxy(object)
// 在script中也可以使用父组件传递过来的数据
console.log('ParentData', props.msg)
</script>
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20