4

我找到了一个关于在类中使用 List 的代码示例。有些代码我不明白。Name 和 Description 字段在 List 定义中具有值,但 Album 字段没有值。(

new genre { Name = "Rock" , Description = "Rock music", Album?? }

)。为什么?

public class Genre
{
    public string  Name { get; set; }
    public string  Description { get; set; }
    public List<Album> Albums { get; set; }
}

public class Album
{
    public string  Title { get; set; }
    public decimal  Price { get; set; }
    public Genre  Genre { get; set; }
}

var genre = new List<Genre>
{
    new genre { Name = "Rock" , Description = "Rock music" },
    new genre { Name = "Classic" , Description = "Middle ages music" }
};

new List<Album>
{
    new Album { Title = "Queensrÿche", Price = 8.99M, Genre = genre.Single(g => g.Name == "Rock") },
    new Album { Title = "Chopin", Price = 8.99M, Genre = genre.Single(g => g.Name == "Classic") }
};
4

4 回答 4

12

这种 C# 语法称为Object and Collection initializers.

这是文档

此语法允许您设置在对象或集合初始化期间可以访问的属性。

于 2013-03-27T13:44:34.080 回答
2

正如其他人所提到的,代码示例正在使用Object 和 Collection Initializers。对于集合,初始化程序调用集合的构造函数,然后为大括号内列出的每个元素调用 .Add() 函数。对于对象,初始化程序调用对象的构造函数,然后为您指定的任何属性设置值。

对象和集合初始化器实际上在临时变量中创建您的对象或集合,然后将结果分配给您的变量。这可确保您获得全有或全无的结果(即,如果您在初始化期间从另一个线程访问它时无法获得部分初始化的值)。初始化代码可以改写如下:

var temp_list = new List<Genre>();
// new genre { Name = "Rock" , Description = "Rock music" }
var temp_genre_1 = new Genre();
temp_genre_1.Name = "Rock";
temp_genre_1.Description = "Rock music";
temp_list.Add(temp_genre_1);
// new genre { Name = "Classic" , Description = "Middle ages music" }
var temp_genre_2 = new Genre();
temp_genre_2.Name = "Classic";
temp_genre_2.Description = "Middle ages music";
temp_list.Add(temp_genre_2);
// set genre to the result of your Collection Initializer
var genre = temp_list;

由于此代码没有显式设置Album流派属性的值,因此它被设置为您的类中指定的默认值Genre(对于引用类型为 null)。

于 2013-03-27T14:11:46.603 回答
2

这些是用于快速初始化属性的对象和集合初始化器。您不需要初始化所有属性,只需初始化您需要的那些。

于 2013-03-27T13:45:47.513 回答
2

因为编码器不想设置它的值。如果要在末尾添加语句 Album = new List()。您不需要设置所有属性。

于 2013-03-27T13:46:29.863 回答