非父子组件的通信
data:image/s3,"s3://crabby-images/38f6e/38f6ee6d548fd6c49f5de5096356dee4a6bd22e2" alt=""
Provide和Inject
data:image/s3,"s3://crabby-images/6309f/6309f202c3051516573acaaad736ada57defe8a1" alt=""
Provide和Inject基本使用
data:image/s3,"s3://crabby-images/d7b0e/d7b0e495829d0ad7c7f5662cdc0077e1bd5255e7" alt=""
Provide和Inject函数的写法
data:image/s3,"s3://crabby-images/4a4e4/4a4e42db581600bd517ed1e856a17784435497c3" alt=""
处理响应式数据
data:image/s3,"s3://crabby-images/0a858/0a8586e071636890130535e05397f254ea909c24" alt=""
A pp.vue
<template>
<div>
<home></home>
<button @click="addName">+name</button>
</div>
</template>
<script>
import Home from "./Home.vue";
import { computed } from "vue";
export default {
components: {
Home,
},
// 为了使用this。,写成函数
provide() {
return {
name: "why",
age: 18,
// this.names.length:一次性赋值,不会改变
// computed:变成响应式
length: computed(() => this.names.length), // ref对象 .value
};
},
data() {
return {
names: ["abc", "cba", "nba"],
};
},
methods: {
addName() {
this.names.push("why");
console.log(this.names);
},
},
};
</script>
<style scoped></style>
Home.vue
<template>
<div>
<home-content></home-content>
</div>
</template>
<script>
import HomeContent from "./HomeContent.vue";
export default {
components: {
HomeContent,
},
};
</script>
<style scoped></style>
HomeContent.vue
<template>
<div>HomeContent: {{ name }} - {{ age }} - {{ length.value }}</div>
</template>
<script>
export default {
inject: ["name", "age", "length"],
};
</script>
<style scoped></style>
全局事件总线mitt库
data:image/s3,"s3://crabby-images/3c386/3c3866ddf8638ff9bec015fd7f73176d46dc699b" alt=""
使用事件总线工具
data:image/s3,"s3://crabby-images/4fc71/4fc71010dcc1372b3b060711c5a9ea75af98fb64" alt=""
Mitt的事件取消
data:image/s3,"s3://crabby-images/2ae83/2ae83cac213c4c7474498112e15e90bbc0418815" alt=""
eventbus.js
import mitt from 'mitt';
const emitter = mitt();
// export const emitter1 = mitt();
// export const emitter2 = mitt();
// export const emitter3 = mitt();
export default emitter;
App.vue
<template>
<div>
<home />
<about />
</div>
</template>
<script>
import Home from "./Home.vue";
import About from "./About.vue";
export default {
components: {
Home,
About,
},
};
</script>
<style scoped></style>
HomeContent.vue
<template>
<div></div>
</template>
<script>
import emitter from "./utils/eventbus";
export default {
created() {
emitter.on("why", (info) => {
console.log("why:", info);
});
emitter.on("kobe", (info) => {
console.log("kobe:", info);
});
emitter.on("*", (type, info) => {
console.log("* listener:", type, info);
});
},
};
</script>
<style scoped></style>
About.vue
<template>
<div>
<button @click="btnClick">按钮点击</button>
</div>
</template>
<script>
import emitter from "./utils/eventbus";
export default {
methods: {
btnClick() {
console.log("about按钮的点击");
emitter.emit("why", { name: "why", age: 18 });
// emitter.emit("kobe", {name: "kobe", age: 30});
},
},
};
</script>
<style scoped></style>