DispatcherTimer应用间隔并立即执行

时间:2012-07-03 17:54:21

标签: c# .net timer

基本上,当我们应用一些间隔即5秒时,我们必须等待它。

是否可以立即应用间隔并执行定时器而不等待5秒? (我的意思是间隔时间)。

有任何线索吗?

谢谢!

public partial class MainWindow : Window
    {
        DispatcherTimer timer = new DispatcherTimer();

        public MainWindow()
        {
            InitializeComponent();

            timer.Tick += new EventHandler(timer_Tick);
            this.Loaded += new RoutedEventHandler(MainWindow_Loaded);
        }

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

        void MainWindow_Loaded(object sender, RoutedEventArgs e)
        {
            timer.Interval = new TimeSpan(0, 0, 5);
            timer.Start();
        }
    }

4 个答案:

答案 0 :(得分:17)

肯定有更优雅的解决方案,但一种hacky方式是在最初设置间隔后调用timer_Tick方法。这比在每个刻度上设置间隔要好。

答案 1 :(得分:8)

最初将间隔设置为零,然后在随后的呼叫中将其提高。

void timer_Tick(object sender, EventArgs e)
{
    ((Timer)sender).Interval = new TimeSpan(0, 0, 5);
    MessageBox.Show("!!!");
}

答案 2 :(得分:4)

可以试试这个:

timer.Tick += Timer_Tick;
timer.Interval = 0;
timer.Start();

//...

public void Timer_Tick(object sender, EventArgs e)
{
  if (timer.Interval == 0) {
    timer.Stop();
    timer.Interval = SOME_INTERVAL;
    timer.Start();
    return;
  }

  //your timer action code here
}

另一种方法可能是使用两个事件处理程序(以避免在每个滴答时检查" if")

timer.Tick += Timer_TickInit;
timer.Interval = 0;
timer.Start();

//...

public void Timer_TickInit(object sender, EventArgs e)
{
    timer.Stop();
    timer.Interval = SOME_INTERVAL;
    timer.Tick += Timer_Tick();
    timer.Start();
}

public void Timer_Tick(object sender, EventArgs e)
{
  //your timer action code here
}

然而,更清洁的方式是已经建议的:

timer.Tick += Timer_Tick;
timer.Interval = SOME_INTERVAL;
SomeAction();
timer.Start();

//...

public void Timer_Tick(object sender, EventArgs e)
{
  SomeAction();
}

public void SomeAction(){
  //...
}

答案 3 :(得分:0)

这就是我解决的方法:

dispatcherTimer = new DispatcherTimer();
dispatcherTimer.Tick += new EventHandler(DispatcherTimer_Tick);
dispatcherTimer.Interval = new TimeSpan(0, 0, 10);
dispatcherTimer.Start();

DispatcherTimer_Tick(dispatcherTimer, new EventArgs());

为我工作,没有任何问题。