0

我有一个 C++ dll,它定义了一组回调函数。此函数在 C++ dll 中的某处调用。为了处理这个回调,对方必须覆盖这些函数。因此 C++ dll 实现了一个导出函数,该函数返回所有回调函数的函数指针。

C++ 代码(部分)

C++ 代码如下所示:

// typedefs
typedef int FInt;
typedef const char* FString;

// Pointers to CB functions.
void  (CALLINGCONV *sOutputCB)(FInt pMode, FString pMsg, FString pSys);

在某些函数中,C++ dll 将其用作(GOutputLevel 也是 int):

void DWindowsOutput::output(GOutputLevel pLevel, const string &pSys, 
  const char *pMsg) 
{
   if (sOutputCB != 0)
    sOutputCB(pLevel, pSys.c_str(), pMsg);
}

为了在调用应用程序中实现此回调,C++ dll 导出一个定义为的函数:

long CALLINGCONV dGetCBAddr(const char *pCBName)
{
    ...
    if (!strcmp(pCBName, "fOutputCB"))
      return (long)&sOutputCB;    
}

基本的东西

在调用方,加载和映射 dll 函数后,所有回调都被声明为转发函数,然后我们将 dGetCBAddr 的结果分配给函数指针。之后,在 dll 中调用所有函数,使用 delphi 实现。

在 Delphi(原始代码)中,它看起来像这样:

// type defs
type
  FString = PAnsiChar;
  FInt = Integer;
// callback forward
procedure fOutputCB(pMode: FInt; pSys, pMsg: FString); stdcall; forward;
// initialize GF CallBacks
// NOTE: the dll is loaded and dGetCBAddr is assigned with GetProcAdress!
procedure GF_CB_Initialize;

  procedure loadCB(pAdrPtr: Pointer; const pAdrName: String);
  var
    tPtr: Pointer;
  begin
    tPtr := IFAPI.dGetCBAddr(FString(AnsiString(pAdrName)));
    if Assigned(tPtr) then Pointer(tPtr^) := pAdrPtr;
  end;

begin
  loadCB(@fOutputCB,'fOutputCB');
  ...
end;

// callbacks
procedure fOutputCB(pMode: FInt; pSys, pMsg: FString);
begin
  // do something in delphi with the dll callback
end;

我的问题是:

  1. 如何获得指针(tPtr^) := pAdrPtr; 在 C# 中工作?
  2. 我猜 C# 不支持前向声明,所以我使用了委托。

c# 试试

现在到我测试的 c# 部分(并由谷歌搜索指示):

首先我定义了一个委托函数和这个类型的一个成员。

[UnmanagedFunctionPointer(CallingConvention.StdCall, CharSet = CharSet.Ansi)]
public delegate void fOutputCB(int pMode, string pSys, string pMsg);
public static fOutputCB mOutputCB; // member to avoid GC cleansup

这是应该调用的方法(为我测试):

private void OutputCB(int pMode, string pSys, string pMsg)
        {
            string tSys = pSys;
            string tMsg = pMsg;
            int tMode = pMode;
        }  

然后我在一个方法中实现了加载东西。对于 C++ Dll,我使用了 WinAPI LoadLibrary 等。在这里我创建了成员,将想要的调用方法作为参数,并尝试从 C++ DLL 分配函数指针。

mOutputCB = new fOutputCB(OutputCB);
IntPtr tOutputCBPtr = drvGetCBAddr("OutputCB");
if (tOutputCBPtr != null)
  tOutputCBPtr = Marshal.GetFunctionPointerForDelegate(mOutputCB);

drvGetCBAddr 是 dGetCBAddr 的 C# 挂件:

所有编译和运行都很好,这么久,但回调不起作用。我想 C# 方面缺少一个简单的步骤。到目前为止,我尝试使用托管代码,但可能是我必须使用不安全的代码。

4

1 回答 1

0

简单地将新函数指针分配给 tOutputCBPtr 变量是行不通的,您必须将新函数指针值写入 drvGetCBAddr 返回的“sOutputCB”地址。

IntPtr tOutputCBPtr = drvGetCBAddr("OutputCB");
if (tOutputCBPtr != null)
    Marshal.WriteIntPtr(tOutputCBPtr, Marshal.GetFunctionPointerForDelegate(mOutputCB));
于 2013-06-14T12:59:40.770 回答