我试图从C#-Code
调用导出到DLL的C ++结构这是我想要调用的方法的C ++接口:
typedef void *Handle;
typedef void (*Callback)(Info *info);
typedef void (*Timeout)(Info *info);
typedef struct {
WORD port;
WORD flag;
char name[16];
} Info;
__declspec(dllexport) Handle open(Info *info, Callback c,
Timeout timeout);
This article告诉我如何在C#中声明info-struct:
[StructLayout(LayoutKind.Explicit,
Pack=1,Size=36)]
public struct Info
{
[FieldOffset(0)]
public ushort port;
[FieldOffset(2)]
public ushort flag;
[FieldOffset(4)]
public char name;
}
然后我将在C#中导入方法:
[DllImport ("MyDLL")] private static extern void Handle open(Info
*info, Callback c, Timeout timeout);
然后我被困了,因为我不知道如何将Handle,Callback和Timeout的typedef传递给C#。有什么建议吗?
答案 0 :(得分:2)
这很复杂......尝试一下......它可能会热潮但是你可以告诉我它是如何发展的,我可以帮助你:
public class MyDllhelper
{
[StructLayout(LayoutKind.Sequential)]
public unsafe struct Info
{
public ushort port;
public ushort flag;
public fixed byte name[16];
public unsafe string Name
{
get
{
fixed (byte* ptr = name)
{
IntPtr ptr2 = (IntPtr)ptr;
return Marshal.PtrToStringAnsi(ptr2, 16).TrimEnd('\0');
}
}
set
{
fixed (byte* ptr = name)
{
IntPtr ptr2 = (IntPtr)ptr;
byte[] bytes = Encoding.Default.GetBytes(value);
int length = Math.Min(15, bytes.Length);
Marshal.Copy(bytes, 0, ptr2, length);
ptr[length] = 0;
}
}
}
}
public VoidRefInfoDelegate C { get; set; }
public VoidRefInfoDelegate Timeout { get; set; }
[UnmanagedFunctionPointer(CallingConvention.Cdecl)]
public delegate void VoidRefInfoDelegate(ref Info info);
[DllImport("MyDLL", CallingConvention = CallingConvention.Cdecl)]
private static extern IntPtr open(ref Info info, VoidRefInfoDelegate c, VoidRefInfoDelegate timeout);
public IntPtr Open(ref Info info, VoidRefInfoDelegate c, VoidRefInfoDelegate timeout)
{
C = c;
Timeout = timeout;
return open(ref info, C, Timeout);
}
}
请注意,您必须执行以下操作:
public void CMethod(ref MyDllhelper.Info info)
{
Console.WriteLine("C method called");
}
public void TimeoutMethod(ref MyDllhelper.Info info)
{
Console.WriteLine("Timeout method called");
}
var info = new MyDllhelper.Info();
info.Name = "012345678901234567890"; // Use Name, not name!
info.flag = 1;
info.port = 2;
var helper = new MyDllhelper();
IntPtr handle = helper.Open(ref info, CMethod, TimeoutMethod); // Use Open, not open!
您需要使用Properties-> Build->允许不安全代码编译代码。
代码中有两三个有趣的点:C数组已转换为fixed
字节数组。我添加了一个getter / setter Name
来处理从Ansi / ASCII到Unicode的转换。
C函数有两种回调方法(c
和timeout
)。要使用它们,您需要"保存"某个地方C# - 你将使用的代表,因为否则垃圾收集器将释放代表,并且你将收到一个异常(参见例如https://stackoverflow.com/a/6193914/613130)。 C
和Timeout
属性用于此目的。
答案 1 :(得分:0)
这些typedef用于回调函数,这些函数将从您调用的open(..)方法调用。每个回调函数都将采用* Info参数。有关如何声明这些函数的一些示例,请参阅answers for calling C++ functions containing callbacks in C#。当然,你需要做的不仅仅是声明它们;你将不得不编写代码来完成这些功能的工作。