所以我看the documentation来了解如何使用对象初始化程序,无论是否为匿名类型。我唯一想知道的是为什么(如果重要的话)这个例子有不同之处。
它是这样的:对于猫
class Cat
{
public int Age { get; set; }
public string Name { get; set; }
}
我可以看到第一个例子:
Cat cat = new Cat { Age = 10, Name = "Fluffy" };
这是有道理的。但是,您可以找到以下内容:
List<Cat> cats = new List<Cat>
{
new Cat(){ Name = "Sylvester", Age=8 },
new Cat(){ Name = "Whiskers", Age=2 }
};
现在我的问题是:(为什么)new Cat{...}
之间存在差异
和new Cat(){...}
?
我们为什么要使用(或不使用)括号?
答案 0 :(得分:5)
如果对象具有无参数构造函数,则可以省略括号。所以这两个都是有效的
// Assuming cat has a constructor with no parameters
Cat cat = new Cat { Age = 10, Name = "Fluffy" };
Cat cat = new Cat() { Age = 10, Name = "Fluffy" };
List<T>
本身有一个对象初始值设定项,您可以在其中提供任意数量的项目,它们会自动添加到集合中。
List<Cat> cats = new List<Cat>()
{
new Cat(){ Name = "Sylvester", Age=8 }, // Add sylvester to the List
new Cat(){ Name = "Whiskers", Age=2 } // And Whiskers too
};
如上所述,你也可以在这里删除括号
List<Cat> cats = new List<Cat>
{
new Cat { Name = "Sylvester", Age=8 }, // Add sylvester to the List
new Cat { Name = "Whiskers", Age=2 } // And Whiskers too
};
答案 1 :(得分:4)
这些只是两个可接受的等效语法,用于在对象初始化的C#中实例化对象(如果你只是var cat = new Cat();
,则不能省略括号。)
new Cat {...}
允许实例化并初始化 Cat对象的属性作为new Cat() {...}
的快捷方式,调用上述构造函数。关于构造函数的部分很重要。如果没有隐式默认构造函数/显式无参数构造函数,那么你不能省略括号,并且你必须在其中提供参数:
public class Cat {
public string Name;
public int Age;
public Cat(string s) { // since I provide a constructor with parameter here, no parameterless constructor exists
Name = s;
}
}
// ...
void TestCat()
{
// compilation error : 'Cat'' does not contain a constructor that takes 0 arguments
//var badCat1 = new Cat { Name = "Felix", Age = 3} ;
//var badCat2 = new Cat() { Name = "Felix", Age = 3} ;
// works (but no way to remove parenthesis here, since there are parameters to pass to csontructor)
var goodCat = new Cat("Felix") { Age = 3 } ;
Console.WriteLine($"The cat {goodCat.Name} is {goodCat.Age} years old");
}
特殊情况 :(对于集合,列表,字典等使用很多......)。
如果类T实现IEnumerable(即具有IEnumerable) GetEnumerator()公共函数),并实现一个Add方法,然后对象初始值设定项将使用Add方法和枚举上的集合。
来自https://blog.mariusschulz.com/2014/06/26/fun-with-custom-c-collection-initializers
的示例创建特殊课程&#34;积分&#34;其作用类似于&#34; List&#34;初始化。
请注意,这也使用现有的无参数构造函数!
public class Points : IEnumerable<Point3D>
{
private readonly List<Point3D> _points;
public Points()
{
_points = new List<Point3D>();
}
public void Add(double x, double y, double z)
{
_points.Add(new Point3D(x, y, z));
}
public IEnumerator<Point3D> GetEnumerator()
{
return _points.GetEnumerator();
}
IEnumerator IEnumerable.GetEnumerator()
{
return GetEnumerator();
}
}
像这样使用:
var cube = new Points
{
{ -1, -1, -1 },
{ -1, -1, 1 },
{ -1, 1, -1 },
{ -1, 1, 1 },
{ 1, -1, -1 },
{ 1, -1, 1 },
{ 1, 1, -1 },
{ 1, 1, 1 }
};