有人可以解释为什么从Thread.Sleep
调用BackgroundWorker
阻止其执行。调用应导致委托(delegate)在UI线程上执行,而后台线程应继续执行。但这没有发生-为什么?
public partial class Form1 : Form
{
public Form1()
{
InitializeComponent();
BackgroundWorker bgrw = new BackgroundWorker();
bgrw.DoWork += new DoWorkEventHandler(bgrw_DoWork);
bgrw.RunWorkerAsync();
}
void bgrw_DoWork(object sender, DoWorkEventArgs e)
{
Console.WriteLine(DateTime.Now);
this.Invoke(new Action(() => { Thread.Sleep(2000); })); //should be executed on the UI thread
Console.WriteLine(DateTime.Now); // This line is executed after 2 seconds
}
}
最佳答案
这是一个相当简单的解释。 Invoke
是一个阻止调用。如果要异步在UI消息循环上排队工作,请改用 BeginInvoke
:
void bgrw_DoWork(object sender, DoWorkEventArgs e)
{
Console.WriteLine(DateTime.Now);
this.BeginInvoke(new Action(() => { Thread.Sleep(2000); }));
Console.WriteLine(DateTime.Now);
}
注意您的代码,因为当前构造的没有意义。我假设您将其用于测试目的。
关于c# - C#BackgroundWorker和调用,我们在Stack Overflow上找到一个类似的问题:https://stackoverflow.com/questions/28557601/