0

是否可以检测何时在 Silverlight 中的 DependencyProperty 上设置了 Xaml 绑定?

例如,如果我有一个具有单个依赖属性的自定义用户控件和一个像这样声明的绑定:

public class MyControl : UserControl
{ 
   public static readonly DependencyProperty TestProperty = 
           DependencyProperty.Register("Test", 
              typeof(object), typeof(MyControl), 
              new PropertyMetadata(null));

   public object Test
   { 
       get { return GetValue(TestProperty); } 
       set { SetValue(TestProperty, value); } 
   }
}

<MyControl Test="{Binding APropInViewModel}>
</MyControl>

我可以在 MyControl 代码中改成这样吗?

// Ctor
public MyControl()
{ 
    TestProperty.BindingChanged += new EventHandler(...)
} 

例如,我可以获得绑定通知吗?

笔记:

这是为了解决一个棘手的优先顺序问题,在此处进行了描述,因此仅在 DependencyPropertyChanged 处理程序中检查新值是行不通的 - 因为属性更改处理程序不会触发!

4

1 回答 1

1

此绑定中的值更改是可能的。您可以使用 propertychanged 回调方法检测更改,该方法对于 Dependency 属性是静态的。

public static readonly DependencyProperty TestProperty =
       DependencyProperty.Register("Test",
          typeof(object), typeof(MyControl),
          new PropertyMetadata(null, TestChangedCallbackHandler));

    private static void TestChangedCallbackHandler(DependencyObject sender, DependencyPropertyChangedEventArgs args)
    {
        MyControl obj = sender as MyControl;

        Test = args.NewValue; 
    }

但是,这可能会导致以下事件侦听情况。如果您想收听此依赖属性的更改,请参阅此链接: Listen DepencenyProperty value changes

public void RegisterForNotification(string propertyName, FrameworkElement element, PropertyChangedCallback callback)
    {
        Binding b = new Binding(propertyName) { Source = element };
        var prop = System.Windows.DependencyProperty.RegisterAttached(
            "ListenAttached" + propertyName,
            typeof(object),
            typeof(UserControl),
            new System.Windows.PropertyMetadata(callback));

        element.SetBinding(prop, b);
    }

像这样打电话

this.RegisterForNotification("Test", this, TestChangedCallback);
于 2012-11-04T15:32:46.330 回答