Por que o PLINQ é mais lento que o LINQ para este código?

Primeiro, estou executando isso em uma máquina de processador dual core de 2,66 GHz. Não tenho certeza se tenho a chamada .AsParallel () no local correto. Também tentei diretamente na variável range e isso ainda era mais lento. Não entendo o porquê ...

Aqui estão meus resultados:

O processo não paralelo 1000 levou 146 milissegundos

O processo paralelo 1000 levou 156 milissegundos

Processo não paralelo 5000 levou 5187 milissegundos

O processo paralelo 5000 levou 5300 milissegundos

using System;
using System.Collections.Generic;
using System.Diagnostics;
using System.Linq;

namespace DemoConsoleApp
{
  internal class Program
  {
    private static void Main()
    {
      ReportOnTimedProcess(
        () => GetIntegerCombinations(),
        "non-parallel 1000");

      ReportOnTimedProcess(
        () => GetIntegerCombinations(runAsParallel: true),
        "parallel 1000");

      ReportOnTimedProcess(
        () => GetIntegerCombinations(5000),
        "non-parallel 5000");

      ReportOnTimedProcess(
        () => GetIntegerCombinations(5000, true),
        "parallel 5000");

      Console.Read();
    }

    private static List<Tuple<int, int>> GetIntegerCombinations(
      int iterationCount = 1000, bool runAsParallel = false)
    {
      IEnumerable<int> range = Enumerable.Range(1, iterationCount);

      IEnumerable<Tuple<int, int>> integerCombinations =
        from x in range
        from y in range
        select new Tuple<int, int>(x, y);

      return runAsParallel
               ? integerCombinations.AsParallel().ToList()
               : integerCombinations.ToList();
    }

    private static void ReportOnTimedProcess(
      Action process, string processName)
    {
      var stopwatch = new Stopwatch();
      stopwatch.Start();
      process();
      stopwatch.Stop();

      Console.WriteLine("Process {0} took {1} milliseconds",
                        processName, stopwatch.ElapsedMilliseconds);
    }
  }
}

questionAnswers(2)

yourAnswerToTheQuestion