关于c#:如何在ASP.NET中为自动实现的属性设置默认值

How to set default value for Auto-Implemented Properties in ASP.NET

本问题已经有最佳答案,请猛点这里访问。

我知道C 3.0带有一个自动实现属性的新特性,我喜欢它,因为我们不必在此声明额外的私有变量(与早期的属性相比),早期我使用的是一个属性,即

1
2
3
4
5
6
7
8
9
10
11
12
private bool isPopup = true;
public bool IsPopup
{
    get
    {
      return isPopup;
    }
    set
    {
      isPopup = value;
    }
}

现在我已经将其转换为自动实现的属性,即

1
2
3
4
public bool IsPopup
{
    get; set;
}

我想将此属性的默认值设置为true而不使用它,即使在page_in it方法中也不使用它,我尝试过但没有成功,有人能解释怎么做吗?


可以在默认构造函数中初始化属性:

1
2
3
4
public MyClass()
{
   IsPopup = true;
}

使用C 6.0,可以在声明处初始化属性,如普通成员字段:

1
public bool IsPopup { get; set; } = true;  // property initializer

现在甚至可以创建一个真正的只读自动属性,您可以直接初始化它,也可以在构造函数中初始化它,但不能在类的其他方法中设置它。

1
public bool IsPopup { get; } = true;  // read-only property with initializer


为自动属性指定的属性不应用于支持字段,因此默认值的属性对于此类属性无效。

但是,可以初始化自动属性:

VB.NET

1
2
3
Property FirstName As String ="James"
Property PartNo As Integer = 44302
Property Orders As New List(Of Order)(500)

C 6.0及以上

1
2
3
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版本不支持这一点,因此您必须在构造函数中初始化自动属性的默认值。


您可以使用如下的默认属性值

这种方法的一个优点是不需要检查布尔类型的空值。

1
2
3
4
5
6
7
using System.ComponentModel;

public class ClassName
 {
   [DefaultValue(true)]
   public bool IsPopup{ get; set; }
 }


1
2
3
4
5
6
7
8
9
10
11
12
13
14
using System.ComponentModel;

[DefaultValue(true)]
public bool IsPopup
{
    get
    {
      return isPopup;
    }
    set
    {
      isPopup = value;
    }
}


您尝试过DefaultValueAttribute吗