将SVG路径数据转换为GDI+ GraphicsPath数据
本文关键字:数据 GDI+ GraphicsPath 转换 路径 SVG | 更新日期: 2023-09-27 17:50:27
是否有一种简单的方法将SVG路径标签转换为c# System.Drawing.Drawing2D.GraphicsPath?它们都是密切相关的,我希望有一个简单的SVG路径数据转换成GraphicsPath点。
这个SVG项目以以下方式提供了一个解决方案:
var pathData = ...;
var graphicsPath = new GraphicsPath();
foreach (var segment in SvgPathBuilder.Parse(pathData))
segment.AddToPath(graphicsPath);
graphics.DrawPath(Pens.Black, graphicsPath);
作为NuGet包通过:
PM> Install-Package Svg
没有简单的方法,尽管SVG路径和GraphicsPath
看起来相似并且服务于相同的目的,但在如何指定和处理事物方面存在一些差异。一个例子:SVG的弧线定义与GraphicsPath
定义弧线的方式不同,所以你需要做一点三角学来转换它。
也检查绘制SVG在。net/c# ?
我希望这不会太晚!从AGG查看svg查看器程序的源代码:https://github.com/timothytylee/agg/tree/master/examples/svg_viewer
源代码是c++的,使用AGG图形引擎,但很容易翻译成GDI+。它还处理SVG弧线到Bezier弧线的转换,然后可以与GDI+一起使用。
好运没那么复杂。
如果svg路径只包含M L Q Z ZM
函数,则方法如下:
private GraphicsPath svgMLQZToGraphicsPath(string svgString)
{
GraphicsPath graphicsPath = new GraphicsPath();
float[] x = new float[4];
float[] y = new float[4];
string prev = "";
string[] splits = svgString.Split(' ');
for (int s = 0; s < splits.Length; s++)
{
if (splits[s].Substring(0, 1) == "M")
{
x[0] = float.Parse(splits[s].Substring(1).Replace('.', ','));
y[0] = float.Parse(splits[s + 1].Replace('.', ','));
s++;
prev = "M";
graphicsPath.StartFigure();
}
else if (splits[s].Substring(0, 1) == "L")
{
x[1] = float.Parse(splits[s].Substring(1).Replace('.', ','));
y[1] = float.Parse(splits[s + 1].Replace('.', ','));
graphicsPath.AddLine(new PointF(x[0], y[0]), new PointF(x[1], y[1]));
x[0] = x[1]; // x[1] = new float();
y[0] = y[1]; //y[1] = new float();
s++;
prev = "L";
}
else if (splits[s].Substring(0, 1) == "Q")
{
x[1] = x[0] + (2 / 3) * (float.Parse(splits[s].Substring(1).Replace('.', ',')) - x[0]);
y[1] = y[0] + (2 / 3) * (float.Parse(splits[s + 1].Replace('.', ',')) - y[0]);
x[3] = float.Parse(splits[s + 2].Replace('.', ','));
y[3] = float.Parse(splits[s + 3].Replace('.', ','));
x[2] = x[3] + (2 / 3) * (float.Parse(splits[s].Substring(1).Replace('.', ',')) - y[3]);
y[2] = y[3] + (2 / 3) * (float.Parse(splits[s + 1].Replace('.', ',')) - y[3]);
graphicsPath.AddBezier(new PointF(x[0], y[0]), new PointF(x[1], y[1]), new PointF(x[2], y[2]), new PointF(x[3], y[3]));
x[0] = x[3];
y[0] = y[3];
s = s + 3;
prev = "Q";
}
else if (splits[s].Substring(0, 1) == "Z")
{
graphicsPath.CloseFigure();
if (splits[s].Length >= 2 && splits[s].Substring(0, 2) == "ZM")
{
x[0] = float.Parse(splits[s].Substring(2).Replace('.', ','));
y[0] = float.Parse(splits[s + 1].Replace('.', ','));
s++;
graphicsPath.StartFigure();
prev = "M";
}
}
else
{
string ok = @"^[a-zA-Z]*$";
if (!Regex.IsMatch(splits[s + 1].Substring(0, 1), ok))
{
string replace = prev + splits[s + 1];
splits[s + 1] = replace;
}
}
}
return graphicsPath;
}