对象&集合初始化器和访问器

时间:2017-01-14 11:35:15

标签: c# accessor object-initializers collection-initializer

我想从我对C#的新手开始,所以访问器和对象初始化器对我来说是一个全新的概念。也就是说,我认为我对它们有一个好的处理,除了下面的例子让我很困惑:

using System;
using System.Collections.ObjectModel;

class How {
    public ObservableCollection<int> Coll {
        get { return coll_; }
        set {
            Console.WriteLine("Setter for Coll Called!");
            coll_.Clear();
            foreach (int i in value)
                coll_.Add(i);
        }
    }

    public string Field {
        get { return field_; }
        set {
            Console.WriteLine("Setter for field called");
            field_ = value;
        }
    }

    // To confirm the internal coll_ is actually set
    public void Test() {
        foreach(int i in coll_)
            Console.Write(i + " ");
    }

    public How() {
        coll_ = new ObservableCollection<int>();
        field_ = "";
    }

    private ObservableCollection<int> coll_;
    private string field_;
}

public class Test {
    public static void Main() {
        var how = new How {
            Coll = { 1, 2, 3, 4, 5 },
            Field = "Test Field",
        };

        Console.Write("Coll: ");
        foreach (int i in how.Coll)
            Console.Write(i + " ");
        Console.WriteLine();

        Console.WriteLine("Field: " + how.Field);


        Console.Write("Internal coll_: ");
        how.Test();
        Console.WriteLine();
    }
}

上述代码的输出是(参见实例here):

Setter for field called
Coll: 1 2 3 4 5 
Field: Test Field
Internal coll_: 1 2 3 4 5 

Field完全按照我的预期运作,但Coll让我感到困惑。永远不会调用Coll的setter,这对我来说意味着Collection Initializers不会与Properties(或至少非自动属性)混合。但是,如果是这种情况,我原本应该发生编译时错误。

无论行为的哪一部分,让我更加困惑的是coll_的内部值以某种方式设置为初始化值。

我有兴趣了解a)为什么不调用Coll的集合,以及C#如何设置coll_的值。是否在Coll的get和set访问器中使用该标识符足以让C#将coll_标识为内部存储;或者可能是因为它是相应类型的唯一成员?

1 个答案:

答案 0 :(得分:1)

var how = new How 
          {
              Coll = { 1, 2, 3, 4, 5 },
              Field = "Test Field",
          };

这是How类的对象初始化语法。

Coll = { 1, 2, 3, 4, 5 }是一种集合 - itializer语法,适用于没有公共setter的集合属性(但与拥有 setter的集合属性一样好)。这个表单要求Coll实例化(不是null):尝试在构造函数中注释coll_ = new ObservableCollection<int>();行,程序将因NullReferenceException而崩溃。

Coll = { 1, 2, 3, 4, 5 }已在重复的Coll.Add来电中翻译:

Coll.Add(1);
Coll.Add(2);
Coll.Add(3);
Coll.Add(4);
Coll.Add(5);

确认它在How构造函数中添加事件处理程序:

public How() 
{
    coll_ = new ObservableCollection<int>();

    coll_.CollectionChanged += (o,e) => 
    { Console.WriteLine("New items: {0}", String.Join (",", e.NewItems.OfType<int>())); };

    field_ = "";
}

集合初始值设定项在C#语言规范

的第7.6.10.3节中描述