Vue中组件间通信的方式

Vue中组件间通信包括父子组件、兄弟组件、隔代组件之间通信。

props $emit

这种组件通信的方式是我们运用的非常多的一种,props以单向数据流的形式可以很好的完成父子组件的通信,所谓单向数据流,就是数据只能通过props由父组件流向子组件,而子组件并不能通过修改props传过来的数据修改父组件的相应状态,所有的prop都使得其父子prop之间形成了一个单向下行绑定,父级prop的更新会向下流动到子组件中,但是反过来则不行,这样会防止从子组件意外改变父级组件的状态,导致难以理解数据的流向而提高了项目维护难度。实际上如果传入一个基本数据类型给子组件,在子组件中修改这个值的话Vue中会出现警告,如果对于子组件传入一个引用类型的对象的话,在子组件中修改是不会出现任何提示的,这两种情况都属于改变了父子组件的单向数据流,是不符合可维护的设计方式的。

正因为这个特性,而我们会有需要更改父组件值的需求,就有了对应的$emit,当我们在组件上定义了自定义事件,事件就可以由vm.$emit触发,回调函数会接收所有传入事件触发函数的额外参数,$emit实际上就是是用来触发当前实例上的事件,对此我们可以在父组件自定义一个处理接受变化状态的逻辑,然后在子组件中如若相关的状态改变时,就触发父组件的逻辑处理事件。

父组件向子组件传值

父组件向子组件传值通过prop传递值即可。

<!-- 子组件 -->
<template>
<div> <div>我是子组件,接收:{{ msg }}</div> </div>
</template> <script>
export default {
name: "child",
components: {},
props: ["msg"],
data: () => ({ }),
beforeCreate: function() {},
created: function() {},
filters: {},
computed: {},
methods: {}
}
</script> <style scoped> </style>
<!-- 父组件 -->
<template>
<div> <child :msg="msg"></child> </div>
</template> <script>
import child from "./child";
export default {
components: { child },
data: () => ({
msg: "父组件 Msg"
}),
beforeCreate: function() {},
created: function() {},
filters: {},
computed: {},
methods: {}
}
</script> <style scoped> </style>

子组件向父组件传值

子组件向父组件传值需要通过事件的触发,将更改值的行为传递到父组件去执行。

<!-- 子组件 -->
<template>
<div> <div>我是子组件,接收:{{ msg }}</div>
<button @click="$emit('changeMsg', '子组件传值 Msg')">触发事件并传递值到父组件</button> </div>
</template> <script>
export default {
name: "child",
components: {},
props: ["msg"],
data: () => ({ }),
beforeCreate: function() {},
created: function() {},
filters: {},
computed: {},
methods: {}
}
</script> <style scoped> </style>
<!-- 父组件 -->
<template>
<div> <child
:msg="msg"
@changeMsg="changeMsg"
></child> </div>
</template> <script>
import child from "./child";
export default {
components: { child },
data: () => ({
msg: "父组件 Msg"
}),
beforeCreate: function() {},
created: function() {},
filters: {},
computed: {},
methods: {
changeMsg: function(msg){
this.msg = msg;
}
}
}
</script> <style scoped> </style>

v-model

v-model通常称为数据双向绑定,也可以称得上是一种父子组件间传值的方式,是当前组件与input等组件进行父子传值,其本质上就是一种语法糖,通过props以及input(默认情况下)的事件的event中携带的值完成,我们可以自行实现一个v-model

<template>
<div> <div>{{msg}}</div>
<input :value="msg" @input="msg = $event.target.value"> </div>
</template> <script>
export default {
data: () => ({
msg: "Msg"
}),
beforeCreate: function() {},
created: function() {},
filters: {},
computed: {},
methods: {}
}
</script> <style scoped> </style>

sync修饰符

sync修饰符也可以称为一个语法糖,在Vue 2.3之后新的.sync修饰符所实现的已经不再像Vue 1.0那样是真正的双向绑定,而是和v-model类似,是一种语法糖的形式,也可以称为一种缩写的形式,在下面父组件两种写法是完全等同的。

<!-- 子组件 -->
<template>
<div> <div>我是子组件,接收:{{ msg }}</div>
<button @click="$emit('update:msg', '子组件传值 Msg')">触发事件并传递值到父组件</button> </div>
</template> <script>
export default {
name: "child",
components: {},
props: ["msg"],
data: () => ({ }),
beforeCreate: function() {},
created: function() {},
filters: {},
computed: {},
methods: {}
}
</script> <style scoped> </style>
<!-- 父组件 -->
<template>
<div> <child
:msg="msg1"
@update:msg="msg1 = $event"
></child> <child
:msg.sync="msg2"
></child> </div>
</template> <script>
import child from "./child";
export default {
components: { child },
data: () => ({
msg1: "父组件 Msg1",
msg2: "父组件 Msg2",
}),
beforeCreate: function() {},
created: function() {},
filters: {},
computed: {},
methods: {
changeMsg: function(msg){
this.msg = msg;
}
}
}
</script> <style scoped> </style>

provide inject

类似于ReactContext API,在父组件中通过provider来提供属性,然后在子组件中通过inject来注入变量,不论子组件有多深,只要调用了inject那么就可以注入在provider中提供的数据,而不是局限于只能从当前父组件的prop属性来获取数据,只要在父组件内的数据,子组件都可以调用。当然Vue中注明了provideinject主要在开发高阶插件/组件库时使用,并不推荐用于普通应用程序代码中。

<!-- 子组件 -->
<template>
<div>
<div>inject: {{msg}}</div>
</div>
</template> <script>
export default {
name: "child",
inject: ["msg"],
data: () => ({ }),
beforeCreate: function() {},
created: function() {},
filters: {},
computed: {},
methods: {}
}
</script> <style scoped> </style>
<template>
<div> <child></child> </div>
</template> <script>
import child from "./child";
export default {
components: { child },
data: () => ({ }),
provide: {
msg: "provide msg"
},
beforeCreate: function() {},
created: function() {},
filters: {},
computed: {},
methods: {}
}
</script> <style scoped> </style>

$attrs $listeners

这种组件通信的方式适合直接的父子组件,假设此时我们有三个组件分别为ABC,父组件A下面有子组件B,父组件B下面有子组件C,这时如果组件A直接想传递数据给组件C那就不能直接传递了,只能是组件A通过props将数据传给组件B,然后组件B获取到组件A传递过来的数据后再通过props将数据传给组件C,当然这种方式是非常复杂的,无关组件中的逻辑业务增多了,代码维护也没变得困难,再加上如果嵌套的层级越多逻辑也复杂,无关代码越多,针对这样一个问题,Vue 2.4提供了$attrs$listeners来实现能够直接让组件A直接传递消息给组件C

<!-- 子子组件 -->
<template>
<div> </div>
</template> <script>
export default {
name: "child-child",
components: {},
data: () => ({ }),
beforeCreate: function() {},
created: function() {
console.log(this.$attrs); // {param: 1, test: 2}
console.log(this.$listeners); // {testEvent: ƒ}
},
filters: {},
computed: {},
methods: {}
}
</script> <style scoped> </style>
<!-- 子组件 -->
<template>
<div>
<!-- 直接将剩余的参数传递给子组件 -->
<child-child v-bind="$attrs" v-on="$listeners"></child-child>
</div>
</template> <script>
import childChild from "./child-child";
export default {
name: "child",
components: { childChild },
props: ["msg"], // 声明了接收名为msg的prop 此时在此组件的$attrs则不会再有msg参数
data: () => ({ }),
inheritAttrs: false, // 默认设置为true也可 // 默认情况下true 父作用域的不被认作 props 的 attribute 绑定将会回退且作为普通的 HTML attribute 应用在子组件的根元素上。
beforeCreate: function() {},
created: function() {
console.log(this.$attrs); // {param: 1, test: 2}
console.log(this.$listeners); // {testEvent: ƒ}
},
filters: {},
computed: {},
methods: {}
}
</script> <style scoped> </style>
<!-- 父组件 -->
<template>
<div> <child
:msg="msg"
:param="1"
:test="2"
@testEvent="tips"
></child> </div>
</template> <script>
import child from "./child";
export default {
components: { child },
data: () => ({
msg: "Msg",
}),
beforeCreate: function() {},
created: function() {},
filters: {},
computed: {},
methods: {
tips: function(...args){
console.log(args);
}
}
}
</script> <style scoped> </style>

$children $parent

这种方式就比较直观了,直接操作父子组件的实例,$parent就是父组件的实例对象,而$children就是当前实例的直接子组件实例数组了,官方文档的说明是子实例可以用this.$parent访问父实例,子实例被推入父实例的$children数组中,节制地使用$parent$children它们的主要目的是作为访问组件的应急方法,更推荐用propsevents实现父子组件通信。此外在Vue2之后移除的$dispatch$broadcast也可以通过$children$parent进行实现,当然不推荐这样做,官方推荐的方式还是更多简明清晰的组件间通信和更好的状态管理方案如Vuex,实际上很多开源框架都还是自己实现了这种组件通信的方式,例如Mint UIElement UIiView等。

<!-- 子组件 -->
<template>
<div> </div>
</template> <script>
export default {
name: "child",
data: () => ({ }),
beforeCreate: function() {},
mounted: function() {
console.log(this.$parent); // VueComponent {_uid: 2, ...}
console.log(this.$children); // []
},
filters: {},
computed: {},
methods: {}
}
</script> <style scoped> </style>
<!-- 父组件 -->
<template>
<div> <child></child> </div>
</template> <script>
import child from "./child";
export default {
components: { child },
data: () => ({ }),
beforeCreate: function() {},
mounted: function() {
console.log(this.$parent); // VueComponent {_uid: 1, ...}
console.log(this.$children); // [VueComponent]
},
filters: {},
computed: {},
methods: {}
}
</script> <style scoped> </style>

EventBus

在项目规模不大的情况下,完全可以使用中央事件总线EventBus 的方式,EventBus可以比较完美地解决包括父子组件、兄弟组件、隔代组件之间通信,实际上就是一个观察者模式,观察者模式建立了一种对象与对象之间的依赖关系,一个对象发生改变时将自动通知其他对象,其他对象将相应做出反应。所以发生改变的对象称为观察目标,而被通知的对象称为观察者,一个观察目标可以对应多个观察者,而且这些观察者之间没有相互联系,可以根据需要增加和删除观察者,使得系统更易于扩展。首先我们需要实现一个订阅发布类,并作为全局对象挂载到Vue.prototype,作为Vue实例中可调用的全局对象使用,此外务必注意在组件销毁的时候卸载订阅的事件调用,否则会造成内存泄漏。

// 实现一个PubSub模块
var PubSub = function() {
this.handlers = {};
} PubSub.prototype = { on: function(key, handler) { // 订阅
if (!(key in this.handlers)) this.handlers[key] = [];
this.handlers[key].push(handler);
}, off: function(key, handler) { // 卸载
const index = this.handlers[key].findIndex(item => item === handler);
if (index < 0) return false;
if (this.handlers[key].length === 1) delete this.handlers[key];
else this.handlers[key].splice(index, 1);
return true;
}, commit: function(key, ...args) { // 触发
if (!this.handlers[key]) return false;
this.handlers[key].forEach(handler => handler.apply(this, args));
return true;
}, } export { PubSub }
export default { PubSub }
<!-- 子组件 -->
<template>
<div> <div>{{msg}}</div>
<child></child> </div>
</template> <script>
import child from "./child";
export default {
components: { child },
data: () => ({
msg: "init"
}),
beforeCreate: function() {},
created: function() {
this.eventBus.on("ChangeMsg", this.changeMsg);
},
beforeDestroy: function(){
this.eventBus.off("ChangeMsg", this.changeMsg);
},
filters: {},
computed: {},
methods: {
changeMsg: function(msg){
this.msg = msg;
}
}
}
</script> <style scoped> </style>
<!-- 父组件 -->
<template>
<div> <div>{{msg}}</div>
<child></child> </div>
</template> <script>
import child from "./child";
export default {
components: { child },
data: () => ({
msg: "init"
}),
beforeCreate: function() {},
created: function() {
this.eventBus.on("ChangeMsg", this.changeMsg);
},
beforeDestroy: function(){
this.eventBus.off("ChangeMsg", this.changeMsg);
},
filters: {},
computed: {},
methods: {
changeMsg: function(msg){
this.msg = msg;
}
}
}
</script> <style scoped> </style>

Vuex

Vuex是一个专为Vue.js应用程序开发的状态管理模式,其采用集中式存储管理应用的所有组件的状态,并以相应的规则保证状态以一种可预测的方式发生变化。

每一个Vuex应用的核心就是store仓库,store基本上就是一个容器,它包含着你的应用中大部分的状态stateVuex和单纯的全局对象有以下两点不同:

  • Vuex的状态存储是响应式的,当Vue组件从store中读取状态的时候,若store中的状态发生变化,那么相应的组件也会相应地得到高效更新。
  • 不能直接改变store中的状态,改变store中的状态的唯一途径就是显式地提交mutation,这样使得我们可以方便地跟踪每一个状态的变化。

实际上我们可以得到更多使用Vuex的优点:

  • 可以使用时间旅行功能。
  • Vuex专做态管理,由一个统一的方法去修改数据,全部的修改都是可以追溯的。
  • 在做日志搜集,埋点的时候,有Vuex更方便。
  • Vuex不会造成全局变量的污染,同时解决了父组件与孙组件,以及兄弟组件之间通信的问题。

当然如果项目足够小,使用Vuex可能是繁琐冗余的。如果应用够简单,最好不要使用Vuex,上文中的一个简单的store模式就足够了。

在下面例子中,我们通过提交mutation的方式,而非直接改变store.state.count,是因为我们想要更明确地追踪到状态的变化。这个简单的约定能够让你的意图更加明显,这样你在阅读代码的时候能更容易地解读应用内部的状态改变。此外这样也让我们有机会去实现一些能记录每次状态改变,保存状态快照的调试工具。

import Vue from "vue";
import Vuex from "vuex"; Vue.use(Vuex); const store = new Vuex.Store({
state: {
count: 0
},
mutations: {
increment: function(state) {
state.count++;
}
}
}) store.commit("increment");
console.log(store.state.count); // 1

由于store中的状态是响应式的,在组件中调用store中的状态简单到仅需要在计算属性中返回即可。触发变化也仅仅是在组件的methods中提交mutation即可。

import Vue from "vue";
import Vuex from "vuex"; Vue.use(Vuex); const store = new Vuex.Store({
state: {
count: 0
},
mutations: {
increment: state => state.count++,
decrement: state => state.count--
}
}) new Vue({
el: "#app",
store,
computed: {
count: function() {
return this.$store.state.count;
}
},
methods: {
increment: function() {
this.$store.commit("increment");
},
decrement: function() {
this.$store.commit("decrement");
}
}
})

每日一题

https://github.com/WindrunnerMax/EveryDay

参考

https://zhuanlan.zhihu.com/p/109700915
https://juejin.cn/post/6844903887162310669
https://juejin.cn/post/6844903784963899405
https://segmentfault.com/a/1190000022083517
https://github.com/yangtao2o/learn/issues/97
https://github.com/YangYmimi/read-vue/issues/12

Vue中组件间通信的方式的更多相关文章

  1. React中组件间通信的方式

    React中组件间通信的方式 React中组件间通信包括父子组件.兄弟组件.隔代组件.非嵌套组件之间通信. Props props适用于父子组件的通信,props以单向数据流的形式可以很好的完成父子组 ...

  2. vue组件间通信六种方式(完整版)

    本文总结了vue组件间通信的几种方式,如props. $emit/ $on.vuex. $parent / $children. $attrs/ $listeners和provide/inject,以 ...

  3. [转] React 中组件间通信的几种方式

    在使用 React 的过程中,不可避免的需要组件间进行消息传递(通信),组件间通信大体有下面几种情况: 父组件向子组件通信 子组件向父组件通信 跨级组件之间通信 非嵌套组件间通信 下面依次说下这几种通 ...

  4. React 中组件间通信的几种方式

    在使用 React 的过程中,不可避免的需要组件间进行消息传递(通信),组件间通信大体有下面几种情况: 父组件向子组件通信 子组件向父组件通信 非嵌套组件间通信 跨级组件之间通信 1.父组件向子组件通 ...

  5. 聊聊Vue.js组件间通信的几种姿势

    写在前面 因为对Vue.js很感兴趣,而且平时工作的技术栈也是Vue.js,这几个月花了些时间研究学习了一下Vue.js源码,并做了总结与输出. 文章的原地址:https://github.com/a ...

  6. React中组件之间通信的方式

    一.是什么 我们将组件间通信可以拆分为两个词: 组件 通信 回顾Vue系列的文章,组件是vue中最强大的功能之一,同样组件化是React的核心思想 相比vue,React的组件更加灵活和多样,按照不同 ...

  7. Vue中组件间传值常用的几种方式

    版本说明: vue-cli:3.0 一.父子组件间传值 1.props/$emit -父组件==>>子组件: 子组件中通过定义props接收父组件中通过v-bind绑定的数据 父组件代码 ...

  8. Vue学习(二)-Vue中组件间传值常用的几种方式

    版本说明:vue-cli:3.0 主要分为两类: 1.父子组件间的传值 2.非父子组件间的传值 1.父子组件间传值 父组件向子组件传值 第一种方式: props 父组件嵌套的子组件中,使用v-bind ...

  9. vue程序中组件间的传值方式

    vue程序在组件中进行传值有多种方式,这里记录我在项目中使用到的三种: 1. 父组件向子组件传值 2. 子组件向父组件传值 3. 通过路由传参 父组件通过props向子组件传值 在子组件script中 ...

随机推荐

  1. java基础模拟考试三套试卷

    卷1: 一.单选题(15道,共30分) //1.下列关于JDK.JRE.JVM关系描述正确的是 (A) A:JDK是开发工具,包含了JRE.JRE是运行环境,包含了JVM.JVM是虚拟机,可以保证跨平 ...

  2. Matplotlib处理csv文件

    csv模块包含在python标准库中,可用于分析CSV文件中的数据行,让我们能够快速提取感兴趣的值.首先绘制一个简单的折线图: 1 #!usr/bin/env python 2 #*-*Coding= ...

  3. python之列表操作的几个函数

    Python中的列表是可变的,这是它却别于元组和字符串最重要的特点,元组和字符串的元素不可修改.列举一些常用的列表操作的函数和方法. 1,list.append(x),将x追加到列表list末尾: 1 ...

  4. 熬夜肝了这篇Spring Cloud Gateway的功能及综合使用

    前言 SpringCloud 是微服务中的翘楚,最佳的落地方案. Spring Cloud Gateway 是 Spring Cloud 新推出的网关框架,之前是 Netflix Zuul.网关通常在 ...

  5. Spring4.3入门 Spring 依赖关系

    Spring4.3入门 Spring 依赖关系 spring的jar包只有20个左右,每个都有相应的功能,一个jar还可能依赖了若干其他jar ,所以,搞清楚它们之间的关系,配置maven依赖就可以简 ...

  6. ADO.NET对SqlServer进行简单的增删改查

    对数据库进行增删改查,首先想到的应该就是连接字符串了. 我们的连接字符串是由"Server=地址(本机=local);Database=数据库名称;User Id=登陆用户名;Passwor ...

  7. 关于echarts中的noDataLoadingOption——loading动画的问题

    在最近的一个项目中用到echarts这个插件,其中关于noDataLoadingOption配置项的问题让我困惑了好长时间.经过蛋疼的查找下,终于搞明白是版本的原因. 且看官网的介绍:ECharts, ...

  8. Spark学习进度7-综合案例

    综合案例 文件排序 解法: 1.读取数据 2.数据清洗,变换数据格式 3.从新分区成一个分区 4.按照key排序,返还带有位次的元组 5.输出 @Test def filesort(): Unit = ...

  9. Nginx安装,开箱即用?

    一.官网 首页:http://nginx.org/ 下载地址:http://nginx.org/download 安装文档:http://nginx.org/en/docs/install.html ...

  10. C++语言基础——02数据的存取

    常量 常量是指在程序中使用的一些具体的数.字符.在程序运行过程中,其值不能更改.如123.1.23.'a'."abc".True等. 常量的定义 const 类型 常量名 = 常量 ...