16

如果我有如下循环:

foreach (string pass in new string[] { "pass1", "pass2", "pass3" })
{
 x = pass; //etc
}

匿名字符串数组是最初创建一次,还是每次通过都重新创建一次?

我相信前者,但同事们确信这是一个等待发生的错误,因为他们说 foreach 循环的每次迭代都会导致创建一个新的字符串数组。

VS 反汇编代码表明我是对的,但我想确定一下。

我们正在研究这个的原因是试图理解一个神秘的错误,它报告一个集合在迭代时发生了变化。

4

5 回答 5

27

根据Eric Lippert 博客规范,foreach 循环是一种语法糖:

{
  IEnumerator<string> e = ((IEnumerable<string>)new string[] { "pass1", "pass2", "pass3" }).GetEnumerator();
   try
   { 
     string pass; // OUTSIDE THE ACTUAL LOOP
      while(e.MoveNext())
      {
        pass = (string)e.Current;
        x = pass;
      }
   }
   finally
   { 
      if (e != null) ((IDisposable)e).Dispose();
   }
}

如您所见,枚举器是在循环之前创建的。

@Rawling 正确指出,编译器对该数组的处理略有不同。Foreach循环被优化为带有数组的 for循环。根据The Internals of C# foreach您的 C# 5 代码将如下所示:

string[] tempArray;
string[] array = new string[] { "pass1", "pass2", "pass3" };
tempArray = array;

for (string counter = 0; counter < tempArray.Length; counter++)
{
    string pass = tempArray[counter];
    x = pass;
}

初始化也只发生一次。

于 2013-02-27T14:26:18.133 回答
5

如果你查看 ILSpy,这段代码会被翻译成类似

string[] array = new string[]
{
    "pass1",
    "pass2",
    "pass3"
};
for (int i = 0; i < array.Length; i++)
{
    string pass = array[i];
}

所以是的,数组只创建一次。

但是,说服您的同事的最佳参考可能是 C# 规范的第 8.8.4 节,它基本上会告诉您 LazyBerezovsky 的答案的作用。

于 2013-02-27T14:32:37.987 回答
2

它最初只创建一次。

我尝试了 Ofer Zelig 的建议(来自评论)

foreach (DateTime pass in new DateTime[] { DateTime.Now, DateTime.Now, DateTime.Now })
{
    int x = pass.Second; //etc
}

并设置断点。即使您在迭代之间等待,它也会为所有 3 次迭代提供相同的秒数。

于 2013-02-27T14:30:31.923 回答
1

您可以对其进行测试(有很多方法可以这样做,但这是一种选择):

string pass4 = "pass4";
foreach (string pass in new string[] { "pass1", "pass2", "pass3", pass4 })
{
    pass4="pass5 - oops";
    x = pass; //etc
}

然后看看有什么结果。

你会发现你是对的——它只执行了一次。

于 2013-02-27T14:26:13.027 回答
1

下面的示例应该回答是否重新创建数组的问题。

        int i = 0;
        int last = 0;

        foreach (int pass in new int[] { i++, i++, i++, i++, i++, i++, i++ })
        {
            if (pass != last)
            {
                throw new Exception("Array is reintialized!");
            }
            last++;
        }

        if (i > 7)
        {
            throw new Exception("Array is reintialized!");
        }
于 2013-02-27T14:41:24.190 回答