Vue全局事件總線你瞭解嗎

全局事件總線,是組件間的一種通信方式,適用於任何組件間通信。

看下面具體的例子。

父組件:App

<template>
    <div class="app">
        <Company/>
        <Employee/>
    </div>
</template>

<script>
import Company from "./components/Company.vue";
import Employee from "./components/Employee.vue";

export default {
    components:{
        Company,
        Employee
    }
}
</script>

<style>
.app{
    background: gray;
    padding: 5px;
}
.btn{
    margin-left:10px;
    line-height: 30px;
    background: ivory;
    border-radius: 5px;
}
</style>

子組件:Company和Employee

<template>
  <div class="company">
      <h2>公司名稱:{{name}}</h2>
      <h2>公司地址:{{address}}</h2>
      <button @click="sendMessage">點我發送</button>
  </div>
</template>

<script>
export default {
    name:"Company",
    data(){
        return {
            name:"五哈技術有限公司",
            address:"上海寶山"
        }
    },
    methods:{
        sendMessage(){
            console.log("Company組件發送數據:",this.name);
            this.$bus.$emit("demo",this.name);
        }
    }

}    
</script>

<style scoped>
.company{
    background: orange;
    background-clip: content-box;
    padding: 10px;
}
</style>
<template>
  <div class="employee">
      <h2>員工姓名:{{name}}</h2>
      <h2>員工年齡:{{age}}</h2>
  </div>
</template>

<script>
export default {
    name:"Employee",
    data(){
        return {
            name:"張三",
            age:25
        }
    },
    mounted(){
        this.$bus.$on("demo",(data) => {
            console.log("Employee組件監聽demo,接收數據:",data);
        })
    },
    beforeDestroy() {
        this.$bus.$off("demo");
    }
}

</script>

<style scoped>
.employee{
    background: skyblue;
    background-clip: content-box;
    padding: 10px;
}
</style>

入口文件:main.js

import Vue from 'vue';  
import App from './App.vue';

Vue.config.productionTip = false;

new Vue({
  el:"#app",
  render: h => h(App),
  beforeCreate(){ 
    Vue.prototype.$bus = this;
  }
})

父組件App,子組件CompanyEmployee

子組件Company和Employee之間通過全局數據總線進行數據傳遞。

在main.js中,定義瞭全局事件總線:$bus

$bus定義在Vue.prototype,因此$bus對所有組件可見,即所有組件可通過this.$bus訪問。

$bus被賦值為this,即vm實例,因此$bus擁有vm實例上的所有屬性和方法,如$emit$on$off等。

new Vue({
  beforeCreate(){ 
    Vue.prototype.$bus = this;
  }
})

使用全局事件總線

$bus.$on,監聽事件。Employee組件中定義瞭監聽事件,監聽demo事件;

$bus.$emit,觸發事件。Company組件中定義瞭觸發事件,點擊按鈕執行sendMessage回調,該回調將觸發demo事件。

在這裡插入圖片描述

在這裡插入圖片描述

總結

本篇文章就到這裡瞭,希望能夠給你帶來幫助,也希望您能夠多多關註WalkonNet的更多內容!   

推薦閱讀: