I have this delegate in C#.
public delegate string ACSharpDelegate(string message);
How would I go about creating a Managed C++ .dll that will accept this delegate as a parameter so the C++ .dll can call it?
I have this delegate in C#.
public delegate string ACSharpDelegate(string message);
How would I go about creating a Managed C++ .dll that will accept this delegate as a parameter so the C++ .dll can call it?
You'll need at least 3 assemblies to avoid circular references.
C# library:
namespace CSLibrary
{
public class CSClass
{
public delegate string ACSharpDelegate (string message);
public string Hello (string message)
{
return string.Format("Hello {0}", message);
}
}
}
C++/CLI library (references CSLibrary):
using namespace System;
namespace CPPLibrary {
public ref class CPPClass
{
public:
String^ UseDelegate( CSLibrary::CSClass::ACSharpDelegate^ dlg )
{
String^ dlgReturn = dlg("World");
return String::Format("{0} !", dlgReturn);
}
};
}
C# program (references CSLibrary and CPPLibrary):
namespace ConsoleApplication
{
class Program
{
static void Main (string [] args)
{
CSLibrary.CSClass a = new CSLibrary.CSClass ();
CSLibrary.CSClass.ACSharpDelegate dlg = new CSLibrary.CSClass.ACSharpDelegate (a.Hello);
CPPLibrary.CPPClass b = new CPPLibrary.CPPClass ();
String result = b.UseDelegate (dlg);
Console.WriteLine (result);
Console.Read ();
}
}
}