AsParallel究竟是如何工作的?

时间:2009-11-28 14:25:16

标签: c# .net plinq

以下测试程序似乎没有下蹲。这是因为我正在测试一个小清单吗?

static void Main(string[] args)
{
    List<int> list = 0.UpTo(4);

    Test(list.AsParallel());
    Test(list);
}

private static void Test(IEnumerable<int> input)
{
    var timer = new Stopwatch();
    timer.Start();
    var size = input.Count();
    if (input.Where(IsOdd).Count() != size / 2)
        throw new Exception("Failed to count the odds");

    timer.Stop();
    Console.WriteLine("Tested " + size + " numbers in " + timer.Elapsed.TotalSeconds + " seconds");
}

private static bool IsOdd(int n)
{
    Thread.Sleep(1000);
    return n%2 == 1;
}

两个版本都需要4秒才能运行。

3 个答案:

答案 0 :(得分:24)

任务并行库关心序列的静态类型。 TPL处理的操作应该是IParallelEnumerable<T>。当您致电IEnumerable<T>时,您正在将该集合转发回Test。因此,编译器将解析对.Where扩展方法的序列的System.Linq.Enumerable.Where调用,而不是TPL提供的并行版本。

答案 1 :(得分:5)

(更新.NET4,因为这个问题在Google搜索AsParallel()中排名很高)

只需进行一些更改,您的示例就可以按照我的预期运作。

List<int> list = 0.UpTo(4);更改为var list = Enumerable.Range(0, 4);

如果您添加了一个带有ParallelQuery的签名的函数重载,那么您的示例将会起作用...

    private static void Test(ParallelQuery<int> input)
    {
        var timer = new Stopwatch();
        timer.Start();

        int size = input.Count();
        if (input.Where(IsOdd).Count() != size / 2)
        {
            throw new Exception("Failed to count the odds");
        }
        timer.Stop();

        Console.WriteLine("Tested " + size + " numbers in " + timer.Elapsed.TotalSeconds + " seconds");
    }

或者,您可以使用LINQ语法....

    private static void Test(ParallelQuery<int> list)
    {
        var timer = Stopwatch.StartNew();

        if ((from n in list.AsParallel()
             where IsOdd(n)
             select n).Count() != (list.Count() / 2))
        {
            throw new Exception("Failed to count the odds");
        }

        Console.WriteLine("Tested " + list.Count() + " numbers in " + timer.Elapsed.TotalSeconds + " seconds");
    }

希望这有助于某人!

答案 2 :(得分:2)

As Parallel通过将你的东西放入ThreadPool来工作。另外,你有多少个核心?如果您正在使用单核心计算机,仍然需要大约4秒才能运行。