从对象初始值设定项访问属性

时间:2012-08-08 07:18:47

标签: c# .net object-initializers

我有以下Person

class Person
{
    public string FirstName { get; set; }
    public string LastName { get; set; }
    public string FullName
    {
        get { return FirstName + " " + LastName; }
    }
    public IEnumerable<Person> Children { get; set; }
}

我可以像这样初始化它:

Person p = new Person() { FirstName = "John", LastName = "Doe" };

但是有可能在对象初始值设定项中引用Person的另一个属性,所以我可以这样做吗?

Person p = new Person()
{
    FirstName = "John",
    LastName  = "Doe",
    Children  = GetChildrenByFullName(FullName);
};

修改

出于问题的缘故,引用的属性不必根据其他属性计算,但其值可以在构造函数中设置。

由于

3 个答案:

答案 0 :(得分:4)

你做不到:

void Foo()
{ 
  String FullName = "";

  Person p = new Person()
  {
    FirstName = "John",
    LastName  = "Doe",
    Children  = GetChildrenByFullName(FullName); // is this p.FullName 
                                                 // or local variable FullName?
  };
}

答案 1 :(得分:-2)

没有。在对象初始化器内部时,您不在该类的实例中。换句话说,您只能访问可以设置的公开公开属性。

显式:

class Person
{
    public readonly string CannotBeAccessed;
    public  string CannotBeAccessed2 {get;}
    public void CannotBeAccessed3() { }

    public string CanBeAccessed;
    public string CanBeAccessed2 { set; }
} 

答案 2 :(得分:-2)

我认为您可以通过使用私有局部变量支持您的属性来解决您的问题。 e.g。

class Person {
    private string m_FirstName = string.Empty;
    private string m_LastName = string.Empty;

    public string FirstName {
        get { return m_FirstName; }
        set { m_FirstName = value; }
    }

    public string LastName {
        get { return m_LastName; }
        set { m_LastName = value;}
    }

    public string FullName {
         get { return m_FirstName + " " + m_LastName; }
    }

    public IEnumerable<Person> Children { get; set; }
}

假设对象初始化程序按照在初始化代码中指定它们的顺序设置属性(它应该),则局部变量应该是可访问的(在FullName readonly属性内部)。