用两种颜色填充图形路径

时间:2013-06-07 16:25:58

标签: .net winforms drawing graphicspath

我在WinForms应用程序中绘制了一些字形。每个字形都由图形路径定义,基本上是一个带有圆角的矩形。

现在我用单一颜色填充图形路径,但我需要填充两种颜色。以下示例解释了我需要的内容:

enter image description here

我希望避免创建新的GraphicsPath,因为应用程序的性能可能会受到影响。

在不创建新图形路径的情况下绘制第二种填充颜色是否有任何棘手的选择?

以下是我的图片路径的代码:

public class RoundedRectangle
{
    public static GraphicsPath Create(int x, int y, int width, int height)
    {
        int radius = height / 2;
        int xw = x + width;
        int yh = y + height;
        int xwr = xw - radius;
        int xr = x + radius;
        int r2 = radius * 2;
        int xwr2 = xw - r2;

        GraphicsPath p = new GraphicsPath();

        p.StartFigure();

        // Right arc
        p.AddArc(xwr2, y, r2, r2, 270, 180);

        //Bottom Edge
        p.AddLine(xwr, yh, xr, yh);

        // Left arc
        p.AddArc(x, y, r2, r2, 90, 180);

        //closing the figure adds the top Edge automatically
        p.CloseFigure();

        return p;
    }
}

1 个答案:

答案 0 :(得分:3)

“在没有创建新图形路径的情况下绘制第二种填充颜色是否有任何棘手的选择?”

您正在以非矩形方式拆分中间区域,因此您需要使用GraphicsPath来表示它。

以下是我提出的建议:

public partial class Form1 : Form
{
    public Form1()
    {
        InitializeComponent();
        this.Paint += new PaintEventHandler(Form1_Paint);
    }

    GraphicsPath rect = RoundedRectangle.Create(100, 100, 100, 35);

    void Form1_Paint(object sender, PaintEventArgs e)
    {
        TwoColorFill(e.Graphics, rect, Color.Yellow, Color.Blue, Color.Gray, 5);
    }

    private void TwoColorFill(Graphics G, GraphicsPath roundRect, Color FillColorLeft, Color FillColorRight, Color BorderColor, float BorderThickness)
    {
        using (SolidBrush RightFill = new SolidBrush(FillColorRight))
        {
            G.FillPath(RightFill, roundRect);
        }

        using (SolidBrush LeftFill = new SolidBrush(FillColorLeft))
        {
            GraphicsPath gp = new GraphicsPath();
            gp.AddPolygon(new Point[] { 
                new Point((int)roundRect.GetBounds().Left, (int)roundRect.GetBounds().Top), 
                new Point((int)roundRect.GetBounds().Right, (int)roundRect.GetBounds().Top), 
                new Point((int)roundRect.GetBounds().Left, (int)roundRect.GetBounds().Bottom)
            });
            G.SetClip(gp);
            G.FillPath(LeftFill, rect);
            G.ResetClip();
        }

        using (Pen p = new Pen(BorderColor, BorderThickness))
        {
            G.DrawPath(p, roundRect);
        }
    }

}

*经过进一步思考,技术上可能通过使用GraphicsPath本身剪切,平移到其中心,执行旋转,然后绘制带有沿x轴边缘的填充矩形。但是,你必须以某种方式计算出正确的角度,而且我不确定这会在创建上面的额外GraphicsPath方面为你带来什么样的性能。