互动时增加倒计时时间

本文关键字:倒计时 时间 增加 | 更新日期: 2023-09-27 17:52:42

我有一个表单,如果没有鼠标交互,我想在5秒后关闭它,但如果有鼠标交互,我想关闭countdown + 5 seconds,每次交互都会增加5秒。

这是我目前想到的:

int countdown = 5;
System.Timers.Timer timer;

启动计时器

timer = new System.Timers.Timer(1000);
timer.AutoReset = true;
timer.Elapsed += new System.Timers.ElapsedEventHandler(ProcessTimerEvent);
timer.Start();
事件

private void ProcessTimerEvent(Object obj, System.Timers.ElapsedEventArgs e)
{
    --countdown;
    if (countdown == 0)
    {
        timer.Close();
        this.Invoke(new Action(() => { this.Close(); }));
    }
}

和只是为了测试,我使用的形式鼠标点击事件增加倒计时5,但将不得不改变它到一个不同的事件,因为如果你点击一个标签或任何其他控件的形式,它不会增加定时器。

private void NotifierTest_MouseClick(object sender, MouseEventArgs e)
{
    countdown += 5;
}

<标题>
  • 我是在执行倒计时吗计数器可以在a中增加

  • 如果与我所做的有任何不同,你会怎么做?

  • 如何处理鼠标点击捕获吗?

  • 使用低级别钩子?

  • 使用鼠标点击位置并验证

<标题> 其他选项

我目前正在考虑的另一个选项是捕获鼠标是否在表单区域内,并启用/禁用关闭倒计时,如果它不在该区域内,但我不确定如何与鼠标进行交互,因此上述问题关于我如何与鼠标交互

互动时增加倒计时时间

我认为本质上你所做的是好的,真正的技巧将是处理鼠标事件。

下面是一个简单的示例,说明如何检查鼠标是否在窗口的客户端区域中。基本上,每次计时器到期时,代码都会获取鼠标在屏幕上的位置,并检查它是否与窗口的客户端区域重叠。您可能还应该检查窗口是否处于活动状态等,但这应该是一个合理的起点。

using System;
using System.Windows.Forms;
using System.Timers;
using System.Drawing;
namespace WinFormsAutoClose
{
  public partial class Form1 : Form
  {
    int _countDown = 5;
    System.Timers.Timer _timer;
    public Form1()
    {
      InitializeComponent();
      _timer = new System.Timers.Timer(1000);
      _timer.AutoReset = true;
      _timer.Elapsed += new ElapsedEventHandler(ProcessTimerEvent);
      _timer.Start();
    }
    private void ProcessTimerEvent(Object obj, System.Timers.ElapsedEventArgs e) 
    {
      Invoke(new Action(() => { ProcessTimerEventMarshaled(); }));
    }
    private void ProcessTimerEventMarshaled()
    {
      if (!IsMouseInWindow())
      {
        --_countDown;
        if (_countDown == 0)
        {
          _timer.Close();
          this.Close();
        }
      }
      else
      {
        _countDown = 5;
      }
    }
    private bool IsMouseInWindow()
    {
      Point clientPoint = PointToClient(Cursor.Position);
      return ClientRectangle.Contains(clientPoint);
    }
  }
}