vue3写一个父子组件的弹窗
时间: 2023-07-01 21:18:05 浏览: 218
好的,以下是一个使用 Vue3 写的父子组件弹窗示例:
父组件:
```html
<template>
<div>
<button @click="showModal = true">显示弹窗</button>
<modal :show="showModal" @close="showModal = false">
<h2 slot="title">弹窗标题</h2>
<p slot="content">弹窗内容</p>
</modal>
</div>
</template>
<script>
import { ref } from 'vue';
import Modal from './Modal.vue';
export default {
name: 'ParentComponent',
components: {
Modal,
},
setup() {
const showModal = ref(false);
return {
showModal,
};
},
};
</script>
```
子组件:
```html
<template>
<div class="modal" v-if="show">
<div class="modal-content">
<span class="close" @click="$emit('close')">×</span>
<slot name="title"></slot>
<slot name="content"></slot>
</div>
</div>
</template>
<script>
import { defineComponent } from 'vue';
export default defineComponent({
name: 'Modal',
props: {
show: Boolean,
},
});
</script>
<style>
.modal {
display: block;
position: fixed;
z-index: 1;
padding-top: 100px;
left: 0;
top: 0;
width: 100%;
height: 100%;
overflow: auto;
background-color: rgba(0, 0, 0, 0.4);
}
.modal-content {
background-color: #fefefe;
margin: auto;
padding: 20px;
border: 1px solid #888;
width: 80%;
}
.close {
color: #aaa;
float: right;
font-size: 28px;
font-weight: bold;
}
.close:hover,
.close:focus {
color: black;
text-decoration: none;
cursor: pointer;
}
</style>
```
父组件中,我们引入了子组件 `Modal` 并将 `showModal` 变量作为 `Modal` 的 `show` 属性传递给它,同时监听 `Modal` 的 `close` 事件来关闭弹窗。
子组件中,我们使用了插槽来传递弹窗的标题和内容,同时使用 `$emit` 方法触发 `close` 事件来通知父组件关闭弹窗。
你可以根据需要修改组件的样式和功能。
阅读全文