我开始知道C#3.0带有Auto-Implemented Properties的新功能,我喜欢它,因为我们不必在此声明额外的私有变量(与之前的属性相比),之前我使用的是一个属性即
private bool isPopup = true;
public bool IsPopup
{
get
{
return isPopup;
}
set
{
isPopup = value;
}
}
现在我已将其转换为Auto-Implemented属性,即
public bool IsPopup
{
get; set;
}
我想将此属性的默认值设置为true而不使用它甚至在page_init方法中,我尝试但没有成功,有人可以解释如何执行此操作吗?
答案 0 :(得分:43)
您可以在默认构造函数中初始化该属性:
public MyClass()
{
IsPopup = true;
}
使用C#6.0,可以在声明中初始化属性,如普通成员字段:
public bool IsPopup { get; set; } = true; // property initializer
现在甚至可以创建一个真正的只读自动属性,您可以直接初始化或在构造函数中初始化,但不能在类的其他方法中设置。
public bool IsPopup { get; } = true; // read-only property with initializer
答案 1 :(得分:7)
为自动属性指定的属性不适用于支持字段,因此默认值的属性不适用于此类属性。
但是,您可以初始化自动属性:
<强> VB.NET 强>
Property FirstName As String = "James"
Property PartNo As Integer = 44302
Property Orders As New List(Of Order)(500)
C#6.0及以上
public string FirstName { get; set; } = "James";
public int PartNo { get; set; } = 44302;
public List<Order> Orders { get; set; } = new List<Order>(500);
C#5.0及以下
不幸的是,低于6.0的C#版本不支持此功能,因此您必须在构造函数中初始化自动属性的默认值。
答案 2 :(得分:0)
您是否尝试过DefaultValueAttribute
答案 3 :(得分:0)
using System.ComponentModel;
[DefaultValue(true)]
public bool IsPopup
{
get
{
return isPopup;
}
set
{
isPopup = value;
}
}