我在 .NET 中相对比较新,所以,我很可能在做一些愚蠢的事情,但我所做的就是那个 我用XAML创建了一个自定义形状,基本上是一个圆形。
Circle.xaml:
<local:Closed2DArea
x:Class="GeoDraw.CustomShapes.Circle"
xmlns="http://schemas.microsoft.com/winfx/2006/xaml/presentation"
xmlns:x="http://schemas.microsoft.com/winfx/2006/xaml"
xmlns:local="using:GeoDraw.CustomShapes"
xmlns:d="http://schemas.microsoft.com/expression/blend/2008"
xmlns:mc="http://schemas.openxmlformats.org/markup-compatibility/2006"
Name="circle">
<Path.Data>
<EllipseGeometry Center="{Binding Center, ElementName=circle}" RadiusX="{Binding Radius, ElementName=circle}" RadiusY="{Binding Radius, ElementName=circle}"/>
</Path.Data>
</local:Closed2DArea>
现在, Circle.xaml.cs:文件有两个DependencyProperty
:CenterProperty
和RadiusProperty
public static readonly DependencyProperty CenterProperty = DependencyProperty.Register("Center", typeof(Point), typeof(Circle), null);
public Point Center
{
get => (Point)GetValue(CenterProperty);
set => SetProperty(CenterProperty, value);
}
public static readonly DependencyProperty RadiusProperty = DependencyProperty.Register("Radius", typeof(double), typeof(Circle), null);
public double Radius
{
get => (double)GetValue(RadiusProperty);
set => SetProperty(RadiusProperty, value);
}
此处的SetProperty
方法在基类Closed2DArea
中声明,它实现INotifyPropertyChanged
,如下所示:
public abstract class Closed2DArea : Path , INotifyPropertyChanged
{
public event PropertyChangedEventHandler PropertyChanged;
protected void SetProperty<T>( DependencyProperty prop, T value, [System.Runtime.CompilerServices.CallerMemberName] string propertyName = null)
{
SetValue(prop, value);
PropertyChanged?.Invoke(this, new PropertyChangedEventArgs(propertyName));
}
/*constructors and other methods*/
}
当我在具有正常属性设置的视图中使用此形状时,所有这一切都正常,例如<CustomShape:Circle Center="20 20" Radius="10">
。
问题::
当我尝试使用这样的数据绑定时会出现问题:
<Grid x:Name="maingrid" >
<TextBox x:Name="tbox" Text="80" Margin="258,61,82,189" Width="100" Height="30"/>
<CustomShape:Circle Center="100,80" Radius="{Binding Text, ElementName=tbox}"/>
</Grid>
此处的绑定不起作用,圆圈永远不会改变它的半径。我坚持了5个小时,尝试了很多,但不知道我错过了什么。有什么帮助吗?
答案 0 :(得分:0)
您的依赖项属性可能需要在设置其内部值时调用的回调方法,例如:
public static readonly DependencyProperty CenterProperty = DependencyProperty.Register("Center", typeof(Point), typeof(Circle), new PropertyMetadata(default(Point), CenterPropertyChanged));
private static void CenterPropertyChanged(DependencyObject dependencyObject, DependencyPropertyChangedEventArgs args)
{
var circle = dependencyObject as Circle;
var center = (Point)args.NewValue;
// do something with these values
}
将所有自定义逻辑从setter方法移动到此回调方法中 - 数据绑定不会调用您的setter方法,而是直接设置依赖项属性的值(我猜这就是您所遇到的)。
答案 1 :(得分:0)
您不希望将INotifyPropertyChanged与依赖项属性混合使用。他们是不同的东西。
您应该使用VS中的propdp
快捷方式,而不是更改其使用的SetValue
功能。
依赖属性自动将与数据绑定一起使用,这就是额外设置正在进行的操作。
INotifyPropertyChanged用于绑定,以便与常规属性一起使用。
我认为你的部分问题是你正在尝试创建一个控件,但使用另一个非DependencyObject
作为基础。要使用依赖项属性,您需要从DependencyObject继承。通常,当您在UserControl
或Control
否则,您应该只使用带有INotifyPropertyChanged的常规属性。