c# 调用c++dll
时间: 2023-07-29 14:08:04 浏览: 149
在 C# 中调用 C++ DLL 的步骤如下:
1. 声明 DLLImport 属性,用于指定 C++ DLL 的名称和函数签名。
2. 定义 C++ DLL 中函数的签名,以便在 C# 中调用。
3. 编写 C# 代码调用 C++ DLL 中的函数。
下面是一个简单的示例,演示如何在 C# 中调用 C++ DLL 中的函数:
C++ DLL 代码:
```cpp
// example.cpp
#include "stdafx.h"
extern "C" __declspec(dllexport) int add(int a, int b)
{
return a + b;
}
```
C# 代码:
```csharp
using System;
using System.Runtime.InteropServices;
class Program
{
[DllImport("example.dll", CallingConvention = CallingConvention.Cdecl)]
public static extern int add(int a, int b);
static void Main(string[] args)
{
int sum = add(1, 2);
Console.WriteLine("1 + 2 = " + sum);
}
}
```
在上面的示例中,我们首先在 C++ 中定义了一个名为 add 的函数,并使用 __declspec(dllexport) 关键字将其导出为 DLL。然后我们在 C# 中声明了一个名为 add 的 extern 函数,并使用 DllImport 属性指定了 C++ DLL 的名称和函数签名。最后,我们在 Main 函数中调用该函数,并将结果打印到控制台上。
注意:在使用 C++ DLL 时,由于 C++ 与 C# 有不同的内存管理方式,因此需要使用 CallingConvention 属性指定函数调用约定。对于大多数情况,可以使用默认的 CallingConvention.Cdecl,但在某些情况下,可能需要使用其他约定。
阅读全文