我正在调用一个非托管的C ++ dll,它期望char *作为其参数之一,我想将一个byte []推入其中。该项目是用VB.NET编写的。
什么类型的编组会对此有用?
答案 0 :(得分:1)
如果您需要固定托管结构以将其作为参数传递,则可以使用以下代码。
// (c) 2007 Marc Clifton
/// <summary>
/// A helper class for pinning a managed structure so that it is suitable for
/// unmanaged calls. A pinned object will not be collected and will not be moved
/// by the GC until explicitly freed.
/// </summary>
internal class PinnedObject<T> : IDisposable where T : struct
{
protected T managedObject;
protected GCHandle handle;
protected IntPtr ptr;
protected bool disposed;
public T ManangedObject
{
get
{
return (T)handle.Target;
}
set
{
Marshal.StructureToPtr(value, ptr, false);
}
}
public IntPtr Pointer
{
get { return ptr; }
}
public int Size
{
get { return Marshal.SizeOf(managedObject); }
}
public PinnedObject()
{
managedObject = new T();
handle = GCHandle.Alloc(managedObject, GCHandleType.Pinned);
ptr = handle.AddrOfPinnedObject();
}
~PinnedObject()
{
Dispose();
}
public void Dispose()
{
if (!disposed)
{
if (handle.IsAllocated)
handle.Free();
ptr = IntPtr.Zero;
disposed = true;
}
}
}
}
然后,您可以使用PinnedObject.Pointer调用非托管代码。在extern声明中,使用IntPtr作为该参数的Type。
PinnedObject<BatteryQueryInformation> pinBatteryQueryInfo = new PinnedObject<BatteryQueryInformation>();
pinBatteryQueryInfo.ManangedObject = _structBatteryQueryInfo;
Unmanaged.Method(pinBatteryQueryInfo.Pointer);
答案 1 :(得分:0)
我不是.net专家,但我最近需要做类似的事情。
这不仅仅是序列化的问题,你还必须阻止垃圾收集器清理你在C ++土地中使用的字节数组...
下面的C#片段应该有所帮助。
// pin the byte[] (byteArray) GCHandle handle = GCHandle.Alloc(byteArray, GCHandleType.Pinned); IntPtr address = handle.AddrOfPinnedObject(); // Do your C++ stuff, using the address pointer. // Cleanup handle.Free();
答案 2 :(得分:0)
在PInvoke定义中,只需将char *参数声明为byte [],标准编组器将处理工作。
但这可能是也可能不是最好的主意。 C ++函数是期望字符串还是期望数据缓冲区(C / C ++代码通常使用char *作为缓冲区,依赖于char是一个字节的事实)?
如果它是一个缓冲区,那么byte []肯定是正确的,但如果它需要一个字符串,那么如果你将参数声明为字符串(显式)并使用Encoding.ASCII.GetString()可能会更清楚将byte []转换为字符串。
此外,如果C ++函数需要一个字符串,并且您决定将该参数声明为byte [],请确保字节数组以零结尾,因为这是C / C ++确定字符串结尾的方式。