我们知道绑定自定义事件可以用ref
方式实现。
但是,这个方式,需要注意下,否则,实现不了我们的效果。
需求是这样的,我们通过ref
绑定的事件,来给App
的data
块中的变量赋值。
基本写法:
父组件App
中
methods
函数:
getStudentName(name,...params){
console.log('App收到了学生名:',name,params)
this.studentName = name
}
给Student
组件绑定自定义事件test
mounted() {
this.$refs.student.$on('test',this.getStudentName) //绑定自定义事件(一次性)
}
此处的this
是谁了?
其实,是Student
组件的vc
实例。Vue
约定,谁触发的事件,那么,这个this
就是谁。
但是,此处的this
调用的函数,在App
组件的methods
中,所以,在getStudentName
函数中的this
,又变成了App
组件的vc
实例。
无效写法
this.$refs.student.$on('test',function () {
console.log('App收到了学生名:',name,params)
this.studentName = name
})
原因就是,此时function
里面的this
是Student
的vc
实例,无法获取到studentName
变量,所以,赋值失败。
改进写法:
//这种写法,可以给studentName变量赋值。
this.$refs.student.$on('test',(name,...params) => {
console.log('App收到了学生名:',name,params)
this.studentName = name
})
换成箭头函数,就可以实现基本写法的效果。为什么了?
因为,箭头函数没有自己的this
,于是,Vue
需要向外部寻找,这是,找到的this
就是App
组件的vc
实例。
从而实现对studentName
变量的赋值。