C# 调用 C++ 动态库接口
在 C# 中调用 C++ 动态库接口,通常需要通过 P/Invoke (Platform Invocation Services) 来与 C++ 代码交互
1. 准备 C++ 动态库
假设你有一个 C++ 动态库,其中包含如下函数:
extern "C" char* getLocationURL(const char* package_name, const char** requestHeaders, size_t headersCount);
2. 创建 C# P/Invoke 声明
为了从 C# 调用这个 C++ 动态库中的函数,你需要在 C# 代码中声明相应的外部函数。这里是一个例子:
using System;
using System.Runtime.InteropServices;
class Program
{
// 声明外部函数
[DllImport("YourLibraryName.dll", CallingConvention = CallingConvention.Cdecl)]
public static extern IntPtr getLocationURL(string packageName, string[] requestHeaders, int headersCount);
static void Main()
{
// 设置 C++ 函数的参数
string packageName = "com.example.package";
string[] headers = new string[] { "Header1: Value1", "Header2: Value2" };
// 调用 C++ 函数
IntPtr resultPtr = getLocationURL(packageName, headers, headers.Length);
// 将返回的指针转换为 C# 字符串
string result = Marshal.PtrToStringAnsi(resultPtr);
// 打印结果
Console.WriteLine("Result: " + result);
// 如果返回的是动态分配的内存,记得释放内存
Marshal.FreeCoTaskMem(resultPtr);
}
}
3. 关键点说明
- DllImport:用于指定 C++ 动态库的名称,以及调用约定。请确保你指定正确的库文件名(
YourLibraryName.dll
),并确认它与 C# 程序位于同一目录,或者将其路径添加到系统的环境变量中。 - IntPtr:由于返回值是
char*
类型,它在 C# 中需要用IntPtr
来处理。 - Marshal.PtrToStringAnsi:将返回的
IntPtr
转换为 C# 字符串。如果你的 C++ 函数返回的是 UTF-8 编码的字符串,可以使用PtrToStringUTF8
来代替。 - 内存释放:如果 C++ 函数分配了内存(例如使用
malloc
或new
),你需要在 C# 中使用Marshal.FreeCoTaskMem
或相应的释放函数来释放内存。
4. 编译和链接
- 将 C++ 动态库编译为
.dll
文件,并确保它与 C# 项目兼容(如 32 位与 64 位)。 - 在 C# 中,引用动态库的路径要正确设置。