Skip to content

useConfirmDialog

创建事件钩子以支持模式和确认对话框链。

¥Creates event hooks to support modals and confirmation dialog chains.

可以在模板上使用函数,而钩子是模态对话框或其他需要用户确认的操作的业务逻辑的便捷骨架。

¥Functions can be used on the template, and hooks are a handy skeleton for the business logic of modals dialog or other actions that require user confirmation.

示例

函数和钩子

¥Functions and hooks

  • reveal() - 触发 onReveal 钩子并将 revealed.value 设置为 true。返回由 confirm()cancel() 解析的 promise。

    ¥reveal() - triggers onReveal hook and sets revealed.value to true. Returns promise that resolves by confirm() or cancel().

  • confirm() - 将 isRevealed.value 设置为 false 并触发 onConfirm 钩子。

    ¥confirm() - sets isRevealed.value to false and triggers onConfirm hook.

  • cancel() - 将 isRevealed.value 设置为 false 并触发 onCancel 钩子。

    ¥cancel() - sets isRevealed.value to false and triggers onCancel hook.

基本用法

¥Basic Usage

使用钩子

¥Using hooks

vue
<script setup>
import { useConfirmDialog } from '@vueuse/core'

const { isRevealed, reveal, confirm, cancel, onReveal, onConfirm, onCancel }
    = useConfirmDialog()
</script>

<template>
  <button @click="reveal">
    Reveal Modal
  </button>

  <teleport to="body">
    <div v-if="isRevealed" class="modal-bg">
      <div class="modal">
        <h2>Confirm?</h2>
        <button @click="confirm">
          Yes
        </button>
        <button @click="cancel">
          Cancel
        </button>
      </div>
    </div>
  </teleport>
</template>

Promise

如果你更喜欢使用 Promise:

¥If you prefer working with promises:

vue
<script setup>
import { useConfirmDialog } from '@vueuse/core'

const {
  isRevealed,
  reveal,
  confirm,
  cancel,
} = useConfirmDialog()

async function openDialog() {
  const { data, isCanceled } = await reveal()
  if (!isCanceled)
    console.log(data)
}
</script>

<template>
  <button @click="openDialog">
    Show Modal
  </button>

  <teleport to="body">
    <div v-if="isRevealed" class="modal-layout">
      <div class="modal">
        <h2>Confirm?</h2>
        <button @click="confirm(true)">
          Yes
        </button>
        <button @click="confirm(false)">
          No
        </button>
      </div>
    </div>
  </teleport>
</template>