为什么选择新实例只在枚举上构造
本文关键字:枚举 新实例 选择 实例 为什么 | 更新日期: 2023-09-27 18:31:36
为什么每次循环遍历 IEnumerable 时而不是在初始选择期间,以下内容都会创建实例?
this.bars = this.values.Select(x => new Bar(x));
我希望它遍历值,然后在那里选择一个新柱线,但在测试它之后,它当时不会创建任何实例,而是在每次循环遍历它时创建新实例。
private IEnumerable<Bar> bars;
柱线字段被声明为 IEnuermable,所以我不明白它如何拥有任何类型的功能或闭包。
- 这是预期行为吗,如果是,为什么?
- 我将如何使用 Linq 执行此操作,但随后会创建一组新实例?
控制台测试应用的完整源代码:
namespace LINQ_Test
{
using System.Collections.Generic;
using System.Diagnostics;
using System.Linq;
public class Bar
{
private int value;
public Bar(int value)
{
this.value = value;
Debug.WriteLine("CTOR: " + value);
}
}
public class Foo
{
private IEnumerable<Bar> bars;
private IEnumerable<int> values = new int[] { 0, 1234, -1 };
public void LoopValues()
{
Debug.WriteLine("Looping through bars 3 times:");
for (int loop = 0; loop < 3; loop++)
{
foreach (Bar bar in this.bars)
{
}
Debug.WriteLine(" (next loop)");
}
Debug.WriteLine("-'n");
}
public void SetupValues()
{
Debug.WriteLine("Settings up bars:");
this.bars = this.values.Select(x => new Bar(x));
Debug.WriteLine("-'n");
}
}
internal class Program
{
private static void Main(string[] args)
{
Foo foo = new Foo();
foo.SetupValues();
foo.LoopValues();
}
}
}
应用输出:
Settings up bars:
-
Looping through bars 3 times:
CTOR: 0
CTOR: 1234
CTOR: -1
(next loop)
CTOR: 0
CTOR: 1234
CTOR: -1
(next loop)
CTOR: 0
CTOR: 1234
CTOR: -1
(next loop)
-
是的
,这是预期行为,并记录在IEnumerable#Select
文档中。从该链接:
此方法是使用延迟执行实现的。立即返回值是一个对象,用于存储执行操作所需的所有信息。在通过直接调用对象的
GetEnumerator
方法或使用 Visual C# 中的foreach
或 Visual Basic 中的For Each
枚举对象之前,不会执行此方法表示的查询。
如果您希望立即完成,请立即枚举它,也许使用 ToList
。