我正在编写一个程序来通过 TCP 与一台设备的管理接口进行交互。问题是,设备的文档是用 C 编写的,而我正在编写的程序是用 C# 编写的。我的问题是,文档指定
通信基于基于 C 结构的 API 缓冲区
再多的谷歌搜索似乎都无法将我指向这个 API 或我如何通过 TCP 发送原始结构。该文档似乎暗示我应该使用 memcpy 将结构复制到 TCP 缓冲区,但 C# 不直接支持 memcpy。C# 中是否有等效的方法或不同的方法来完成此操作
您可以构建 C 结构的 .Net 版本,然后使用编组通过网络发送字节数组。MLocation
这是C 结构的示例。
[StructLayout(LayoutKind.Sequential, Pack = 8)]
public struct MLocation
{
public int x;
public int y;
};
public static void Main()
{
MLocation test = new MLocation();
// Gets size of struct in bytes
int structureSize = Marshal.SizeOf(test);
// Builds byte array
byte[] byteArray = new byte[structureSize];
IntPtr memPtr = IntPtr.Zero;
try
{
// Allocate some unmanaged memory
memPtr = Marshal.AllocHGlobal(structureSize);
// Copy struct to unmanaged memory
Marshal.StructureToPtr(test, memPtr, true);
// Copies to byte array
Marshal.Copy(memPtr, byteArray, 0, structureSize);
}
finally
{
if (memPtr != IntPtr.Zero)
{
Marshal.FreeHGlobal(memPtr);
}
}
// Now you can send your byte array through TCP
using (TcpClient client = new TcpClient("host", 8080))
{
using (NetworkStream stream = client.GetStream())
{
stream.Write(byteArray, 0, byteArray.Length);
}
}
Console.ReadLine();
}
您将使用不安全的结构、BitConverter 或编写托管 C++ 包装器来填充 API 缓冲区。
本质上,您正在通过调用套接字而不是调用函数来执行 P/Invoke。