我有一些在.NET CF 2.0上启动线程的代码:
ThreadStart tStart = new ThreadStart(MyMethod);
Thread t = new Thread(tStart);
t.Start();
如果我在循环中调用此项,则项目完全无序。如何在t.Start()
之后引入等待,以便在代码继续之前线程上的工作完成? BeginInvoke / EndInvoke会比手动创建线程更好吗?
答案 0 :(得分:10)
你需要对线程施加多少订单?如果你只是需要在循环中开始的所有工作在代码继续之前完成,但是你不关心循环中的工作顺序,那么调用Join就是答案。要向Kevin Kenny's answer,添加更多详细信息,您应该在循环中调用Join outside 。这意味着您将需要一个集合来保存对您启动的线程的引用:
// Start all of the threads.
List<Thread> startedThreads = new List<Thread>();
foreach (...) {
Thread thread = new Thread(new ThreadStart(MyMethod));
thread.Start();
startedThreads.Add(thread);
}
// Wait for all of the threads to finish.
foreach (Thread thread in startedThreads) {
thread.Join();
}
相反,如果你在循环中调用了Join,那么结果基本上与完全不使用线程相同。循环体的每次迭代都会创建并启动一个线程,然后立即加入它并等待它完成。
如果各个线程产生一些结果(例如,在日志中写入消息),则消息可能仍然无序出现,因为线程之间没有协调。通过将它们与Monitor协调,可以让线程按顺序输出结果。
答案 1 :(得分:4)
等待线程完成的另一种方法是使用AutoResetEvent
。
private readonly AutoResetEvent mWaitForThread = new AutoResetEvent(false);
private void Blah()
{
ThreadStart tStart = new ThreadStart(MyMethod);
Thread t = new Thread(tStart);
t.Start();
//... (any other things)
mWaitForThread.WaitOne();
}
private void MyMethod()
{
//... (execute any other action)
mWaitForThread.Set();
}
答案 2 :(得分:2)
如果我正确地阅读了这个,那么你就是在一堆线程上启动工作项,但是你担心线程是乱序完成的,并且宁愿等到每个线程按照它们的顺序完成开始了?
如果是这种情况,那么我不确定为什么要为每个工作项创建一个线程。也许你可以扩展?
如果您确实需要等待线程完成,您可以这样做:
t.Join();