10

我有一个带有签名的方法

public int Copy(Texture texture, Rect? srcrect, Rect? dstrect)

Rect是一个结构,但我还需要允许调用者将null(或IntPtr.Zero)传递给该方法。

然后我想将其传递给带有签名的 DLL

[DllImport("SDL2.dll", CallingConvention = CallingConvention.Cdecl, EntryPoint = "SDL_RenderCopy")]
internal static extern int RenderCopy(IntPtr renderer, IntPtr texture, IntPtr srcrect, IntPtr dstrect);

我希望我可以做以下事情:

return SDL.RenderCopy(_ptr, texture._ptr, srcrect.HasValue ? (IntPtr)srcrect.Value : IntPtr.Zero, dstrect.HasValue ? (IntPtr)dstrect.Value : IntPtr.Zero);

但我不能像那样转换结构。有没有其他方法可以让我IntPtr摆脱它?


另一种方法是创建 4 个重载:

  • ref Rect, ref Rect
  • IntPtr, IntPtr
  • ref Rect, IntPtr
  • IntPtr, ref Rect

如果我需要传递超过 2 个结构指针,这可能会变得更加混乱。


我想出了一个解决方案,但我对此有一些疑问:

public int Copy(Texture texture, Rect? srcrect=null, Rect? dstrect=null)
{
    return SDL.RenderCopy(_ptr, texture._ptr, srcrect.HasValue ? StructToPtr(srcrect) : IntPtr.Zero, dstrect.HasValue ? StructToPtr(dstrect) : IntPtr.Zero);
}

private static IntPtr StructToPtr(object obj)
{
    var ptr = Marshal.AllocHGlobal(Marshal.SizeOf(obj));
    Marshal.StructureToPtr(obj, ptr, false);
    return ptr;
}

如果我使用过ref Rect,我就不必为结构分配内存——这与它有什么不同?


我做了一些实验。该ref Rect解决方案的运行速度与将 a 转换RectIntPtrIntPtr为 a生成一个Rect,这让我怀疑当你使用 refs 时 C# 在幕后做了非常相似的事情。一旦我将其设置为 aRect?并将条件逻辑添加到方法中,它的运行速度就会慢 50%……所以 4-overload 路线可能是最快的。然而,我们所说的 100K 迭代需要 100-150 毫秒,这意味着该方法本身非常便宜,这可能就是条件语句具有如此显着影响的原因。因此,我坚持使用我的自定义StructToPtr解决方案,因为它是最简单的解决方案。

4

2 回答 2

7

你想用Marshal.StructureToPtr.

您还必须为结构分配和释放内存。

可以在http://www.developerfusion.com/article/84519/mastering-structs-in-c/找到关于该主题的好博客

于 2013-07-10T03:14:16.043 回答
-3

这就是我所拥有的,我正在使用来自 M$ DLL 的 API,原型是这样的:

HRESULT C_API(LPCWSTR name, PSTRUCT_WHATEVER *ppStruct);

结构定义如下:

typedef struct whatever {
    LPCWSTR x;
    LPCWSTR y;
}

在 C# 中,我定义了以下内容:

[StructLayout(LayoutKind.Sequential)]
public class WHATEVER {
    public IntPtr x;
    public IntPtr y;
}

[DllImport("msdll.dll", SetLastError=false, CharSet=CharSet.Unicode)]
    public static extern long C_API(String name, out IntPtr ppStruct);

要使用它:

IntPtr s;           
long HR = C_API("myname", out s);

WHATEVER pInfo = (WHATEVER) Marshal.PtrToStructure(s, typeof(WHATEVER));

String mystring = Marshal.PtrToStringAuto(pInfo.x);

此时 mystring = "这是一个字符串";

于 2017-05-04T00:36:55.050 回答