Vue组件间常用传参方式
1. props、emit(最常用的父子通讯方式)
父传子
父组件传入属性,子组件通过
props
接收,就可以在内部this.XXX
的方式使用
// 父组件
<hello-world msg="hello world!"><hello-world>
// 子组件
<div>{{msg}}</div>
props:['msg']
子传父
子组件
$emit
(事件名,传递的参数)向外弹出一个自定义事件,在父组件中监听子组件的自定义事件,同时也能获取子组件传出来的参数
// 子组件
<input v-model="username" @change="setUser">
return {
username:'tct'
}
methods:{
setUser(){
this.$emit('transferUser', username)
}
}
// 父组件
<hello-world @transferUser="getUser"><hello-world>
return {
user:''
}
methods:{
getUser(msg){
this.user = msg
}
}
2. 事件总线EventBus
(常用任意两个组件之间的通讯)
原理:注册的事件存起来,等触发事件时再调用。定义一个类去处理事件,并挂载到Vue实例的this上即可注册和触发事件,也可拓展一些事件管理
class Bus {
constructor () {
this.callbackList = {}
}
$on (name, callback) {
// 注册事件
this.callbackList[name] ? this.callbackList[name].push(callback) : (this.callbackList[name] = [callback])
}
$emit (name, args) {
// 触发事件
if (this.callbackList[name]) {
this.callbackList[name].forEach(cb => cb(args))
}
}
}
Vue.prototype.$bus = new Bus()
// 任意两个组件中
// 组件一:在组件的 mounted() 去注册事件
this.$bus.$on('confirm', handleConfirm)
// 组件二:触发事件(如:点击事件后执行触发事件即可)
this.$bus.$emit('confirm', list)
3.Vuex状态管理(vue的核心插件,用于任意组件的任意通讯,需注意刷新后有可能vuex数据会丢失)
- 创建全局唯一的状态管理仓库
store
,有同步mutations
、异步actions
的方式去管理数据,有缓存数据getters
,还能分成各个模块modules
易于维护,详细使用见Vuex官方文档