我的问题可能很简单。在c#项目中,我试图在click
事件的不同类中设置实例的状态。麻烦的是,我想在经过一段时间后才这样做,没有任何c#经验,我觉得很难完成。
提前致谢!!
我的代码如下:
public void button1_Click(object sender, EventArgs e)
{
kruispunt.zPad1.voetstoplicht1.setStatus(StoplichtStatus.Rood);
kruispunt.zPad1.voetstoplicht2.setStatus(StoplichtStatus.Rood);
this.Refresh();
}
答案 0 :(得分:1)
最简单的方法是使用async
(假设您使用的是C#5):
public async void button1_Click(object sender, EventArgs e)
{
await Task.Delay(Timespan.FromSeconds(5));
kruispunt.zPad1.voetstoplicht1.setStatus(StoplichtStatus.Rood);
kruispunt.zPad1.voetstoplicht2.setStatus(StoplichtStatus.Rood);
this.Refresh();
}
另一种选择是使用Timer
:
public void button1_Click(object sender, EventArgs e)
{
var timer = new System.Windows.Forms.Timer { Interval = 5000 };
timer.Tick += delegate
{
timer.Dispose();
kruispunt.zPad1.voetstoplicht1.setStatus(StoplichtStatus.Rood);
kruispunt.zPad1.voetstoplicht2.setStatus(StoplichtStatus.Rood);
this.Refresh();
}
timer.Start();
}
请注意,我使用的是Windows窗体计时器,而不是System.Timers.Timer
或System.Threading.Timer
;这是因为事件必须在UI线程中发生,否则对Refresh
的调用将失败。