5

我有一个非常简单的示例,说明DependencyProperty我已在 UserControl 上注册,但它并没有按预期工作。

我将此属性绑定到 MainWindow 中的 DP(称为测试),它似乎OnPropertyChanged每次更改时都会触发事件,但是DependencyProperty在我的 UserControl 中,作为此绑定的目标,似乎仅在第一次此属性时才收到通知改变了。

这是我在代码中尝试做的事情:

我的用户控件:

public partial class UserControl1 : UserControl
{
    public static readonly DependencyProperty ShowCategoriesProperty = 
        DependencyProperty.Register("ShowCategories", typeof(bool), typeof(UserControl1), new FrameworkPropertyMetadata(false, OnShowsCategoriesChanged));

    public UserControl1()
    {
        InitializeComponent();
    }

    public bool ShowCategories
    {
        get
        {
            return (bool)GetValue(ShowCategoriesProperty);
        }
        set
        {
            SetValue(ShowCategoriesProperty, value);
        }
    }

    private static void OnShowsCategoriesChanged(DependencyObject d, DependencyPropertyChangedEventArgs e)
    {
        //this callback is only ever hit once when I expect 3 hits...

        ((UserControl1)d).ShowCategories = (bool)e.NewValue;
    }
}

主窗口.xaml.cs

public partial class MainWindow : Window, INotifyPropertyChanged
{
    public MainWindow()
    {
        InitializeComponent();

        Test = true;  //this call changes default value of our DP and OnShowsCategoriesChanged is called correctly in my UserControl

        Test = false;  //these following calls do nothing!! (here is where my issue is)
        Test = true;
    }

    private bool test;
    public bool Test
    {
        get { return test; }
        set
        {
            test = value;
            OnPropertyChanged("Test");
        }
    }

    public event PropertyChangedEventHandler PropertyChanged;
    protected void OnPropertyChanged(string property)
    {
        PropertyChangedEventHandler handler = PropertyChanged;
        if (handler != null)
        {
            handler(this, new PropertyChangedEventArgs(property));
        }
    }
}

主窗口.xaml

<Window x:Class="Binding.MainWindow"
    xmlns="http://schemas.microsoft.com/winfx/2006/xaml/presentation"
    xmlns:x="http://schemas.microsoft.com/winfx/2006/xaml"
    xmlns:uc="clr-namespace:Binding"
    DataContext="{Binding RelativeSource={RelativeSource Self}}"        
    Title="MainWindow" Height="350" Width="525">
  <Grid>
    <uc:UserControl1 ShowCategories="{Binding Test}" />
  </Grid>
</Window>
4

2 回答 2

7

问题是您将ShowCategories值设置为自身:

((UserControl1)d).ShowCategories = (bool)e.NewValue;

该行没有用,因为 的值ShowCategories已经被修改。这就是为什么你首先在属性更改回调中。乍一看,这可以看作是一个无操作:毕竟,您只是将一个属性值设置为其当前值,这在 WPF 中不会引发任何更改。

但是,由于绑定不是双向的,因此更改属性值会覆盖绑定。这就是为什么不再引发回调的原因。只需删除回调中的分配,您就完成了。

于 2012-10-08T16:59:04.520 回答
1

使绑定模式为TwoWay.

于 2012-10-08T17:01:15.370 回答