线程接收错误的参数

时间:2012-09-07 19:25:56

标签: c# multithreading .net-3.5

我需要在线程中运行带有给定参数的方法。我注意到,当我运行它时, 参数错误。对于给出的示例,我有一个数组为int[] output,数字为1-7。对于每个数字,我使用方法WriteInt(i)创建一个线程。我希望输出在任何顺序都是1-7,但我一直看到一些数字遗漏,其他人重复。发生了什么以及启动这些线程的正确方法是什么?

(该列表仅用于之后加入线程)

class Program
{
    static void Main(string[] args)
    {
        int[] output = { 1, 2, 3, 4, 5, 6, 7 };

        List<Thread> runningThreads = new List<Thread>();

        foreach (int i in output)
        {
            Thread thread = new Thread(() => WriteInt(i));
            thread.Start();
            runningThreads.Add(thread);
        }
        foreach(Thread t in runningThreads)
        {
            t.Join();
        }
    }

    private static void WriteInt(int i)
    {
        Console.WriteLine(i);
    }
}

示例输出:

3
3
4
5
6
7

1 个答案:

答案 0 :(得分:14)

lambda(() => WriteInt(i))创建的闭包越过变量 i,而不是每次迭代中设置为i的值。当线程运行时,它使用在该时间点i内设置的值,由于foreach循环处理,该值可能已经被更改。

你需要一个临时的:

foreach (int i in output)
{
        int temp = i;
        Thread thread = new Thread(() => WriteInt(temp));
        thread.Start();
        runningThreads.Add(thread);
}

有关正在发生的事情的详细信息,请参阅Eric Lippert的帖子,标题为Closing over the loop variable considered harmful

此外,在C#5(VS2012)中,这不再是foreach循环的问题。但是,仍然会出现for循环。