9

我需要在线程中运行具有给定参数的方法。我注意到当我运行它时,参数是错误的。对于给出的示例,我有一个数字为 1-7 的数组int[] output。对于每个数字,我使用方法创建一个线程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
4

1 回答 1

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 dangerous

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

于 2012-09-07T19:26:59.893 回答