我需要一点帮助来定义C#中的以下Windows GDI类型。我在C#中以byte[]
的形式获得数据,我需要以某种方式封送或在C#中将其转换为以下内容。
这是类型:
http://java.freehep.org/vectorgraphics/apidocs/org/freehep/graphicsio/emf/gdi/PolyPolygon16.html
http://msdn.microsoft.com/en-us/library/cc230665%28PROT.10%29.aspx
编辑:我能够做到这一点,接近但不完全:
UInt32 rectLeft = BitConverter.ToUInt32(dataArray, 0);
UInt32 rectTop = BitConverter.ToUInt32(dataArray, 4);
UInt32 rectRight = BitConverter.ToUInt32(dataArray, 8);
UInt32 rectBottom = BitConverter.ToUInt32(dataArray, 12);
UInt32 rectNumberOfPolygons = BitConverter.ToUInt32(dataArray, 16);
// Number of points in each polygon
int l_nIndex = 20;
UInt32[] lengths = new UInt32[rectNumberOfPolygons];
for (int i = 0; i < lengths.Length; i++)
{
lengths[i] = BitConverter.ToUInt32(dataArray, l_nIndex);
l_nIndex += 4;
}
// Extract points
foreach (int l_nPolygonLength in lengths)
{
List<Point> l_lstPoints = new List<Point>();
for (int i = 0; i < l_nIndex + l_nPolygonLength; i++)
{
UInt16 pointX = BitConverter.ToUInt16(dataArray, l_nIndex);
UInt16 pointY = BitConverter.ToUInt16(dataArray, l_nIndex + 2);
l_lstPoints.Add(new Point((int)pointX, (int)pointY));
l_nIndex += 4;
}
}
答案 0 :(得分:0)
这似乎是Windows GDI函数(不是类型)的方法签名。它的第二个参数是指向一组点的指针,你想要绘制。第三个参数是指向整数数组的指针,指定每个多边形中有多少个点,最后一个参数是多边形的数量。
我在Google上搜索时找不到名为PolyPolygon16的Windows GDI函数,但我找到了this。
答案 1 :(得分:0)
public static Rectangle ReadRectangle32(this BinaryReader reader)
{
// Left (4 bytes)
int left = reader.ReadInt32();
// Top (4 bytes)
int top = reader.ReadInt32();
// Right (4 bytes)
int right = reader.ReadInt32();
// Bottom (4 bytes)
int bottom = reader.ReadInt32();
return Rectangle.FromLTRB(left, top, right, bottom);
}
public static Point ReadPoint16(this BinaryReader reader)
{
// x (2 bytes)
int x = reader.ReadUInt16();
// y (2 bytes)
int y = reader.ReadUInt16();
return new Point(x, y);
}
EMR_POLYPOLYGON16 Record(没有类型和尺寸):
public static PolyPolygon ReadPolyPolygon16(this BinaryReader reader)
{
// Bounds (16 bytes)
Rectangle bounds = reader.ReadRectangle32();
// NumberOfPolygons (4 bytes)
int numberOfPolygons = reader.ReadInt32();
// Count (4 bytes)
int count = reader.ReadInt32();
// PolygonPointCount (variable):
// A NumberOfPolygons length array of 32-bit unsigned integers
var polygonPointCount = new int[numberOfPolygons];
for (int i = 0; i < polygonPointCount.Length; i++)
{
polygonPointCount[i] = reader.ReadInt32();
}
// aPoints (variable):
// A Count length array of WMF PointS objects
var points = new Point[count];
for (int i = 0; i < points.Length; i++)
{
points[i] = reader.ReadPoint16();
}
return new PolyPolygon(bounds, numberOfPolygons, polygonPointCount, points);
}
用法:
byte[] buffer;
using (var stream = new MemoryStream(buffer))
using (var reader = new BinaryReader(stream))
{
var polypolygon = reader.ReadPolyPolygon16();
}
(未测试的)