在 class 初始化器中使用隐式类型数组
Using an implicitly-typed array in class initializer
考虑以下几点:
public class Foo
{
public List<int> ListProp { get; set; } = new List<int>();
public int[] ArrayProp { get; set; } = new int[3];
}
public static void Main()
{
new Foo
{
// This works, but does not call the setter for ListProp.
ListProp = { 1, 2, 3 },
// This gives a compiler error: 'int[]' does not contain a
// definition for 'Add' and no extension method 'Add' accepting
// a first argument of type 'int[]' could be found (are you
// missing a using directive or an assembly reference?)
ArrayProp = { 4, 5, 6 }
};
}
我很想知道发生了什么。 ListProp setter 没有被调用。我们尝试分配 ArrayProp 的编译器错误表明在内部,此分配将尝试调用 "Add" 方法。
PS:显然,代码可以这样工作:ArrayProp = new int[] { 4, 5, 6 }
但这不能满足我的好奇心:)
The ListProp setter doesn't get called
因为它实际上并没有被重新设置。在这种情况下,collection initializer 语法糖实际上会调用 List<T>.Add
。它基本上是在做:
public static void Main()
{
Foo expr_05 = new Foo();
expr_05.ListProp.Add(1);
expr_05.ListProp.Add(2);
expr_05.ListProp.Add(3);
}
And the compiler error where we try to assign ArrayProp suggests that
internally, this assignment will try to call an "Add" method.
没错,如上所述,集合初始化器只不过是调用给定集合上的 Add
方法的语法糖。由于 int[]
或与此相关的任何数组都没有 Add
方法,因此会出现编译时错误。
考虑以下几点:
public class Foo
{
public List<int> ListProp { get; set; } = new List<int>();
public int[] ArrayProp { get; set; } = new int[3];
}
public static void Main()
{
new Foo
{
// This works, but does not call the setter for ListProp.
ListProp = { 1, 2, 3 },
// This gives a compiler error: 'int[]' does not contain a
// definition for 'Add' and no extension method 'Add' accepting
// a first argument of type 'int[]' could be found (are you
// missing a using directive or an assembly reference?)
ArrayProp = { 4, 5, 6 }
};
}
我很想知道发生了什么。 ListProp setter 没有被调用。我们尝试分配 ArrayProp 的编译器错误表明在内部,此分配将尝试调用 "Add" 方法。
PS:显然,代码可以这样工作:ArrayProp = new int[] { 4, 5, 6 }
但这不能满足我的好奇心:)
The ListProp setter doesn't get called
因为它实际上并没有被重新设置。在这种情况下,collection initializer 语法糖实际上会调用 List<T>.Add
。它基本上是在做:
public static void Main()
{
Foo expr_05 = new Foo();
expr_05.ListProp.Add(1);
expr_05.ListProp.Add(2);
expr_05.ListProp.Add(3);
}
And the compiler error where we try to assign ArrayProp suggests that internally, this assignment will try to call an "Add" method.
没错,如上所述,集合初始化器只不过是调用给定集合上的 Add
方法的语法糖。由于 int[]
或与此相关的任何数组都没有 Add
方法,因此会出现编译时错误。