9

我需要创建一个自定义形状以添加到 WPF 表单上。形状只是一个三角形。如果您想知道,是的,我可以使用 XAML 中的多边形来做到这一点:

<Polygon Fill="LightBlue" Stroke="Black" Name="Triangle">
  <Polygon.Points>
    <Point X="0" Y="0"></Point>
    <Point X="10" Y="0"></Point>
    <Point X="5" Y="-10"></Point>
  </Polygon.Points>
</Polygon>

问题是我们需要从其他地方绑定一个最终确定形状大小的属性。因此,我编写了一个简单的 shape 类扩展,如下所示:

public class Triangle:Shape
{
    private double size;

    public static readonly DependencyProperty SizeProperty = DependencyProperty.Register("Size", typeof(Double), typeof(Triangle));

    public Triangle() {            
    }

    public double Size
    {
        get { return size; }
        set { size = value; }
    }

    protected override Geometry DefiningGeometry
    {
        get {

            Point p1 = new Point(0.0d,0.0d);
            Point p2 = new Point(this.Size, 0.0d);
            Point p3 = new Point(this.Size / 2, -this.Size);

            List<PathSegment> segments = new List<PathSegment>(3);
            segments.Add(new LineSegment(p1,true));
            segments.Add(new LineSegment(p2, true));
            segments.Add(new LineSegment(p3, true));

            List<PathFigure> figures = new List<PathFigure>(1);
            PathFigure pf = new PathFigure(p1, segments, true);
            figures.Add(pf);

            Geometry g = new PathGeometry(figures, FillRule.EvenOdd, null);

            return g;
        }
    }

}

我认为这很好,但形状并没有出现在表格的任何地方。所以,我不确定 DefiningGeometry 方法是否写得好。如果我看不到任何东西,很可能不是。谢谢!

4

1 回答 1

10

未正确设置依赖属性。 像这样编写Sizegetter/setter

public double Size
{
    get { return (double)this.GetValue(SizeProperty); }
    set { this.SetValue(SizeProperty, value); }
}
于 2012-09-11T17:13:40.537 回答