Logo Questions Linux Laravel Mysql Ubuntu Git Menu
 

Parallel.ForEach Misbehaviour [duplicate]

Possible Duplicate:
C# Value storage during Parallel Processing

I was running some performance tests in my console application today and I stumbled across something really unexpected. My code:

int iterations = 1000000;

var mainList = new List<string>();

for (int i = 0; i < iterations; i++)
{
    mainList.Add(i.ToString());
}

var listA = new List<string>();

Parallel.ForEach(mainList, (listItem) =>
                           {
                               if (Int32.Parse(listItem)%2 == 0)
                               {
                                   listA.Add(listItem);
                               }
                           });

Console.WriteLine("Parallel Count: {0}", listA.Count);

var listB = new List<string>();
foreach (var listItem in mainList)
{
    if (Int32.Parse(listItem) % 2 == 0)
    {
        listB.Add(listItem);
    }
}

Console.WriteLine("Sequential Count: {0}", listB.Count);

Which resulted in an output:

Parallel Count: 495939

Sequential Count: 500000

I ran it several times and the parallel loop never seems to get executed at a proper amount of times. Can anyone explain this "misbehaviour"? Are the parallel loops trustworthy?

P.S. I know there is a lot of nonsense going on in the provided example of code like ToString() calls on an integer and than parsing them back but that was just a random code I came up with while testing. Thanks in advance.

like image 964
TKharaishvili Avatar asked Dec 29 '12 18:12

TKharaishvili


1 Answers

Your problem is not with Parallel.ForEach. Your problem is with the List<int> - the class is not thread safe. My guess is that you are running into thread safety issues with the list object. Try using a ConcurrentBag<int> instead, and the problem will likely vanish.

From Microsoft regarding the thread safety of List<T>:

To allow the collection to be accessed by multiple threads for reading and writing, you must implement your own synchronization.

like image 130
theMayer Avatar answered Oct 06 '22 17:10

theMayer