40

观察以下代码:

var handler = GetTheRightHandler();
var bw = new BackgroundWorker();
bw.RunWorkerCompleted += OnAsyncOperationCompleted;
bw.DoWork += OnDoWorkLoadChildren;
bw.RunWorkerAsync(handler);

现在假设我想等到bw完成工作。这样做的正确方法是什么?

我的解决方案是这样的:

bool finished = false;
var handler = GetTheRightHandler();
var bw = new BackgroundWorker();
bw.RunWorkerCompleted += (sender, args) =>
{
  OnAsyncOperationCompleted(sender, args);
  finished = true;
});
bw.DoWork += OnDoWorkLoadChildren;
bw.RunWorkerAsync(handler);
int timeout = N;
while (!finished && timeout > 0)
{
  Thread.Sleep(1000);
  --timeout;
}
if (!finished)
{
  throw new TimedoutException("bla bla bla");
}

但我不喜欢它。

我考虑过用finished同步事件替换标志,在RunWorkerCompleted处理程序中设置它并稍后阻止它,而不是执行 while-sleep 循环。

唉,这是错误的,因为代码可能在 WPF 或 WindowsForm 同步上下文中运行,在这种情况下,我会阻塞与处理程序运行相同的线程RunWorkerCompleted,这显然不是很聪明的举动。

我想知道一个更好的解决方案。

谢谢。

编辑:

附言

  • 为了澄清我的问题,故意设计了示例代码。我完全了解完成回调,但我想知道如何等到完成。那是我的问题。
  • 我知道Thread.Join, Delegate.BeginInvoke, ThreadPool.QueueUserWorkItem, 等等...这个问题具体是关于BackgroundWorker.

编辑2:

好的,我想如果我解释一下场景会容易得多。

我有一个单元测试方法,它调用一些异步代码,而这些代码最终会参与BackgroundWorker我能够将完成处理程序传递给它的对象。所有代码都是我的,所以如果我愿意,我可以更改实现。但是,我不会替换BackgroundWorker,因为它会自动使用正确的同步上下文,因此当在 UI 线程上调用代码时,会在同一个 UI 线程上调用完成回调,这非常好。

无论如何,单元测试方法有可能在 BW 完成工作之前就结束了,这是不好的。所以我希望等到 BW 完成并想知道最好的方法。

它还有更多部分,但整体情况或多或少像我刚刚描述的那样。

4

10 回答 10

46

尝试像这样使用 AutoResetEvent 类:

var doneEvent = new AutoResetEvent(false);
var bw = new BackgroundWorker();

bw.DoWork += (sender, e) =>
{
  try
  {
    if (!e.Cancel)
    {
      // Do work
    }
  }
  finally
  {
    doneEvent.Set();
  }
};

bw.RunWorkerAsync();
doneEvent.WaitOne();

警告:doneEvent.Set()无论发生什么,您都应该确保调用它。此外,您可能希望为 提供doneEvent.WaitOne()一个指定超时期限的参数。

注意:此代码几乎是Fredrik Kalseth对类似问题的回答的副本。

于 2009-08-26T11:07:50.460 回答
19

要等待后台工作线程(单个或多个),请执行以下操作:

  1. 创建您以编程方式创建的后台工作人员列表:

    private IList<BackgroundWorker> m_WorkersWithData = new List<BackgroundWorker>();
    
  2. 在列表中添加后台工作者:

    BackgroundWorker worker = new BackgroundWorker();
    worker.DoWork += new DoWorkEventHandler(worker_DoWork);
    worker.ProgressChanged += new ProgressChangedEventHandler(worker_ProgressChanged);
    worker.WorkerReportsProgress = true;
    m_WorkersWithData.Add(worker);
    worker.RunWorkerAsync();
    
  3. 使用以下函数等待列表中的所有工作人员:

    private void CheckAllThreadsHaveFinishedWorking()
    {
        bool hasAllThreadsFinished = false;
        while (!hasAllThreadsFinished)
        {
            hasAllThreadsFinished = (from worker in m_WorkersWithData
                                     where worker.IsBusy
                                     select worker).ToList().Count == 0;
            Application.DoEvents(); //This call is very important if you want to have a progress bar and want to update it
                                    //from the Progress event of the background worker.
            Thread.Sleep(1000);     //This call waits if the loop continues making sure that the CPU time gets freed before
                                    //re-checking.
        }
        m_WorkersWithData.Clear();  //After the loop exits clear the list of all background workers to release memory.
                                    //On the contrary you can also dispose your background workers.
    }
    
于 2011-10-11T11:38:03.293 回答
7

BackgroundWorker 有一个完成事件。无需等待,而是从完成处理程序中调用剩余的代码路径。

于 2009-08-26T08:04:09.847 回答
2

这个问题很老,但我认为作者没有得到他想要的答案。

这有点脏,它在 vb.NET 中,但对我有用

Private Sub MultiTaskingForThePoor()
    Try
        'Start background worker
        bgwAsyncTasks.RunWorkerAsync()
        'Do some other stuff here
        For i as integer = 0 to 100
            lblOutput.Text = cstr(i)
        Next

        'Wait for Background worker
        While bgwAsyncTasks.isBusy()
            Windows.Forms.Application.DoEvents()
        End While

        'Voila, we are back in sync
        lblOutput.Text = "Success!"
    Catch ex As Exception
        MsgBox("Oops!" & vbcrlf & ex.Message)
    End Try
End Sub
于 2011-12-02T13:51:00.443 回答
2

VB.NET

While BackgroundWorker1.IsBusy()
    Windows.Forms.Application.DoEvents()
End While

您可以使用它来链接多个事件。(后面的伪代码)

download_file("filepath")

    While BackgroundWorker1.IsBusy()
       Windows.Forms.Application.DoEvents()
    End While
'Waits to install until the download is complete and lets other UI events function install_file("filepath")
While BackgroundWorker1.IsBusy()
    Windows.Forms.Application.DoEvents()
End While
'Waits for the install to complete before presenting the message box
msgbox("File Installed")
于 2013-08-22T18:46:46.473 回答
2

检查backgrWorker.IsBusy循环Application.DoEvents()不是一个好方法。

我同意@JohannesH,你应该明确地使用 AutoResetEvent 作为一个优雅的解决方案。但是在 UI Thread 中不使用,会导致主线程阻塞;它应该来自另一个后台工作线程。

AutoResetEvent aevent = new AutoResetEvent(false);    
private void button1_Click(object sender, EventArgs e)
{
    bws = new BackgroundWorker();
    bws.DoWork += new DoWorkEventHandler(bw_work);
    bws.RunWorkerCompleted += new RunWorkerCompletedEventHandler(bw_complete);
    bws.RunWorkerAsync();

    bwWaiting.DoWork += new DoWorkEventHandler(waiting_work);
    bwWaiting.RunWorkerCompleted += new RunWorkerCompletedEventHandler(waiting_complete);
    bwWaiting.RunWorkerAsync();
}

void bw_work(object sender, DoWorkEventArgs e)
{
    Thread.Sleep(2000);
}

void bw_complete(object sender, RunWorkerCompletedEventArgs e)
{
    Debug.WriteLine("complete " + bwThread.ToString());
    aevent.Set();
}
void waiting_work(object sender, DoWorkEventArgs e)
{
    aevent.WaitOne();
}

void waiting_complete(object sender, RunWorkerCompletedEventArgs e)
{
    Debug.WriteLine("complete waiting thread");
}
于 2015-03-19T04:47:10.967 回答
0

不太清楚你说的等待是什么意思。你的意思是你想做某事(由BW)在你想做其他事情之后?像您一样使用 bw.RunWorkerCompleted (使用单独的函数以提高可读性),然后在该回调函数中执行下一步操作。启动计时器以检查工作是否花费太长时间。

var handler = GetTheRightHandler();
var bw = new BackgroundWorker();
bw.RunWorkerCompleted += (sender, args) =>
{
  OnAsyncOperationCompleted(sender, args);
});
bw.DoWork += OnDoWorkLoadChildren;
bw.RunWorkerAsync(handler);

Timer Clock=new Timer();
Clock.Interval=1000;
Clock.Start();
Clock.Tick+=new EventHandler(Timer_Tick);

public void Timer_Tick(object sender,EventArgs eArgs)
{   
    if (bw.WorkerSupportsCancellation == true)
    {
        bw.CancelAsync();
    }

    throw new TimedoutException("bla bla bla");
 }

在 OnDoWorkLoadChildren 中:

if ((worker.CancellationPending == true))
{
    e.Cancel = true;
    //return or something
}
于 2009-08-26T12:03:23.860 回答
0

我也在寻找合适的解决方案。我用排他锁解决了等待。代码中的关键路径是写入公共容器(这里是控制台)并增加或减少工作人员。写入此变量时不应有线程干扰,否则不再保证计数。

public class Program
{
    public static int worker = 0;
    public static object lockObject = 0;

    static void Main(string[] args)
    {

        BackgroundworkerTest backgroundworkerTest = new BackgroundworkerTest();
        backgroundworkerTest.WalkDir("C:\\");
        while (backgroundworkerTest.Worker > 0)
        {
            // Exclusive write on console
            lock (backgroundworkerTest.ExclusiveLock)
            {
                Console.CursorTop = 4; Console.CursorLeft = 1;
                var consoleOut = string.Format("Worker busy count={0}", backgroundworkerTest.Worker);
                Console.Write("{0}{1}", consoleOut, new string(' ', Console.WindowWidth-consoleOut.Length));
            }
        }
    }
}

public class BackgroundworkerTest
{
    private int worker = 0;
    public object ExclusiveLock = 0;

    public int Worker
    {
        get { return this.worker; }
    }

    public void WalkDir(string dir)
    {
        // Exclusive write on console
        lock (this.ExclusiveLock)
        {
            Console.CursorTop = 1; Console.CursorLeft = 1;
            var consoleOut = string.Format("Directory={0}", dir);
            Console.Write("{0}{1}", consoleOut, new string(' ', Console.WindowWidth*3 - consoleOut.Length));
        }

        var currentDir = new System.IO.DirectoryInfo(dir);
        DirectoryInfo[] directoryList = null;
        try
        {
            directoryList = currentDir.GetDirectories();
        }
        catch (UnauthorizedAccessException unauthorizedAccessException)
        {
            // No access to this directory, so let's leave
            return;
        }

        foreach (var directoryInfo in directoryList)
        {
            var bw = new BackgroundWorker();

            bw.RunWorkerCompleted += (sender, args) =>
            {
                // Make sure that this worker variable is not messed up
                lock (this.ExclusiveLock)
                {
                    worker--;
                }
            };

            DirectoryInfo info = directoryInfo;
            bw.DoWork += (sender, args) => this.WalkDir(info.FullName);

            lock (this.ExclusiveLock)
            {
                // Make sure that this worker variable is not messed up
                worker++;
            }
            bw.RunWorkerAsync();
        }
    }
}
于 2014-09-22T15:18:06.263 回答
0

我将TasksBackgroundWorker一起使用

您可以创建任意数量的任务并将它们添加到任务列表中。worker 将在添加任务时启动,如果在 worker IsBusy 时添加任务则重新启动,并在没有更多任务时停止。

这将允许您在不冻结它的情况下尽可能多地异步更新 GUI。

这对我来说是有效的。

    // 'tasks' is simply List<Task> that includes events for adding objects
    private ObservableCollection<Task> tasks = new ObservableCollection<Task>();
    // this will asynchronously iterate through the list of tasks 
    private BackgroundWorker task_worker = new BackgroundWorker();

    public Form1()
    {
        InitializeComponent();
        // set up the event handlers
        tasks.CollectionChanged += tasks_CollectionChanged;
        task_worker.DoWork += task_worker_DoWork;
        task_worker.RunWorkerCompleted += task_worker_RunWorkerCompleted;
        task_worker.WorkerSupportsCancellation = true;

    }

    // ----------- worker events
    void task_worker_RunWorkerCompleted(object sender, RunWorkerCompletedEventArgs e)
    {
        if (tasks.Count != 0)
        {
            task_worker.RunWorkerAsync();
        }
    }

    void task_worker_DoWork(object sender, DoWorkEventArgs e)
    {
        try
        {

            foreach (Task t in tasks)
            {
                t.RunSynchronously();
                tasks.Remove(t);
            }
        }
        catch
        {
            task_worker.CancelAsync();
        }
    }


    // ------------- task event
    // runs when a task is added to the list
    void tasks_CollectionChanged(object sender,
        System.Collections.Specialized.NotifyCollectionChangedEventArgs e)
    {
        if (!task_worker.IsBusy)
        {
            task_worker.RunWorkerAsync();
        }
    }

现在您只需要创建一个新任务并将其添加到 List<>。它将由工作人员按照放入 List<> 的顺序运行

Task t = new Task(() => {

        // do something here
    });

    tasks.Add(t);
于 2017-01-20T13:59:38.883 回答
-1

在 OpenCV 中存在函数 WaitKey。Ir 允许以这种方式解决此问题:

while (this->backgroundWorker1->IsBusy) {
    waitKey(10);
    std::cout << "Wait for background process: " << std::endl;
}
this->backgroundWorker1->RunWorkerAsync();
于 2014-05-07T11:37:45.597 回答