2

我试图让后台工作人员以最基本的方式使用 Windows 窗体运行,例如让后台进程更改标签中的文本。我在这里得到了基本的后台工作人员代码。http://www.albahari .com/threading/part3.aspx Heres the code in my form.. 试图让它按下一个按钮,然后生成后台工作线程,这会更改标签中的文本

    using System;
    using System.Collections.Generic;
    using System.ComponentModel;
    using System.Data;
    using System.Drawing;
    using System.Linq;
    using System.Text;
    using System.Windows.Forms;

       namespace WindowsFormsApplication4
    {
        public partial class Form1 : Form
        {
            public Form1()
            {
                InitializeComponent();
            }


            BackgroundWorker _bw = new BackgroundWorker();

             void backgroundio()
            {
                _bw.DoWork += bw_DoWork;
                _bw.RunWorkerAsync("Message to worker");

            }

             void bw_DoWork(object sender, DoWorkEventArgs e)
            {
                // This is called on the worker thread
                label1.Text = (string)(e.Argument);        // writes "Message to worker"
                // Perform time-consuming task...
            }

             void button1_Click(object sender, EventArgs e)
             {
                 backgroundio();
             }

        }
    }

对于 label1.Text = (string)(e.Argument); 我得到这个错误。

跨线程操作无效:控件“label1”从创建它的线程以外的线程访问。

感谢您的帮助!:)

实际上,当我在这里时,有人可以解释一下这条线吗?

 _bw.DoWork += bw_DoWork;

我不明白 += 在这种情况下有什么意义。你怎么能添加这些东西?

4

3 回答 3

9

第一季度

你的bw_doWork方法是静态的。这意味着您的类的所有实例只有其中一种方法。该方法无法访问特定于实例的属性或字段或方法。这解释了编译器错误。

如果您将该方法更改为不是静态的,它将允许您在label1其中引用。


Q2。

您引用的语法是向该事件添加事件处理程序的快捷方式。

它只是意味着“将此处理程序添加到给定事件的处理程序列表中”。这样做的长期方法是使用 AddEventHandler。

http://msdn.microsoft.com/en-us/library/system.reflection.eventinfo.addeventhandler.aspx

第三季度

您在运行时收到的神秘消息表明您无法在非 uI 线程上更新 UI 对象。(bg worker 意味着不同的线程。)解决方案是在 UI 线程上执行您想要的更新。

void bw_DoWork(object sender, DoWorkEventArgs e)
{
    // This is called on the worker thread
    UpdateLabel((string)e.Argument));
      ...more work here...
}

void UpdateLabel(string s)
{
    if (this.label1.InvokeRequired)
    {
        // It's on a different thread, so use Invoke.
        this.BeginInvoke (new MethodInvoker(() => UpdateLabel(s));
    }
    else
    {
        // It's on the same thread, no need for Invoke
        this.label1.Text = s;
    }
}

要了解更多信息,请访问 http://msdn.microsoft.com/en-us/library/ms171728(v=vs.90).aspx

于 2012-06-16T20:33:47.043 回答
2

在 DoWork 事件中,您应该执行要在不同线程上执行的工作,即。“不会冻结您的应用程序的后台工作”。

然后你有一个进度事件(我认为,至少类似的东西) - 这是你更新你的 GUI 的地方,即。更改文本或标签。不要在这里做任何繁重的工作,这是你的主线。

在您的 DoWork 事件中,即。后台线程,您可以使用 BackgroundWorker 对象上的方法向主线程报告进度(我不记得方法的名称,例如 Report、Progress 之类的东西),然后将调用 Progress-event主线程。

于 2012-06-16T20:45:05.110 回答
0

您不能从DoWork事件更新 UI 控件。UI 可以从_bw_RunWorkerCompleted.

通过事件参数将要在 UI 元素中更新的值从DoWork事件传递给RunWorkerCompletedEven,并在 Completed 事件中更新标签。

于 2013-04-26T13:26:39.347 回答