0

我声明了一个这样的函数:

int __stdcall DoSomething(int &inputSize, int &outputSize, void(* __stdcall progress)(int) )
{
}

如何使 progress() 回调一个全局变量以在同一个 DLL 中的其他函数中使用它?我是 C++ 的新手。

4

1 回答 1

1

创建一个具有匹配签名(即void (*)(int))的函数。

#include <iostream>

//void (      *      )(     int    ) - same signature as the function callback
  void progressHandler(int progress)
{
    std::cout << "received progress: " << progress << std::endl;
}

int DoSomething(int &inputSize, int &outputSize, void (*progress)(int))
{
    progress(100);
    return 0;
}

int main()
{
    int inputSize = 3;
    int outputSize = 3;
    DoSomething(inputSize, outputSize, progressHandler);

    return 0;
}

输出:

received progress: 100

即使我删除了它(因为我使用过g++),你也可以保留__stdcall.

于 2015-10-09T20:45:57.573 回答