使用Winforms中的运行后台线程更新UI中的控件

时间:2012-06-26 16:11:38

标签: c# winforms multithreading

我在Winform中使用后台工作线程,在我的Do_Work事件中我正在计算一些东西,我需要的是同时我想更新一个在main / UI线程中的标签?如何实现这个目标?

我想从Do_Work事件更新我的标签......

5 个答案:

答案 0 :(得分:6)

在WinForms(WPF)中,UI控件只能在UI线程中更新。您应该以这种方式更新您的标签:

public void UpdateLabel(String text){
    if (label.InvokeRequired)
    {
        label.Invoke(new Action<string>(UpdateLabel), text);
        return;
    }      
    label.Text = text;
}

答案 1 :(得分:1)

Do_Work方法中,您可以使用对象的Invoke()方法在其UI线程上执行委托,例如:

this.Invoke(new Action<string>(UpdateLabel), newValue);

...然后确保在您的班级中添加这样的方法:

private void UpdateLabel(string value)
{
    this.lblMyLabel.Text = value;
}

答案 2 :(得分:0)

我希望这有帮助:

  int x = 0;
    private void backgroundWorker1_ProgressChanged(object sender, ProgressChangedEventArgs e)
    {

        label1.Text = x.ToString();
    }

    private void backgroundWorker1_DoWork(object sender, DoWorkEventArgs e)
    {
        x++;
        //you can put any value
        backgroundWorker1.ReportProgress(0);
    }

    private void button6_Click(object sender, EventArgs e)
    {
        backgroundWorker1.RunWorkerAsync();
    }

答案 3 :(得分:0)

在用户界面(标签)更新期间,您遇到了跨线程异常的问题,因为它(UI)位于不同的线程(mainThread)中。您可以使用许多选项,如TPL,ThreadPool,等等但是简单的方法做你想做的就是在你的Do_Work方法中写一个简单的Action

private void backgroundWorker1_DoWork(object sender,DoWorkEventArgs e)

{
    x++;
    //you can put any value
    Action = act =()=>
           {
              label.Text = Convert.ToString(x);
           };
     if (label.InvokeRequired)
         label.BeginInvoke(act);
     else
          label.Invoke(act);
    backgroundWorker1.ReportProgress(0);
}

答案 4 :(得分:0)

使用扩展方法的更通用的解决方案。这允许您更新任何控件的 Text 属性。

public static class ControlExtensions
{
   public static void UpdateControlText(this Control control, string text)
   {
      if (control.InvokeRequired)
      {
         _ = control.Invoke(new Action<Control, string>(UpdateControlText), control, text);
      }

      control.Text = text;
   }

   public static void UpdateAsync(this Control control, Action<Control> action)
   {
      if(control.InvokeRequired)
      {
         _ = control.Invoke(new Action<Control, Action<Control>>(UpdateAsync), control, action);
      }

      action(control);
   }
}

你可以使用这样的方法:

TextBox1.UpdateControlText(string.Empty); // Just update the Text property

// Provide an action/callback to do whatever you want.
Label1.UpdateAsync(c => c.Text = string.Empty); 
Button1.UpdateAsync(c => c.Text == "Login" ? c.Text = "Logout" : c.Text = "Login");
Button1.UpdateAsync(c => c.Enabled == false);