整理vue中8种常规的通信方案
1、通过 props 传递
2、通过 $emit 触发自定义事件
3、使用 ref
4、EventBus
5、$parent 或$root
6、attrs 与 listeners
7、Provide 与 Inject
8、Vuex
1、通过 props 传递
props:{
name:String
age:{
type:Number,
defaule:18,
require:true
}
}
<Children name="Tom" age=18 /
2、$emit 触发自定义事件
this.$emit('add', this.msg)
<Children @add="getMsg($event)" />
3、使用ref
<Children ref="foo" />
this.$refs.foo
4、EventBus实现兄弟组件间的通信
class Bus {
constructor() {
this.callbacks = {};
}
$on(name, fn) {
this.callbacks[name] = this.callbacks[name] || [];
this.callbacks[name].push(fn);
}
$emit(name, args) {
if (this.callbacks[name]) {
this.callbacks[name].forEach((cb) => cb(args));
}
}
}
Vue.prototype.$bus = new Bus()
Vue.prototype.$bus = new Vue()
this.$bus.$emit('foo')
this.$bus.$on('foo', this.handle)
5、通过$ parent 或 $ root通信
this.$parent.on('add',this.add)
this.$parent.emit('add')
6、$ attrs 与$ listeners
$ attrs
<template>
<child :name="张三" age="18" ></child>
</template>
<template>
<p>{{name}}</p>
<grandson:name="张三" age="18" v-bind="$attrs"></grandson>
</template>
props:['age']
created(){
console.log($attrs)
}
<template>
<p>{{name}}</p>
</template>
created(){
console.log($attrs)
}
$ listeners 跟$ attrs不一样,$ listeners是可以让孙子和儿子组件访问到父组件的属性和方法
<template>
<child @click.native="clickChild" @customEvent="childEvent" ></child>
</template>
<template>
<grandson:name="张三" age="18" v-bind="$listeners"></grandson>
</template>
created(){
console.log($listeners)
}
created(){
this.$emit('customEvent')
}
总的来说,$ attrs 与$ listeners的使用场景: 1、组件传值时使用: 爷爷在父亲组件传递值,父亲组件会通过$ attrs获取到不在父亲props里面的所有属性,父亲组件通过在孙子组件上绑定$ attrs 和 $ listeners 使孙组件获取爷爷传递的值并且可以调用在爷爷那里定义的方法; 2、对一些UI库进行二次封装时使用:比如element-ui,里面的组件不能满足自己的使用场景的时候,会二次封装,但是又想保留他自己的属性和方法,那么这个时候时候
a
t
t
r
s
和
attrs和
attrs和listners是个完美的解决方案。
在学习这块的时候看到一篇图文并茂的文章,推荐给大家参考:【Vue】 组件通信之$ attrs、$ listeners
7、provide 与 inject
provide 与 inject对于我理解来说像是$ attrs 与$ listeners简单的升级版
provide(){
return {
msg:'hello world'
}
}
inject:['msg']
8、vuex
这个大魔王想必就不用过多赘述了,能够优雅的使用vuex来管理项目的都是大手子,这里只做简单的介绍,想了解详细请移步我另一篇文章vue面试题集
state:用来存放共享变量的地方
getter:可以增加一个getter派生状态,(相当于store中的计算属性),用来获得共享变量的值
mutations:用来存放修改state的方法。
actions:也是用来存放修改state的方法,不过action是在mutations的基础上进行。常用来做一些异步操作
总结
每个方法都有其适用的场景和优势,学会组合使用才是我们需要掌握的艺术:
- 父子关系的组件数据传递选择 props 与 $ emit进行传递,也可选择ref
- 兄弟关系的组件数据传递可选择$ bus,其次可以选择$ parent进行传递
- 祖先与后代组件数据传递可选择attrs与listeners或者 Provide与 Inject
- 复杂关系的组件数据传递可以通过vuex存放共享的变量
|