我正在使用 BackgroundWorker 定期检查硬件开关。由于它是通过慢速 RS485 网络连接的,我不得不延迟下一次状态更新。在切换状态更改时,我想更新 OK/nOK 图片框。这被实现为一个绿色的 OK pictureBox 在一个 noOK pictureBox 上。这里没有做任何真正的工作。
为了可扩展性,我决定使用 Backgroundworker。最后我想要一个隐藏的工人,
- 全局提供三个开关的状态和
- StatusChange 图片框的更新。
问题描述 BackgroundWorker 启动后,按预期工作。但是 GUI 冻结。
我尝试了什么?MSDN BackgroundWorker Class Note 1说 , 应该通过 ProgressChanged 更新 GUI。我试图通过 Worker_Switch.ReportProgress(fakeProgress++) 引发此事件但失败了。PictureBox 不再更新。
设计师的片段
this.Worker_Switch = new System.ComponentModel.BackgroundWorker();
//
// Worker_Switch
//
this.Worker_Switch.WorkerSupportsCancellation = true;
this.Worker_Switch.DoWork += new System.ComponentModel.DoWorkEventHandler(this.Worker_Switch_DoWork);
主窗体的片段
delegate void SetEventCallback(object sender, DoWorkEventArgs e); // Threadsafe calls for DoWork
private void btnBackgroundworker_Click(object sender, EventArgs e)
{
if (!Worker_Switch.IsBusy)
{
Worker_Switch.RunWorkerAsync();
}
}
private void Worker_Switch_DoWork(object sender, DoWorkEventArgs e)
{
// Worker Thread has no permission to change PictureBox "pictureBoxSwitchrightOK"
// Therefore this method calls itsself in the MainThread, if necessary.
while (!Worker_Switch.CancellationPending)
{
if (this.pictureBoxSwitchrightOK.InvokeRequired) // Worker Thread
{
System.Threading.Thread.Sleep(400);
SetEventCallback myCall = new SetEventCallback(Worker_Switch_DoWork);
this.Invoke(myCall, new object[] { sender, e });
}
else // Main Thread
{
// Turns OK Picture Box invisible, if nOk State (Switch pushed)
pictureBoxSwitchrightOK.Visible = SwitchOK("right"); // true: OK (green)
this.Refresh();
}
}
private bool SwitchOK(string rightOrLeft) // select one of the switches
{ (...)} // gets hardware switch status
编辑:特别感谢 laszlokiss88(3 种可能性)和 JMK(为了简单起见,使用System.Windows.Forms
工具箱中的 Timer)
Toolbox 中的这种替代方法也有效:
this.timer_Switch.Enabled = true;
this.timer_Switch.Interval = 400;
this.timer_Switch.Tick += new System.EventHandler(this.timer_Switch_Tick);
private void timer_Switch_Tick(object sender, EventArgs e)
{
motorSwitchControl.Init(); // globally available Switch status
SwitchRight = SwitchOK("right");
SwitchRightOK.Visible = SwitchRight;
SwitchLeft = SwitchOK("left"); // globally available Switch status
SwitchLeftOK.Visible = SwitchLeft;
SwitchAllOK = SwitchRight & SwitchLeft;
this.Refresh();
}
a) Sleep() 实际上发生在工作线程中是否正确?- 没有主线程
b) 如果我在 DoWork 中操作用户界面对象,会出现什么问题?(与 MSDN 注释相反)- 在主线程中工作?
c) 定期更新 PictureBox 的正确方法是什么?DoWork、ProgressChanged、RunWorkerCompleted...?- 来自 laszlokiss88 答案的三种可能性。