uni-app 弹出框插件

发布于 1周前 作者 wuwangju 来自 Uni-App

uni-app 弹出框插件

1 回复

在uni-app中,实现弹出框(弹窗)功能可以通过自定义组件或使用现有的第三方插件来完成。下面是一个简单的自定义弹出框组件的示例代码,你可以根据需要进行扩展和修改。

1. 创建弹出框组件

首先,在components目录下创建一个名为MyModal.vue的组件文件:

<template>
  <view v-if="visible" class="modal-overlay" @click="handleClickOverlay">
    <view class="modal-content" @click.stop>
      <slot></slot>
      <view class="modal-footer">
        <button @click="handleClickCancel">取消</button>
        <button @click="handleClickConfirm">确定</button>
      </view>
    </view>
  </view>
</template>

<script>
export default {
  props: {
    visible: {
      type: Boolean,
      default: false
    }
  },
  methods: {
    handleClickOverlay() {
      this.$emit('update:visible', false);
    },
    handleClickCancel() {
      this.$emit('cancel');
      this.$emit('update:visible', false);
    },
    handleClickConfirm() {
      this.$emit('confirm');
      this.$emit('update:visible', false);
    }
  }
};
</script>

<style scoped>
.modal-overlay {
  position: fixed;
  top: 0;
  left: 0;
  right: 0;
  bottom: 0;
  background: rgba(0, 0, 0, 0.5);
  display: flex;
  justify-content: center;
  align-items: center;
}
.modal-content {
  background: #fff;
  padding: 20px;
  border-radius: 10px;
  width: 80%;
  max-width: 500px;
}
.modal-footer {
  display: flex;
  justify-content: space-between;
  margin-top: 20px;
}
button {
  padding: 10px 20px;
}
</style>

2. 在页面中使用弹出框组件

在你的页面中引入并使用这个组件:

<template>
  <view>
    <button @click="showModal = true">显示弹出框</button>
    <MyModal :visible.sync="showModal">
      <text>这是一个自定义弹出框内容</text>
    </MyModal>
  </view>
</template>

<script>
import MyModal from '@/components/MyModal.vue';

export default {
  components: {
    MyModal
  },
  data() {
    return {
      showModal: false
    };
  }
};
</script>

3. 运行项目

确保你的uni-app项目已经正确配置,然后运行项目,点击按钮应该能够显示和隐藏弹出框。

这个示例展示了如何创建一个基本的弹出框组件,并通过.sync修饰符实现父子组件之间的双向数据绑定。你可以根据需要进一步定制弹出框的样式和功能。

回到顶部