如何使用Parallel.For(..)填充主线程上的List <t>

时间:2015-07-09 13:01:17

标签: c# multithreading parallel-processing locking

想象一下,我为一个有很多属性的学生提供了以下课程,让我们简化它:

public class Student{
    public Int64 id { get; set; }
    public String name { get; set; }
    public Int64 Age { get; set; }
}

然后在主线程上我得到了以下列表:

List<Student> allStudents = new List<Student>();

假设我有500名学生在Excel文件中,我想收集它们并将它们插入列表中。我可以做如下的事情:

for(int i = startRow; i < endRow; i++){
    Student s = new Student();

    //Perform a lot of actions to gather all the information standing on the row//

    allStudents.Add(s);
}

现在因为在Excel中收集信息非常慢,因为必须执行许多操作。所以我想使用Parallel.For,我可以想象做以下事情:

Parallel.For(startRow, endRow, i => {
    Student s = new Student();

    //Perform a lot of actions to gather all the information standing on the row//

    //Here comes my problem. I want to add it to the collection on the main-thread.
    allStudents.Add(s);
});

在上述问题中实现Parallel.For的正确方法是什么?我应该在添加之前锁定列表吗?具体如何?

@Edit 15:52 09-07-2015

以下答案的结果如下(524条记录):

  • 2:09分钟 - 正常循环
  • 0:19分钟 - AsParallel loop

1 个答案:

答案 0 :(得分:9)

我宁愿使用 PLinq 而不是添加到List<T>(这不是线程安全的):

List<Student> allStudents = Enumerable
  .Range(startRow, endRow - startRow)
  .AsParallel()
  .Select(i => new Student(...))
  .ToList();