2

我试图绑定到方法的输出。现在我已经看到了这样的例子,ObjectDataProvider但是这个问题是 ObjectDataProvider 创建了一个新的对象实例来调用该方法。我需要在当前对象实例上调用的方法。我目前正在尝试让转换器工作。

设置:

Class Entity
{
   private Dictionary<String, Object> properties;

   public object getProperty(string property)
  {
      //error checking and what not performed here
     return this.properties[property];
  }
}

我对 XAML 的尝试

     <local:PropertyConverter x:Key="myPropertyConverter"/>
      <TextBlock Name="textBox2">
          <TextBlock.Text>
            <MultiBinding Converter="{StaticResource myPropertyConverter}"
                          ConverterParameter="Image" >
              <Binding Path="RelativeSource.Self" /> <!--this doesnt work-->
            </MultiBinding>
          </TextBlock.Text>
        </TextBlock>

我的代码在后面

public object Convert(object[] values, Type targetType, object parameter, CultureInfo culture)
{
    string param = (string)parameter;
    var methodInfo = values[0].GetType().GetMethod("getProperty", new Type[0]);
    if (methodInfo == null)
        return null;
    return methodInfo.Invoke(values[0], new string[] { param });               
}

public object[] ConvertBack(object value, Type[] targetTypes, object parameter, CultureInfo culture)
{
    throw new NotSupportedException("PropertyConverter can only be used for one way conversion.");
}

我的问题是我似乎无法将当前实体传递给转换器。所以当我尝试使用反射来获取 getProperty 方法时,我没有什么可操作的

谢谢,斯蒂芬

4

1 回答 1

1

将对方法的调用包装在 get 属性中,并将此 get 属性添加到当前 DataContext 的任何类中。

编辑:回答您更新的问题。

如果只将一个参数传递给 valueconverter,则不需要 multivalueconverter,只需使用常规 valueconverter(实现 IValueConverter)。另外,为什么不将 valueconverter 中的对象转换为 Distionary 并直接使用它而不是使用反射。

要将当前数据上下文作为绑定传递,请执行以下操作<Binding . />:我猜文本块的数据上下文是实体。

尽管如此,如果您只想在访问字典项之前运行一些代码,那么所有这些都不是必需的。只需使用索引属性,您可以直接对其进行数据绑定:

public class Entity 
{ 
   private Dictionary<String, Object> properties; 

   public object this[string property]
   {
        get
        { 
            //error checking and what not performed here 
            return properties[property]; 
        }
    } 
} 

<TextBlock Text="{Binding Path=[Image]}" />
于 2010-09-15T21:49:29.923 回答