使用.Net Graphicspath进行包络失真

时间:2012-01-26 13:37:48

标签: c# .net gdi+ gdi graphicspath

我正在尝试找出将.net中的GraphicsPath扭曲到特定形状的最佳方法。我试图实现的结果是扭曲文本,使曲线向上,向下,扇形左,右和波浪之类的东西。所有这些都可以使用信封失真功能在Adobe Illustrator中实现。

我已经考虑使用一些预定义的网格和点映射系统来转换我自己的方法来转换点。但是,似乎会有一些算法或样本来说明如何做到这一点?

2 个答案:

答案 0 :(得分:4)

我想跟进我前一段时间发表的这篇文章。我已经制定了一些其他方法来完成我在本文中最初想要做的事情。首先,关闭GraphicsPath有一个很好的warp()方法,它执行该操作,将任何路径扭曲到矩形的4个点。使用这个想法,你可以在下面完成这个。

Warping up to the right

这是应用于文本拱起的路径的相同warp

Text Arched Up Warp

这是经典的星球大战文本扭曲,只需在warp()方法中设置矩形的4个点即可 Star Wars Text Warp

同样的扭曲应用于拱起的路径。

Arched Down with a Star Wars Warp

我得出的结论是,通过首先在诸如拱形或波形之类的路径上键入,然后在GraphicsPath中应用warp()方法,可以实现许多扭曲。

更新

我终于在两年后实际上提出了一个真正的解决方案。我在我的博客上发布了深度解释代码。 Read it here

答案 1 :(得分:3)

以下是我们使用的验证码生成器中的一些方法,可能会引导您朝着正确的方向前进:

    internal static void DrawPhrase(
        this Graphics graphics, 
        int width, 
        int height, 
        string phrase)
    {
        graphics.FillRectangle(
            Brushes.White,
            0,
            0,
            width,
            height);

        using (var gp = new GraphicsPath())
        {
            gp.AddString(phrase,
                         FontFamily.GenericMonospace,
                         (int)FontStyle.Bold,
                         33f,
                         new Point(0,
                                   0),
                         StringFormat.GenericTypographic);

            using (var gpp = gp.Deform(width, height))
            {
                var bounds = gpp.GetBounds();
                var matrix = new Matrix();
                var x = (width - bounds.Width) / 2 - bounds.Left;
                var y = (height - bounds.Height) / 2 - bounds.Top;
                matrix.Translate(x,
                                 y);
                gpp.Transform(matrix);
                graphics.FillPath(Brushes.Black,
                                  gpp);
            }
        }

        graphics.Flush();
    }
    internal static GraphicsPath Deform(
        this GraphicsPath path, 
        int width, 
        int height)
    {
        var WarpFactor = 4;
        var xAmp = WarpFactor * width / 300d;
        var yAmp = WarpFactor * height / 50d;
        var xFreq = 2d * Math.PI / width;
        var yFreq = 2d * Math.PI / height;
        var deformed = new PointF[path.PathPoints.Length];
        var xSeed = rng.NextDouble() * 2 * Math.PI;
        var ySeed = rng.NextDouble() * 2 * Math.PI;
        var i = 0;
        foreach (var original in path.PathPoints)
        {
            var val = xFreq * original.X + yFreq * original.Y;
            var xOffset = (int)(xAmp * Math.Sin(val + xSeed));
            var yOffset = (int)(yAmp * Math.Sin(val + ySeed));
            deformed[i++] = new PointF(original.X + xOffset,
                                     original.Y + yOffset);
        }

        return new GraphicsPath(deformed,
                                path.PathTypes);
    }