如何获得绑定属性的底层数据类型?
为了测试的目的,我创建了一个视图模型'Person',它的属性'Age'类型为Int32,它被绑定到一个文本框的文本属性。
有没有像…
BindingOperations.GetBindingExpression(this, TextBox.TextProperty).PropertyType
还是该信息只能通过反射来检索?
myBinding.Source.GetType().GetProperty("Age").PropertyType
编辑:我有一个自定义文本框类,我想在其中附加我自己的validationrules, converters…
如果能在文本框类的'load'事件中获取信息,那就太好了。
您可以在转换器的Convert方法中获取值:
public object Convert(object value, Type targetType, object parameter, System.Globalization.CultureInfo culture) {
value.GetType(); / *The bound object is here
}
XAML
Text="{Binding Age, Mode=TwoWay,Converter={StaticResource converterName}}"
不确定在哪里需要访问该类型,但如果需要转换值,在该级别上是可用的
如果属性绑定到特定的数据类型,则需要将文本框中的值设置为该属性的有效值,然后才能更新视图模型源
似乎任何验证错误都会阻止视图模型更新。
我发现做到这一点的唯一方法是使用反射。下面的代码获取绑定的对象。它还处理嵌套绑定{Binding Parent.Value}
,如果存在转换器,则返回转换后的值。当项为空时,该方法还返回项的类型。
private static object GetBindedItem(FrameworkElement fe, out Type bindedItemType)
{
bindedItemType = null;
var exp = fe.GetBindingExpression(TextBox.TextProperty);
if (exp == null || exp.ParentBinding == null || exp.ParentBinding.Path == null
|| exp.ParentBinding.Path.Path == null)
return null;
string bindingPath = exp.ParentBinding.Path.Path;
string[] elements = bindingPath.Split('.');
var item = GetItem(fe.DataContext, elements, out bindedItemType);
// If a converter is used - don't ignore it
if (exp.ParentBinding.Converter != null)
{
var convOutput = exp.ParentBinding.Converter.Convert(item,
bindedItemType, exp.ParentBinding.ConverterParameter, CultureInfo.CurrentCulture);
if (convOutput != null)
{
item = convOutput;
bindedItemType = convOutput.GetType();
}
}
return item;
}
private static object GetItem(object data, string[] elements, out Type itemType)
{
if (elements.Length == 0)
{
itemType = data.GetType();
return data;
}
if (elements.Length == 1)
{
var accesor = data.GetType().GetProperty(elements[0]);
itemType = accesor.PropertyType;
return accesor.GetValue(data, null);
}
string[] innerElements = elements.Skip(1).ToArray();
object innerData = data.GetType().GetProperty(elements[0]).GetValue(data);
return GetItem(innerData, innerElements, out itemType);
}