我有一个XML文档,描述了如何为用户输入构建UI元素,并且我有包含一些数据和XPath表达式的数据对象。我有一个数据对象类型的DataTemplate,它使用HierarchicalDataTemplate来构建基于XML的UI,但我只想使用XML的一个子集。如果XPath表达式是静态的,我可以写:
<TreeView ItemsSource="{Binding Source={StaticResource dataProvider},
XPath=/Static/XPath/Expression/*}" />
由于XPath表达式来自数据对象,因此使用数据绑定会很方便:
<TreeView ItemsSource="{Binding Source={StaticResource dataProvider},
XPath={Binding Path=Data.XPathExpression}}" />
不幸的是,Binding MarkupExtension不会从DependencyObject继承,因此它的属性不是DependencyProperty,也不支持数据绑定。
如何在绑定XML数据时应用动态XPath表达式?
答案 0 :(得分:0)
您可以创建一个IMultiValueConverter,将XML数据和XPath表达式转换为新的XML数据:
public object Convert(object[] values, Type targetType, object parameter,
CultureInfo culture)
{
try
{
if (values.Length < 2) { return null; }
var data = values[0] as IEnumerable;
if (data == null) { return null; }
var xPathExpression = values[1] as string;
if (xPathExpression == null) { return null; }
XmlDocument xmlDocument = data.Cast<XmlNode>()
.Where(node => node.OwnerDocument != null)
.Select(node => node.OwnerDocument)
.FirstOrDefault();
return (xmlDocument == null) ? null :
xmlDocument.SelectNodes(xPathExpression);
}
catch (Exception) { return null; }
}
public object[] ConvertBack(object value, Type[] targetTypes,
object parameter, System.Globalization.CultureInfo culture)
{
throw new NotImplementedException();
}
然后,使用MultiBinding将ItemsSource绑定到XML数据,并使用转换器绑定动态XPathExpression:
<TreeView>
<TreeView.Resources>
<this:XmlXPathConverter x:Key="xmlXPathConverter" />
</TreeView.Resources>
<TreeView.ItemsSource>
<MultiBinding Converter="{StaticResource xmlXPathConverter}">
<Binding Source="{StaticResource dataProvider}" />
<Binding Path="Data.XPathExpression" />
</MultiBinding>
</TreeView.ItemsSource>
</TreeView>