vue3 父子组件通信
时间: 2023-09-15 21:21:54 浏览: 102
在 Vue3 中,父子组件之间的通信可以通过 props 和 emit 这两个 API 来实现。
1. 父组件向子组件传递数据
在父组件中使用子组件时,可以通过 v-bind 指令将数据传递给子组件:
```
<template>
<child-component :message="hello"></child-component>
</template>
<script>
import ChildComponent from './ChildComponent.vue'
export default {
components: {
ChildComponent
},
data() {
return {
hello: 'Hello World'
}
}
}
</script>
```
在子组件中,可以通过 props 来接收来自父组件的数据:
```
<template>
<div>{{ message }}</div>
</template>
<script>
export default {
props: {
message: String
}
}
</script>
```
2. 子组件向父组件传递数据
在子组件中,可以使用 emit 方法触发一个自定义事件,并且可以传递数据给父组件:
```
<template>
<button @click="sendMessage">Send Message</button>
</template>
<script>
export default {
methods: {
sendMessage() {
this.$emit('message', 'Hello from child component')
}
}
}
</script>
```
在父组件中,可以使用 v-on 指令来监听子组件触发的自定义事件,并且可以获取子组件传递的数据:
```
<template>
<child-component @message="handleMessage"></child-component>
</template>
<script>
import ChildComponent from './ChildComponent.vue'
export default {
components: {
ChildComponent
},
methods: {
handleMessage(message) {
console.log(message)
}
}
}
</script>
```
以上就是 Vue3 中父子组件通信的基础用法。需要注意的是,父组件无法直接修改子组件中的数据,如果需要修改子组件中的数据,可以通过在子组件中定义一个方法,并且在父组件中通过 $refs 来调用这个方法来实现。
阅读全文