我试图定义一种在C#中为我的属性设置默认值的方法。
我有很多元素TextBox和一个恢复默认值的按钮。我希望当用户单击按钮时,TextBox的内容将设置为默认值。
我的想法是将value设置为null并在setter中检查值,如果value为null,则设置default。
有我的代码:
private void SetDefault()
{
Grid actualItem = tabControl.SelectedContent as Grid;
if (actualItem != null)
{
foreach (object elt in actualItem.Children)
{
if (elt.GetType() == typeof(TextBox))
{
TextBox box = elt as TextBox;
box.Text = null;
}
}
}
}
TextBox示例:
<TextBox Grid.Row="1" Grid.Column="1"
Style="{StaticResource TextBoxStyle}"
Text="{Binding ExamplePropertie,
Mode=TwoWay,
UpdateSourceTrigger=PropertyChanged}"/>
对于每个绑定元素,我想做这样的事情:
[DefaultValue("default")]
public String ExamplePropertie
{
get
{
return _myProp;
}
set
{
if (value == null)
default(ExamplePropertie); // Not working
else
_myProp = value;
OnPropertyChanged(nameof(ExamplePropertie));
}
}
但default(ExamplePropertie)
不是这样做的好方法。如何设置使用[DefaultValue(value)]
定义的值?
答案 0 :(得分:2)
好吧,您可以使用反射来获取该属性的值,但更简单的方法是将默认值存储为const:
private const string ExamplePropertieDefault = "default";
[DefaultValue(ExamplePropertieDefault)]
public String ExamplePropertie
{
get
{
return _myProp;
}
set
{
if (value == null)
ExamplePropertieDefault;
else
_myProp = value;
OnPropertyChanged(nameof(ExamplePropertie));
}
}
答案 1 :(得分:1)
[DefaultValue(...)]
是一个属性。通过将default(...)
应用于您的媒体资源名称,您无法获得其价值。这个过程比较复杂:您需要获取属性的PropertyInfo
对象,查询类型为DefaultValueAttribute
的自定义属性,然后才从中获取值。
使用辅助方法可以更轻松地完成此过程:
static T GetDefaultValue<T>(object obj, string propertyName) {
if (obj == null) return default(T);
var prop = obj.GetType().GetProperty(propertyName);
if (prop == null) return default(T);
var attr = prop.GetCustomAttributes(typeof(DefaultValueAttribute), true);
if (attr.Length != 1) return default(T);
return (T)((DefaultValueAttribute)attr[0]).Value;
}
将此帮助程序方法放入单独的类中,并按如下方式使用它:
_myProp = value ?? Helper.GetDefaultValue<string>(this, nameof(ExampleProperty));
注意:foreach
中的{/ strong> SetDefault
循环可以简化为:
foreach (object box in actualItem.Children.OfType<TextBox>()) {
box.Text = null;
}