data:image/s3,"s3://crabby-images/18b2c/18b2c3c5301e654a63b178cb8b8f8f52ee8fca78" alt="画像"
マネージコードからアンマネージコードを呼び出すタスクに非常に頻繁に直面します。このタスクには、単一の属性
[DllImport]と
MSDNで詳しく説明されている追加のルールの形式のシンプルなソリューションがあります。 逆問題はあまり一般的ではありません。 この記事では、これを行う方法の小さな例を検討します。 網羅的であると見なされるべきではなく、一連の思考と概念としてのみ見なされるべきです。 それでは始めましょう。
この例は、3つのプロジェクトで構成されます。
- MixedLibrary-C ++ / CLI
- SimpleLibrary-C#
- Win32App-C ++
data:image/s3,"s3://crabby-images/e104b/e104bf78b08769a5b02e477bcff20fcc083e8353" alt="画像"
最も単純な
SimpleLibraryから始めましょう。 このライブラリには、2つの数値を追加して結果をコンソールに出力する1つの単純なサービスが含まれています。
public class Service { public void Add(Int32 a, Int32 b) { Console.WriteLine("Hello from Managed Code!"); Console.WriteLine(String.Format("Result: {0}", a + b)); } }
それでは、
MixedLibraryライブラリーに移りましょう。 このライブラリには、SimpleServiceのラッパークラスが含まれています。 CppService.hファイルの内容:
// , // #ifdef INSIDE_MANAGED_CODE # define DECLSPECIFIER __declspec(dllexport) # define EXPIMP_TEMPLATE #else # define DECLSPECIFIER __declspec(dllimport) # define EXPIMP_TEMPLATE extern #endif namespace MixedLibrary { class DECLSPECIFIER CppService { public: CppService(); virtual ~CppService(); public: void Add(int a, int b); private: void * m_impl; }; }
CppService.cppファイルの内容:
#include "CppService.h" using namespace System; using namespace System::Runtime::InteropServices; using namespace SimpleLibrary; namespace MixedLibrary { CppService::CppService() { Service^ service = gcnew Service(); m_impl = GCHandle::ToIntPtr(GCHandle::Alloc(service)).ToPointer(); } CppService::~CppService() { GCHandle handle = GCHandle::FromIntPtr(IntPtr(m_impl)); handle.Free(); } void CppService::Add(int a, int b) { GCHandle handle = GCHandle::FromIntPtr(IntPtr(m_impl)); Service^ service = safe_cast<Service^>(handle.Target); service->Add(a, b); } }
また、コンパイルのために、プリプロセッサディレクティブINSIDE_MANAGED_CODEを追加する必要があります。
data:image/s3,"s3://crabby-images/0d45e/0d45ea5b807c29b97e88fdcabbcd7408cb0977eb" alt="画像"
最後の仕上げは、通常のアンマネージアプリケーションです。
#include #pragma comment(lib, ) #include <iostream> #include using namespace std; using namespace MixedLibrary; int main() { CppService* service = new CppService(); service->Add(5, 6); cout << << endl; getchar(); }
そして、もちろん、結果:
data:image/s3,"s3://crabby-images/05e31/05e314843d12e2560cb7ecdd5d428c8b30ee17dc" alt="画像"
投稿者:
nikitam