我有以下自动属性
[DefaultValue(true)]
public bool RetrieveAllInfo { get; set; }
当我尝试在代码中使用它时,我发现默认的 false 是false
我假设这是bool
变量的默认值,有没有人知道出了什么问题!?
我有以下自动属性
[DefaultValue(true)]
public bool RetrieveAllInfo { get; set; }
当我尝试在代码中使用它时,我发现默认的 false 是false
我假设这是bool
变量的默认值,有没有人知道出了什么问题!?
DefaultValue 属性仅用于告诉 Visual Studio 设计者(例如在设计表单时)属性的默认值是什么。它不会在代码中设置属性的实际默认值。
更多信息在这里:http: //support.microsoft.com/kb/311339
[DefaultValue]
仅由(例如)序列化 API(如XmlSerializer
)和一些 UI 元素(如PropertyGrid
)使用。它不设置值本身;您必须为此使用构造函数:
public MyType()
{
RetrieveAllInfo = true;
}
或手动设置字段,即不使用自动实现的属性:
private bool retrieveAllInfo = true;
[DefaultValue(true)]
public bool RetrieveAllInfo {
get {return retrieveAllInfo; }
set {retrieveAllInfo = value; }
}
或者,使用更新的 C# 版本(C# 6 或更高版本):
[DefaultValue(true)]
public bool RetrieveAllInfo { get; set; } = true;
对此的一个技巧是在这个链接上。
简而言之,在构造函数的末尾调用这个函数。
static public void ApplyDefaultValues(object self)
{
foreach (PropertyDescriptor prop in TypeDescriptor.GetProperties(self)) {
DefaultValueAttribute attr = prop.Attributes[typeof(DefaultValueAttribute)] as DefaultValueAttribute;
if (attr == null) continue;
prop.SetValue(self, attr.Value);
}
}