鼠标停止移动后触发的WPF事件

时间:2012-11-04 07:29:38

标签: c# .net wpf

我正在编写WPF应用程序。 我想在鼠标停止移动时触发事件。

这就是我尝试这样做的方式。我创建了一个计时器,倒计时为5秒。每次鼠标移动时,此计时器都会“重置”。 这个想法是,当鼠标停止移动的那一刻,计时器停止被重置,并从5倒数到零,然后调用tick事件处理程序,它显示一个消息框。

嗯,它没有按预期工作,它充满了警报信息。我做错了什么?

DispatcherTimer timer;

private void Window_MouseMove(object sender, MouseEventArgs e)
{
    timer = new DispatcherTimer();
    timer.Interval = new TimeSpan(0, 0, 5);
    timer.Tick += new EventHandler(timer_Tick);
    timer.Start();
}

void timer_Tick(object sender, EventArgs e)
{
    MessageBox.Show("Mouse stopped moving");
}

2 个答案:

答案 0 :(得分:6)

你需要unhook event才能再次挂钩 -

private void poc_MouseMove(object sender, MouseEventArgs e)
{
   if (timer != null)
   {
      timer.Tick-= timer_Tick;
   }
   timer = new DispatcherTimer();
   timer.Interval = new TimeSpan(0, 0, 5);
   timer.Tick += new EventHandler(timer_Tick);
   timer.Start();
}

<强>解释

您所做的是每当鼠标移动时,您创建DispatcherTimer的新实例并将Tick事件挂钩到unhooking the event for previous instance。因此,一旦计时器停止所有实例,您就会看到泛洪消息。

另外,你应该解开它,否则之前的实例将不是garbage collected,因为它们仍然是strongly referenced

答案 1 :(得分:6)

没有必要在每个MouseMove事件上创建一个新的计时器。只需停止并重新启动即可。并且还要确保它在Tick处理程序中停止,因为它应该只被触发一次。

private DispatcherTimer timer;

public MainWindow()
{
    InitializeComponent();

    timer = new DispatcherTimer { Interval = TimeSpan.FromSeconds(5) };
    timer.Tick += timer_Tick;
}

void timer_Tick(object sender, EventArgs e)
{
    timer.Stop();
    MessageBox.Show("Mouse stopped moving");
}

private void Window_MouseMove(object sender, MouseEventArgs e)
{
    timer.Stop();
    timer.Start();
}