using System;
using System.Collections.Generic;
using System.Linq;
using System.Net;
using System.Text;
using System.Threading;
using System.Threading.Tasks;
namespace Threads
{
class Program
{
static void Main(string[] args)
{
Action<int> TestingDelegate = (x321) => { Console.WriteLine(x321); };
int x123 = Environment.ProcessorCount;
MyParallelFor(0, 8, TestingDelegate);
Console.Read();
}
public static void MyParallelFor(int inclusiveLowerBound, int exclusiveUpperBound, Action<int> body)
{
int size = exclusiveUpperBound - inclusiveLowerBound;
int numProcs = Environment.ProcessorCount;
int range = size / numProcs;
var threads = new List<Task>(numProcs);
for(int p = 0; p < numProcs; p++)
{
int start = p * range + inclusiveLowerBound;
int end = (p == numProcs - 1) ? exclusiveUpperBound : start + range;
Task.Factory.StartNew(() =>
{
for (int i = start; i < end; i++) body(i);
});
}
Task.WaitAll(threads.ToArray());
Console.WriteLine("Done!");
}
}
}
大家好,我从并行编程模式书中实现了这个代码,他们使用线程来实现,我决定使用TPL库重写它。下面的输出是我得到的(当然它是随机的)然而......我期待“完成!”总是最后打印。出于某种原因,它并没有这样做。为什么不阻止?
Done!
1
0
2
6
5
4
3
7
答案 0 :(得分:5)
您没有将任何任务分配到您呼叫WaitAll的threads
列表,您的任务是独立启动的。在调用threads
之前,您将创建任务并将任务放入WaitAll
集合中。您可以在{MS}文档中为Task.WaitAll Method (Task[])
你的代码就像是
threads.Add(Task.Factory.StartNew(() =>
{
for (int i = 0; i < 10; i++) ;
}));
答案 1 :(得分:4)
您没有向线程集合添加任务。所以线程集合是空的。所以没有任务要等待。改变这样的代码
threads.Add(Task.Factory.StartNew(() =>
{
for (int i = start; i < end; i++) body(i);
}));
答案 2 :(得分:1)
原因很简单:您永远不会在threads
列表中添加任何内容。您声明它并为numProcs
条目分配空间,但您永远不会调用threads.Add
。
因此列表仍然为空,因此Task.WaitAll
不会等待任何事情。