一、环境介绍
VS版本: VS2017
编程语言: C++
使用VS2017项目模板创建C++动态库生成工程,生成动态库。然后再创建一个C++工程调用动态库完成测试。
工程创建之后,VS会自动生成一个示例模板;下面截图里是将VS自动生成的模板代码给删除掉了,添加自己编写了2个测试函数。
#ifdef DLLLIBRARY_EXPORTS #define DLLLIBRARY_API __declspec(dllexport) #else #define DLLLIBRARY_API __declspec(dllimport) #endif EXTERN_C DLLLIBRARY_API char* Version(void); EXTERN_C DLLLIBRARY_API int sum(int a, int b);
static char version_str[] = "v20210524"; // 获取版本号 DLLLIBRARY_API char* Version(void) { return version_str; } // 求和 DLLLIBRARY_API int sum(int a, int b) { int c = a + b; return c; }
写好之后,编译生成动态库。
生成的库文件在解决方案目录下:
四、创建C++工程调用动态库
将第一步生成的库文件xxx.lib拷贝到当前测试工程目录下:
编写调用库的测试代码:
#include <iostream> #pragma comment(lib, "DLLLIBRARY.lib") extern "C" { extern __declspec(dllexport) char* Version(void); extern __declspec(dllexport) int sum(int a, int b); }; using namespace std; int main() { int c = sum(12, 34); cout << "求和:" << c << endl; char *p = Version(); cout << "版本号:" << p; }
写完代码后,直接编译运行,会报错提示缺少xxx.dll,接下来把xxx.dll拷贝到程序运行目录下即可。
拷贝xxx.dll到程序运行目录下:
再次编译运行:
五、C#调用动态库测试
创建一个C#控制台工程,准备调用DLL库测试。
编写调用库的测试代码:
using System; using System.Collections.Generic; using System.Linq; using System.Text; using System.Threading.Tasks; using System.Runtime.InteropServices; namespace ConsoleApp1 { class Program { [DllImport("DLLLIBRARY.dll", EntryPoint = "sum", CallingConvention = CallingConvention.Cdecl)] extern static int sum(int a, int b); [DllImport("DLLLIBRARY.dll", EntryPoint = "Version",CharSet =CharSet.Ansi, CallingConvention = CallingConvention.Cdecl)] extern static IntPtr Version(); static void Main(string[] args) { Console.WriteLine(sum(100,200)); Console.WriteLine(Marshal.PtrToStringAnsi(Version())); Console.ReadKey(); } } }
编译运行,提示无法加载xxx.dll,接下来将xxx.dll拷贝到程序运行目录下即可。
拷贝xxx.dll到当前程序运行目录下:
再次运行:
六、C#传入C指针字符串参数
如果C的函数需要传入字符串,C#可以这样传递:
C函数原型:
static char version_str[] = "v20210524"; //获取版本号 ECRSTOOLLIBRARY_API char* Version(void) { return version_str; } void GetApplicationDirPath(char * buff) { printf("传入的参数:%s\n", buff); }
C#代码:
using System; using System.Collections.Generic; using System.Linq; using System.Text; using System.Threading.Tasks; using System.Runtime.InteropServices; namespace CSharp_LoadLibrary { class Program { [DllImport("ECRSTOOLLIBRARY.dll", EntryPoint = "Version", CharSet = CharSet.Ansi, CallingConvention = CallingConvention.Cdecl)] extern static IntPtr Version(); [DllImport("ECRSTOOLLIBRARY.dll", EntryPoint = "GetApplicationDirPath", CallingConvention = CallingConvention.Cdecl)] extern static void GetApplicationDirPath(IntPtr text); static void Main(string[] args) { //申请空间 IntPtr pBuff = Marshal.AllocHGlobal(100); //将string转为IntPtr类型 string str = "我是传递给C++的字符串"; pBuff = Marshal.StringToHGlobalAnsi(str); //调用C++方法 GetApplicationDirPath(pBuff); //释放空间 Marshal.FreeHGlobal(pBuff); Console.WriteLine(Marshal.PtrToStringAnsi(Version())); Console.ReadKey(); } } }