Vue3通透教程父子组件通讯一目了然
在Vue3中,父子组件通信可以通过props
和emit
来实现。以下是一个简单的示例:
父组件:
<template>
<ChildComponent :parentData="parentData" @childEvent="handleChildEvent" />
</template>
<script setup>
import { ref } from 'vue';
import ChildComponent from './ChildComponent.vue';
const parentData = ref('父组件数据');
const handleChildEvent = (data) => {
console.log('子组件触发的事件', data);
};
</script>
子组件:
<template>
<div>
<p>{{ parentData }}</p>
<button @click="sendToParent">发送到父组件</button>
</div>
</template>
<script setup>
import { defineProps, defineEmits } from 'vue';
const props = defineProps({
parentData: String
});
const emit = defineEmits(['childEvent']);
const sendToParent = () => {
emit('childEvent', '子组件数据');
};
</script>
在这个示例中,父组件通过props
向子组件传递数据,并监听一个自定义事件childEvent
。子组件通过点击按钮使用emit
触发父组件监听的事件,并传递数据。这样的通信方式使得父子组件的职责清晰,易于维护。
评论已关闭