vue2 基础学习04 (Vue组件:父子组件之间的通信)

35次阅读

共计 989 个字符,预计需要花费 3 分钟才能阅读完成。

一、父子组件间的通信

一个简单的例子

如图,下面有个目录结构:父组件下面有个子组件。
我们要实现的就是:

子组件接受父组件的 data 数据
点击子组件中按钮,可以将子组件中数据反馈给父组件

直接上代码:这里没有引入 vue, 自行引入
<div id=”app”></div>

<script>
// 子组件
var child = {
template: `
<div class=”child”>
子组件 —> {{fromfather}} <br >
<button @click=’sendParent’> 反馈信息给父组件 </button>
</div>
`,
props: [‘fromfather’],
data(){
return{
childmsg:’ 我是子组件的数据 ’
}
},
methods: {
sendParent() {
this.$emit(‘fromchild’, this.childmsg)
}
}
}

// 父组件
var parent = {
template: `<section>
父组件 —-> {{fromchildmsg}}
<child v-bind:fromfather=”msg” @fromchild=’getdata’></child>
</section>
`,
// 声明子组件
components: {
child
},
// 父组件的数据,准备让子组件接受
data() {
return {
msg: ‘ 我是父组件的数据 ’,
fromchildmsg:”
}
},
methods: {
getdata(val) {
this.fromchildmsg = val
}
}
}

new Vue({
el: ‘#app’,
components: {
parent
},
template: `
<div>
<parent class=”parent”></parent>
</div>
`
})

</script>

点击后效果如图:

箭头后面的即是从其他组件中传过来的数据

二、总结

父传子

父用子的时候通过属性传递

子要声明 props:[‘ 属性名 ’] 来接收

收到就是自己的了,随便你用

在 template 中 直接用
在 js 中 this. 属性名 用

子传父

子组件里通过 $emit(‘ 自定义事件名 ’, 变量 1,变量 2) 触发
父组件 @自定义事件名 =‘事件名’监听

如:
子组件方法里 this.$emit(‘sendfather’,val1,val2) 触发自定义事件
父组件里 <child @sendfather=’mymethods’></child>

正文完
 0