6

我有一个按钮,用户可以根据需要多次单击该按钮。但是当用户点击按钮时,他可能不小心点击了两次,在这种情况下,第二次点击应该被代码阻止。

如果我进一步解释。它们应该是两次点击之间的小延迟。

如何使用 vue js 实现这一点?

在 Vue 文档事件修饰符 中我发现.stop

<button @click.stop="myFunction">Increase</button>

这能完成我想要的工作吗?

4

2 回答 2

8

不,.stop修改器不能解决您的问题。该修饰符的作用是防止事件传播(相当于计划 JavaScript中的stopPropagation() )

您可以使用.once修饰符来防止在第一个事件之后发生任何进一步的事件。但是,如果您想允许多次点击,但它们之间有延迟,您可以执行以下操作:

<template>
    <button :disabled="disabled" @click="delay">Increase</button>
</template>

<script>
  export default {
    data () {
      return {
        disabled: false,
        timeout: null
      }
    },
    methods: {
      delay () {
        this.disabled = true

        // Re-enable after 5 seconds
        this.timeout = setTimeout(() => {
          this.disabled = false
        }, 5000)

        this.myFunction()
      },
      myFunction () {
        // Your function
      }
    },
    beforeDestroy () {
     // clear the timeout before the component is destroyed
     clearTimeout(this.timeout)
    }
  }
</script>
于 2019-02-13T04:19:56.057 回答
4

正如其他人所说,.stop修饰符只会阻止事件传播 DOM。为了达到您正在寻找的结果,您可以查看 Lodash 的 debounce方法..

_.debounce(func, [wait=0], [options={}])

创建一个 debounced 函数,该函数延迟调用func,直到自上次调用 debounced 函数后经过等待毫秒。

这是一个简单的例子..

new Vue({
  el: "#app",
  data: {
    counter: 0
  },
  methods: {
    myFunction() {
      this.counter++
    },
  },
  created() {
    this.debouncedMyFunction = debounce(this.myFunction, 300, {
      leading: true,
      trailing: false
    })
  }
})
<script src="https://cdnjs.cloudflare.com/ajax/libs/vue/2.6.4/vue.min.js"></script>
<script src="https://unpkg.com/lodash.debounce@4.0.8/index.js"></script>

<div id="app">
  <button @click.stop="debouncedMyFunction">Increase</button>
  <p>
    {{ counter }}
  </p>
</div>

leading将选项指定为 true 和trailingfalse 将导致函数在超时的前沿而不是尾端被调用。您可以将超时值从 300 更改为所需的值(以毫秒为单位)。

于 2019-02-13T04:34:23.633 回答