Graphics不使用Line绘制GraphicsPath

本文关键字:绘制 GraphicsPath Line Graphics | 更新日期: 2023-09-27 17:55:05

我有一个Windows窗体应用程序,我添加不同的数字(矩形,圆形等)的主要形式。这个图形是一个UserControl,它的形状我用GraphicsPath定义。添加新图形的方法:

 void AddElement(ShapeType shape, string guid)
    {
        Shape newShape = new Shape();
        newShape.Name = guid;
        newShape.Size = new Size(100, 100);           
        newShape.Type = shape;
        newShape.Location = new Point(100, 100);
        newShape.MouseDown += new MouseEventHandler(Shape_MouseDown);
        newShape.MouseMove += new MouseEventHandler(Shape_MouseMove);
        newShape.MouseUp += new MouseEventHandler(Shape_MouseUp);
        newShape.BackColor = this.BackColor;
        this.Controls.Add(newShape);
    }

In Shape (Figure) class:

 private ShapeType shape;
 private GraphicsPath path = null;
 public ShapeType Type
    {
        get { return shape; }
        set
        {
            shape = value;
            DrawElement();
        }
    } 
 private void DrawElement()
     {
        path = new GraphicsPath();
        switch (shape)
        {
            case ShapeType.Rectangle:
                path.AddRectangle(this.ClientRectangle);
                break;
            case ShapeType.Circle:
                path.AddEllipse(this.ClientRectangle);
                break;
            case ShapeType.Line:
                path.AddLine(10,10,20,20);                   
                break;
        }
        this.Region = new Region(path);
    }
protected override void OnPaint(System.Windows.Forms.PaintEventArgs e)
    {
        if (path != null)
        {              
            e.Graphics.DrawPath(new Pen(Color.Black, 4), path);
        }
    }

当调整图形大小时,我重新绘制它:

 protected override void OnResize(System.EventArgs e)
    {
        DrawElement();
        this.Invalidate();
    }

当我添加矩形和圆形时,一切都很好。但是当我选择Line时,窗体上什么也没有显示。断点显示程序在所有方法和this.Controls.Add(newShape);中执行。

我不明白为什么这不起作用。

Graphics不使用Line绘制GraphicsPath

您可以用细笔或粗笔绘制一个开放的GraphicsPath。但是region必须从封闭形状设置,否则没有地方可以显示您的像素。这将有助于保持你的区域完整;但是你需要知道,你想要的是什么:

if (shape != ShapeType.Line)   this.Region = new Region(path);

如果你想让它像粗线一样,你必须创建一个多边形或一系列线条来勾勒出你想要的形状。如果你想让直线在区域内,你需要两条路径:一条闭合多边形路径用于设置区域,另一条开放直线路径用于在区域内绘制直线。

编辑:

创建封闭路径的最佳方法可能是对您正在使用的Pen使用Widen()方法,如下所示:

GraphicsPath path2 = path.Widen(yourPen);

这将得到正确的厚度以及线帽,也适用于更复杂的折线;我还没有试过……

可能是因为这条线没有面积。试着用一个非常薄的有正面积的形状来代替它。例如:

const int thickness = 1;
path.AddLines(new[]
    {
        new Point(10, 10),
        new Point(20, 20),
        new Point(20 + thickness, 20 + thickness),
        new Point(10 + thickness, 10 + thickness)
    });