绝对好文C#调用C++DLL传递结构体数组的终极解决方案

C#调用C++DLL传递结构体数组的终极解决方案

时间 2013-09-17 18:40:56 CSDN博客相似文章 (0) 原文  http://blog.csdn.net/xxdddail/article/details/11781003

在项目开发时,要调用C++封装的DLL,普通的类型C#上一般都对应,只要用DllImport传入从DLL中引入函数就可以了。但是当传递的是结构体、结构体数组或者结构体指针的时候,就会发现C#上没有类型可以对应。这时怎么办,第一反应是C#也定义结构体,然后当成参数传弟。然而,当我们定义完一个结构体后想传递参数进去时,会抛异常,或者是传入了结构体,但是返回值却不是我们想要的,经过调试跟踪后发现,那些值压根没有改变过,代码如下。

[DllImport("workStation.dll")]
        private static extern bool fetchInfos(Info[] infos);
        public struct Info
        {
            public int OrderNO;

            public byte[] UniqueCode;

            public float CpuPercent;                  

        };
        private void buttonTest_Click(object sender, EventArgs e)
        {
            try
            {
		        Info[] infos=new Info[128];
                if (fetchInfos(infos))
                {
                    MessageBox.Show("Fail");
                }
		        else
		        {
                    string message = "";
                    foreach (Info info in infos)
                    {
                        message += string.Format("OrderNO={0}\r\nUniqueCode={1}\r\nCpu={2}",
                                               info.OrderNO,
                                               Encoding.UTF8.GetString(info.UniqueCode),
                                               info.CpuPercent
                                               );
                    }
                    MessageBox.Show(message);
		        }
            }
            catch (System.Exception ex)
            {
                MessageBox.Show(ex.Message);
            }
        }

后来,经过查找资料,有文提到对于C#是属于托管内存,现在要传递结构体数组,是属性非托管内存,必须要用Marsh指定空间,然后再传递。于是将结构体变更如下。

[StructLayoutAttribute(LayoutKind.Sequential, CharSet = CharSet.Ansi, Pack = 1)]
        public struct Info
        {
            public int OrderNO;

            [MarshalAs(UnmanagedType.ByValArray, SizeConst = 32)]
            public byte[] UniqueCode;

            public float CpuPercent;                  

        };

但是经过这样的改进后,运行结果依然不理想,值要么出错,要么没有被改变。这究竟是什么原因?不断的搜资料,终于看到了一篇,里面提到结构体的传递,有的可以如上面所做,但有的却不行,特别是当参数在C++中是结构体指针或者结构体数组指针时,在C#调用的地方也要用指针来对应,后面改进出如下代码。

[DllImport("workStation.dll")]
        private static extern bool fetchInfos(IntPtr infosIntPtr);
        [StructLayoutAttribute(LayoutKind.Sequential, CharSet = CharSet.Ansi, Pack = 1)]
        public struct Info
        {
            public int OrderNO;

            [MarshalAs(UnmanagedType.ByValArray, SizeConst = 32)]
            public byte[] UniqueCode;

            public float CpuPercent;

        };
        private void buttonTest_Click(object sender, EventArgs e)
        {
            try
            {
                int workStationCount = 128;
                int size = Marshal.SizeOf(typeof(Info));
                IntPtr infosIntptr = Marshal.AllocHGlobal(size * workStationCount);
                Info[] infos = new Info[workStationCount];
                if (fetchInfos(infosIntptr))
                {
                    MessageBox.Show("Fail");
                    return;
                }
                for (int inkIndex = 0; inkIndex < workStationCount; inkIndex++)
                {
                    IntPtr ptr = (IntPtr)((UInt32)infosIntptr + inkIndex * size);
                    infos[inkIndex] = (Info)Marshal.PtrToStructure(ptr, typeof(Info));
                }

                Marshal.FreeHGlobal(infosIntptr);

                string message = "";
                foreach (Info info in infos)
                {
                    message += string.Format("OrderNO={0}\r\nUniqueCode={1}\r\nCpu={2}",
                                           info.OrderNO,
                                           Encoding.UTF8.GetString(info.UniqueCode),
                                           info.CpuPercent
                                           );
                }
                MessageBox.Show(message);

            }
            catch (System.Exception ex)
            {
                MessageBox.Show(ex.Message);
            }
        }

要注意的是,这时接口已经改成IntPtr了。通过以上方式,终于把结构体数组给传进去了。不过,这里要注意一点,不同的编译器对结构体的大小会不一定,比如上面的结构体

在BCB中如果没有字节对齐的话,有时会比一般的结构体大小多出2两个字节。因为BCB默认的是2字节排序,而VC是默认1 个字节排序。要解决该问题,要么在BCB的结构体中增加字节对齐,要么在C#中多开两个字节(如果有多的话)。字节对齐代码如下。

#pragma pack(push,1)
   struct Info
{
    int OrderNO;

    public char UniqueCode[32];

    float CpuPercent;
};
#pragma pack(pop)

用Marsh.AllocHGlobal为结构体指针开辟内存空间,目的就是转变化非托管内存,那么如果不用Marsh.AllocHGlobal,还有没有其他的方式呢?

其实,不论C++中的是指针还是数组,最终在内存中还是一个一个字节存储的,也就是说,最终是以一维的字节数组形式展现的,所以我们如果开一个等大小的一维数组,那是否就可以了呢?答案是可以的,下面给出了实现。

[DllImport("workStation.dll")]
        private static extern bool fetchInfos(IntPtr infosIntPtr);
        [DllImport("workStation.dll")]
        private static extern bool fetchInfos(byte[] infos);
        [StructLayoutAttribute(LayoutKind.Sequential, CharSet = CharSet.Ansi, Pack = 1)]
        public struct Info
        {
            public int OrderNO;

            [MarshalAs(UnmanagedType.ByValArray, SizeConst = 32)]
            public byte[] UniqueCode;

            public float CpuPercent;

        };

        private void buttonTest_Click(object sender, EventArgs e)
        {
            try
            {
                int count = 128;
                int size = Marshal.SizeOf(typeof(Info));
                byte[] inkInfosBytes = new byte[count * size];
                if (fetchInfos(inkInfosBytes))
                {
                    MessageBox.Show("Fail");
                    return;
                }
                Info[] infos = new Info[count];
                for (int inkIndex = 0; inkIndex < count; inkIndex++)
                {
                    byte[] inkInfoBytes = new byte[size];
                    Array.Copy(inkInfosBytes, inkIndex * size, inkInfoBytes, 0, size);
                    infos[inkIndex] = (Info)bytesToStruct(inkInfoBytes, typeof(Info));
                }

                string message = "";
                foreach (Info info in infos)
                {
                    message += string.Format("OrderNO={0}\r\nUniqueCode={1}\r\nCpu={2}",
                                           info.OrderNO,
                                           Encoding.UTF8.GetString(info.UniqueCode),
                                           info.CpuPercent
                                           );
                }
                MessageBox.Show(message);

            }
            catch (System.Exception ex)
            {
                MessageBox.Show(ex.Message);
            }
        }

        #region bytesToStruct
        /// <summary>
        /// Byte array to struct or classs.
        /// </summary>
        /// <param name=”bytes”>Byte array</param>
        /// <param name=”type”>Struct type or class type.
        /// Egg:class Human{...};
        /// Human human=new Human();
        /// Type type=human.GetType();</param>
        /// <returns>Destination struct or class.</returns>
        public static object bytesToStruct(byte[] bytes, Type type)
        {

            int size = Marshal.SizeOf(type);//Get size of the struct or class.
            if (bytes.Length < size)
            {
                return null;
            }
            IntPtr structPtr = Marshal.AllocHGlobal(size);//Allocate memory space of the struct or class.
            Marshal.Copy(bytes, 0, structPtr, size);//Copy byte array to the memory space.
            object obj = Marshal.PtrToStructure(structPtr, type);//Convert memory space to destination struct or class.
            Marshal.FreeHGlobal(structPtr);//Release memory space.
            return obj;
        }
        #endregion

错误

时间: 2024-12-20 15:15:52

绝对好文C#调用C++DLL传递结构体数组的终极解决方案的相关文章

C# 调用C++DLL 传结构体数组

C# 调用C++DLL 传结构体数组,注意C#和C++数据类型占用字节数要对应.否则传进去的数组会错位.C++ BOOL 对应C#bool. 1.c++代码 //MyDLL.h #ifndef MYDLL_H_ #define MYDLL_H_ #include <iostream> #include <windows.h> #ifdef EXTERN_EXPORT #define EXTERN_EXPORT extern "C" _declspec(dllim

C#调用C/C++动态库 封送结构体,结构体数组

因为公司一直都是做C++开发的,因客户需要要提供C#版本接口,研究了一下C#,发现其强大简洁, 在跨语言调用方面封装的很彻底,提供了强大的API与之交互.这点比JNA方便多了. Java与C#都只能调用C格式导出动态库,因为C数据类型比较单一,容易映射. 两者都是在本地端提供一套与之映射的C#/java描述接口,通过底层处理这种映射关系达到调用的目的. 一. 结构体的传递 Cpp代码   #define JNAAPI extern "C" __declspec(dllexport) /

C#引用c++DLL结构体数组注意事项(数据发送与接收时)

本文转载自:http://blog.csdn.net/lhs198541/article/details/7593045 最近做的项目,需要在C# 中调用C++ 写的DLL,因为C# 默认的编码方式是Unicode,而调用的DLL规定只处理UTF8编码格式的字符串,DLL中的输入参数类型char*被我Marshal成byte[],输出参数类型char**被我Marshal成了string(C++和C#之间的类型转换请参阅相关资料),于是我就经历了无数次用于接收时的string-->string(

C#调用C++ 平台调用P/Invoke 结构体--输入输出参数、返回值、返出值、结构体数组作为参数【五】

[1]结构体作为输入输出参数 C++代码: typedef struct _testStru1 { int iVal; char cVal; __int64 llVal; }testStru1; EXPORTDLL_API void Struct_Change( testStru1 *pStru ) { if (NULL == pStru) { return; } pStru->iVal = 1; pStru->cVal = 'a'; pStru->llVal = 2; wprintf(

python 传递结构体指针到 c++ dll

CMakeLists.txt # project(工程名) project(xxx) # add_library(链接库名称 SHARED 链接库代码) add_library(xxx SHARED xxx.cpp) xxx.cpp #include <iostream> using namespace std; // c++ 结构体定义 struct struck_ { // 股票名,字符串 char * stock_code_; // 开盘价 double stock_open_; };

C#调用C/C++动态库 封送结构体,结构体数组

因为实验室图像处理的算法都是在OpenCV下写的,还有就是导航的算法也是用C++写的,然后界面部分要求在C#下写,所以不管是Socket通信,还是调用OpenCV的DLL模块,都设计到了C#和C++数据类型的对应,还有结构体的封装使用.在夸语言调用方面,Java和C#都只能调用C格式导出的动态库,因为C数据类型比较单一,容易映射,两者都是在本地端提供一套与之映射的C#或者Java的描述接口,通过底层处理这种映射关系达到调用的目的. 5月19日学习内容: http://www.cnblogs.co

c++调用python系列(1): 结构体作为入参及返回结构体

最近在打算用python作测试用例以便对游戏服务器进行功能测试以及压力测试; 因为服务器是用c++写的,采用的TCP协议,当前的架构是打算用python构造结构体,传送给c++层进行socket发送给游戏服务器,响应消息再交由python进行校验; 开始: 首先是c++调用python这一层需要打通; 幸运的是python自己有一套库提供c/c++进行调用; 下面我贴代码;用的vs2013,python用的2.7 1 // python_c++.cpp : 定义控制台应用程序的入口点. 2 //

go 函数传递结构体

我定义了一个结构体,想要在函数中改变结构体的值,记录一下,以防忘记 ep: type Matrix struct{ rowlen int columnlen int list []int } 这是一个矩阵的结构体 函数传参格式 func main(){ var first Matrix func_name_you(&first) } func func_name_you(first *Matrix){ -- } 记得调用函数处要&+变量名 函数参数声明处要*+变量类型 原文地址:https

利用结构体数组调用函数

我们一直知道,函数名其实就是个指针,指向这个函数的地址,因此我们调用函数其实就是让CPU去函数名指向的地址取代码来执行而已.这才有这个利用数组去调用函数的效果. 因为写程序过程中,需要根据菜单选项来决定调用那个模块函数,不想采用switch判断,想把函数地址存在一个数组里面,然后直接调用,感觉这样代码会更简单些,因为工作中见过别人的代码也是这样写的, 但是没有实际操作过,这次正好有小机会就想试试,还没一次成功,试了两次才搞定,囧,特意记下笔记提醒自己,也给有需要的新手一起分享下 typedef