我正在为 C# 中的 Windows 8 商店应用程序开发自定义控制器。我添加了一些 DependencyProperties;一些简单的(如下Radius
所示)和一组用于构造和绘制各种形状的自定义项(NinjaSource
)。
<StackPanel>
<cc:NinjaControl Margin="120,0,0,0" NinjaSource="{Binding NinjaCollection}" Radius="45"/>
</StackPanel>
集合看起来像这样
public ObservableCollection<Ninja> NinjaCollection{ get; set; }
而Ninja类基本都有一些属性和实现INotifyPropertyChanged
public class Ninja : INotifyPropertyChanged
{
private string _name;
private double _value;
private Path _path;
private bool _showName;
public string Name
{
get { return _name; }
set
{
if (value == _name) return;
_name = value;
OnPropertyChanged();
}
}
...
Radius
每当更改一个简单的属性,例如
public sealed partial class NinjaControl: UserControl
{
public static readonly DependencyProperty RadiusProperty =
DependencyProperty.Register("Radius", typeof (double), typeof (NinjaControl),
new PropertyMetadata(default(double), PropertyChangedCallback));
...
private static void PropertyChangedCallback(DependencyObject o, DependencyPropertyChangedEventArgs e)
{
var instance = o as NinjaControl;
if (instance == null) return;
instance.RedrawMyControl();
}
这很好用,我可以将 Radius 绑定到我想要的任何东西,并且PropertyChangedCallback
只要它改变就会被调用。
每当NinjaCollection中的任何值发生变化时,我都希望发生同样的事情。
我为实际集合注册了一个 DependencyProperty,带有一个属性包装器,但我相信它只会查看对实际集合的更改,而不是其中的值。
public static readonly DependencyProperty NinjaSourceProperty =
DependencyProperty.Register("NinjaSource", typeof(ObservableCollection<Ninja>), typeof(NinjaControl), new PropertyMetadata(new ObservableCollection<Ninja>(), PropertyChangedCallback));
任何帮助表示赞赏。