C#与C++的非托管代码交互小试(C#调用C++的DLL)
自从看了http://msdn.microsoft.com/zh-cn/library/ms173184(VS.80).aspx及http://msdn.microsoft.com/zh-cn/library/system.runtime.interopservices(VS.80).aspx 对C#与C++公共语言运行时下是否可以互操作产生极大兴趣。
第一次用C#调用C/C++生成的DLL文件,感觉有点新奇,其实只是实现了运行在公共语言运行库 (CLR) 的控制之外的“非托管代码”(运行在公共语言运行库(CLR)的控制之中的代码码称为“托管代码“)的东西,怎样运用在托管下的非托管呢?现在给感兴趣的初学者简单地写一个实现的全过程吧(有什么问题千万别笑):
1.用VS2008选择其它语言(C++)创建一个控制台应用程序命名为Mydll1,然后选择应用程序类型为DLL,确定
项目如图:
在头文件 stdafx.h 下添加如下声明:
#define LIBEXPORT_API extern "C" __declspec(dllexport)
LIBEXPORT_API int Add(int a, int b);
LIBEXPORT_API int Add(int a, int b);
在MyDll.cpp中实现这个函数:
#include "stdafx.h"
int Add(int a,int b)
{
return a+b;
}
注意如果实现的方法是声明在其它头文件中的,一定要 加#include "xxx.h" 来引用这个声明了这个函数头文件。
生成MyDll.dll和MyDll.lib。
2.在Visual C# .net中引用dll文件
新建Visual C#控制台应用程序命名为TestImportDll;
将MyDll.dll和MyDll.lib拷贝到可执行文件目录下(如图):
在Praogram.cs中添加引用using System.Runtime.InteropServices;
按如下方式声明一个将要引用MyDll.dll中函数的类:
class test
{
//[DllImport("..\\..\\lib\\CppDemo.dll")]
//public static extern void Function();
//[DllImport("..\\..\\lib\\CppDemo.dll")]
//public static extern int Add(int i, int j);
[DllImport("..\\..\\Lib\\Mydll1.dll")]
public static extern int Add(int a, int b);
}
{
//[DllImport("..\\..\\lib\\CppDemo.dll")]
//public static extern void Function();
//[DllImport("..\\..\\lib\\CppDemo.dll")]
//public static extern int Add(int i, int j);
[DllImport("..\\..\\Lib\\Mydll1.dll")]
public static extern int Add(int a, int b);
}
最后在Main函数中调用这个类输出结果:
static void Main(string[] args)
{
Console.WriteLine("result: " + test.Add(2, 3).ToString());
Console.ReadLine();
}
{
Console.WriteLine("result: " + test.Add(2, 3).ToString());
Console.ReadLine();
}
下面是Program.cs的代码:
END(如图):