0

如何从 XAML 绑定到 CLR 属性中保存的 DependencyProperty 实例?

我正在尝试生成一个“设置”列表(用户可以通过复选框列表修改应用程序设置)。

我希望从某个类(MyOptions)中的依赖属性动态创建列表。我已经实现了,我将 ListBox 绑定到这个列表(这是一个 DependencyProperty objs 的列表)

public IEnumerable<OptionProperty> AvailableOptions
{
    get
    {
         return from  property in GetAttachedProperties(MyOptions) 
                where property.GetMetadata(MyOptions) is OptionPropertyMetaData
                select new OptionProperty { OptionName = property.Name, OptionType = property.PropertyType, OptionDependencyProperty = property };
    }
}

我需要做的是将 DataTemplate(对于 ListBox)中的复选框绑定到列表中的 DependencyProperty 项。

所以这当然行不通

<DataTemplate DataType="{x:Type local:OptionProperty}">
    <Grid>
        <Grid.ColumnDefinitions>
            <ColumnDefinition Width="*"></ColumnDefinition>
            <ColumnDefinition Width="30"></ColumnDefinition>
        </Grid.ColumnDefinitions>
        <TextBlock Grid.Column="0" Text="{Binding Path=OptionName}" />
        <CheckBox Grid.Column="1" HorizontalAlignment="Right" IsChecked="{Binding Path=OptionDependencyProperty}"></CheckBox>
    </Grid>   
</DataTemplate>

因为它只是绑定到名为 OptionDependencyProperty 的 OptionProperty 的属性,而不是 OptionDependencyProperty 中引用的 DependencyProperty。

那么如何从 XAML 绑定到 CLR 属性 (OptionDependencyProperty) 中保存的 DependencyProperty 实例?

我认为我的大脑已经满了,不能再处理抽象了:(

谢谢!

4

1 回答 1

0

ADependencyProperty不是值容器。它是一个标识符,可用于获取/设置特定实例的值。

而不是问“这个依赖属性的价值是什么?” 你想问,“这个实例的这个依赖属性的值是什么?”

绑定到类中的不同属性可能会更好OptionProperty

类似于以下内容:

public class OptionProperty : INotifyPropertyChanged
{
    public MyOptions MyOptions { get; set; }

    public DependencyProperty OptionDependencyProperty { get; set; }

    public object Value
    {
        get
        {
            return MyOptions.GetValue(OptionDependencyProperty);
        }
        set
        {
            MyOptions.SetValue(OptionDependencyProperty, value);
            RaisePropertyChanged("Value");
        }
    }
    // TODO Implement INotifyPropertyChanged
    // TODO All of the other properties
}

然后您可以绑定到 Value 属性,该属性将为DependencyProperty您的MyOptions实例获取并设置适当的值。

于 2013-08-15T12:17:31.310 回答