1

是否可以在 C# 中设置矩形角度属性?

我试过这个:

Rectangle r = new Rectangle();
r.Width = 5;
r.Height = 130;
r.Fill = Brushes.Black;
r.RotateTransform.AngleProperty = 30; // Here is the problem
canvas1.Children.Add(r);
4

5 回答 5

5

一种方法是将RotateTransformation应用于对象的RenderTransform属性:

r.RenderTransform = new RotateTransform(30);
于 2012-05-30T08:16:39.110 回答
2
RotateTransform rt1 = new RotateTransform();
rt1.Angle =30;
r.RenderTransform= rt1;

或者

r.RenderTransform= new RotateTransform(30);
于 2012-05-30T08:13:46.743 回答
1

您正在尝试设置依赖属性的支持字段,该字段是只读的,并不意味着以这种方式使用。

请改用正确的属性:

r.RenderTransform.Angle = 30;

另外,我猜一个新的 Rectangle 默认没有 RotateTransform,所以你可能也需要创建一个新的实例:

r.RenderTransform= new RotateTransform();
于 2012-05-30T08:13:56.807 回答
1

您需要应用倾斜变换来改变矩形中的角度看看这个:如何:倾斜元素

于 2012-05-30T08:16:54.930 回答
1

昨天我解决了同样的问题。这是我在WinForms中使用的:

        GraphicsState graphicsState = graphics.Save();
        graphics.TranslateTransform(this.Anchor.Position.X, this.Anchor.Position.Y);
        graphics.RotateTransform(this.Anchor.Rotation);
        graphics.FillRectangle(new SolidBrush(this.Anchor.Color), this.Anchor.GetRelativeBoundingRectangle());
        graphics.Restore(graphicsState);

Anchor 是我创建的一个类。它来自我自己的矩形

internal class Rectangle
{
    public PointF Position { get; set; }

    public Color Color { get; set; }

    public SizeF Size { get; set; }

    public float Rotation { get; set; }

    public RectangleF GetRelativeBoundingRectangle()
    {            
        return new RectangleF(
            new PointF(-this.Size.Width / 2.0f, -this.Size.Height / 2.0f),
            this.Size);
    }
}

矩形的位置是矩形的中间(中心)点,而不是左上角。

所以回到第一个代码部分:

GraphicsState graphicsState = graphics.Save();

我保存了我的图形设备的状态,所以我可以做任何我想做的事情,然后返回到原始视图。然后我将位置系统平移到矩形的中心并执行旋转

graphics.TranslateTransform(this.Anchor.Position.X, this.Anchor.Position.Y);
graphics.RotateTransform(this.Anchor.Rotation);

然后,我绘制矩形。这部分显然会有所不同,具体取决于您要如何绘制矩形。您可能会使用 FillRectangle (就像我一样)或仅绘制边框的 DrawRectangle :

graphics.FillRectangle(new SolidBrush(this.Anchor.Color), this.Anchor.GetRelativeBoundingRectangle());

最后我恢复了图形设备的原始状态,取消了我只用于绘制旋转矩形的平移和旋转

graphics.Restore(graphicsState);
于 2012-05-30T08:35:11.373 回答