使用ManualResetEvent进行并行编程

时间:2016-09-05 12:53:23

标签: c# .net-3.5 manualresetevent

我有一种处理List<string>并行的方法。不幸的是,我无法使用.NET 4 +。

但是当我运行此方法时,i始终是items.Count

public static void ParallelForEachTest(List<string> items)
{
    if (items != null && items.Count > 0)
    {
        List<ManualResetEvent> mEventList = new List<ManualResetEvent>();
        for (int i = 0; i < items.Count ; i++)
        {
            ManualResetEvent mEvent = new ManualResetEvent(false);
            ThreadPool.QueueUserWorkItem((y) =>
            {
                Console.WriteLine(items[i] + i);
                mEvent.Set();
            });
            mEventList.Add(mEvent);
        }
        mEventList.ForEach(x => x.WaitOne());
    }
}

我需要做些什么才能实现

  

x 0
x 1 x 2

代表ParallelForEachTest(new List<string>(){"x","x","x"});

1 个答案:

答案 0 :(得分:2)

执行Console.WriteLine时,循环已经终止,循环变量i的最终值等于list.Count

为了让每个任务都打印出相应的索引,你必须将索引值传递给任务本身:

ThreadPool.QueueUserWorkItem((y) => { ... }, i);

第二个参数是在任务启动后将传递给回调的状态。

另外,请确保不要使用闭包从任务内部访问状态。仅使用任务状态传输数据:

public static void ParallelForEachTest(List<string> items)
{
    if (items != null && items.Count > 0)
    {
        List<ManualResetEvent> mEventList = new List<ManualResetEvent>();
        for (int i = 0; i < items.Count; i++)
        {
            ManualResetEvent mEvent = new ManualResetEvent(false);
            ThreadPool.QueueUserWorkItem(
                (state) =>
                {
                    Tuple<string, int, ManualResetEvent> tuple =
                        (Tuple<string, int, ManualResetEvent>)state;
                    Console.WriteLine(tuple.Item1 + tuple.Item2);
                    tuple.Item3.Set();
                },
                Tuple.Create(items[i], i, mEvent));
            mEventList.Add(mEvent);
        }
        mEventList.ForEach(x => x.WaitOne());
    }
}