List thread safety

后端 未结 6 809
一生所求
一生所求 2020-11-28 12:33

I am using the below code

var processed = new List();
Parallel.ForEach(items, item => 
{
    processed.Add(SomeProcessingFunc(item));
});
         


        
6条回答
  •  迷失自我
    2020-11-28 13:20

    No! It is not safe at all, because processed.Add is not. You can do following:

    items.AsParallel().Select(item => SomeProcessingFunc(item)).ToList();
    

    Keep in mind that Parallel.ForEach was created mostly for imperative operations for each element of sequence. What you do is map: project each value of sequence. That is what Select was created for. AsParallel scales it across threads in most efficient manner.

    This code works correctly:

    var processed = new List();
    Parallel.ForEach(items, item => 
    {
        lock(items.SyncRoot)
            processed.Add(SomeProcessingFunc(item));
    });
    

    but makes no sense in terms of multithreading. locking at each iteration forces totally sequential execution, bunch of threads will be waiting for single thread.

提交回复
热议问题