5

我正在尝试使用 3 个参数绘制类似以下形状的东西

  • 半径
  • 中央
  • 切出镜头

切出的部分是圆的底部。

在此处输入图像描述

我发现我可以使用

var path = new GraphicsPath();
path.AddEllipse(new RectangleF(center.X - radius, center.Y - radius, radius*2, radius*2))
// ....
g.DrawPath(path);

但是,我怎么能画出这样的东西呢?

顺便说一句,那个形状的名字是什么?由于缺乏术语,我无法搜索以前的问题或其他内容。

谢谢。

4

3 回答 3

6

给你,把它放在一些绘画事件中:

// set up your values
float radius = 50;
PointF center = new Point( 60,60);
float cutOutLen = 20;

RectangleF circleRect = 
           new RectangleF(center.X - radius, center.Y - radius, radius * 2, radius * 2);

// the angle
float alpha = (float) (Math.Asin(1f * (radius - cutOutLen) / radius) / Math.PI * 180);

var path = new GraphicsPath();
path.AddArc(circleRect, 180 - alpha, 180 + 2 * alpha);
path.CloseFigure();

e.Graphics.SmoothingMode = SmoothingMode.HighQuality;
e.Graphics.FillPath(Brushes.Yellow, path);
e.Graphics.DrawPath(Pens.Red, path);

path.Dispose();

结果如下:

切圆。

我不确定切割圆的术语;实际上它是一个泰利斯圈。

于 2014-07-18T10:56:16.487 回答
4

我想你可以尝试使用AddArc然后CloseFigure

于 2014-07-18T08:49:21.403 回答
0

这是我绘制所需图形的方法的实现:

    void DrawCutCircle(Graphics g, Point centerPos, int radius, int cutOutLen)
    {
        RectangleF rectangle = new RectangleF(
                        centerPos.X - radius,
                        centerPos.Y - radius,
                        radius * 2,
                        radius * 2);

        // calculate the start angle
        float startAngle = (float)(Math.Asin(
            1f * (radius - cutOutLen) / radius) / Math.PI * 180);

        using (GraphicsPath path = new GraphicsPath())
        {
            path.AddArc(rectangle, 180 - startAngle, 180 + 2 * startAngle);
            path.CloseFigure();

            g.FillPath(Brushes.Yellow, path);
            using (Pen p = new Pen(Brushes.Yellow))
            {
                g.DrawPath(new Pen(Brushes.Blue, 3), path);
            }
        }
    }

您可以通过以下方式在您的控件中使用它:

    protected override void OnPaint(PaintEventArgs e)
    {
        base.OnPaint(e);
        e.Graphics.SmoothingMode = SmoothingMode.AntiAlias;
        DrawCutCircle(e.Graphics, new Point(210, 210), 200, 80);
    }

这看起来像:

在此处输入图像描述

于 2014-07-18T11:13:12.773 回答