我正在尝试在c ++项目中公开一些方法,从另一个方法中调用它们。
在我的DLL项目中,我公开了方法:
class IFilter
{
public:
virtual double Filter(double n) = 0;
};
__declspec(dllexport) IFilter* ButterworthCreate(int order, double cutoffFrequency, double sampleRate)
{
return new VButterworth(order, cutoffFrequency, sampleRate);
}
__declspec(dllexport) double ButterworthFilter(IFilter* handle, double n)
{
double nResult = -1;
if (handle){
nResult = handle->Filter(n);
}
return nResult;
}
在我的控制台应用中,我试图像这样使用它们:
typedef long(*ButterworthCreate)(int, double, double);
typedef long(*ButterworthFilter)(int, double);
int _tmain(int argc, _TCHAR* argv[])
{
std::string s = "D:\\WORK\\FilterConsole\\Debug\\Butterworth.dll";
std::wstring stemp = std::wstring(s.begin(), s.end());
LPCWSTR sw = stemp.c_str();
HINSTANCE hGetProcIDDLL = LoadLibrary(sw);
if (!hGetProcIDDLL) {
std::cout << "could not load the dynamic library" << std::endl;
return EXIT_FAILURE;
}
// resolve function address here
ButterworthCreate create = (ButterworthCreate)GetProcAddress(hGetProcIDDLL, "ButterworthCreate");
ButterworthFilter filter = (ButterworthFilter)GetProcAddress(hGetProcIDDLL, "ButterworthFilter");
if (!create || !filter) {
std::cout << "could not locate the function" << std::endl;
return EXIT_FAILURE;
}
int handle = create(1, 1, 1);
double result = filter(handle, 10);
return 0;
}
可以解析函数并创建返回有效指针,但过滤函数的结果是负数。
过滤功能的实现只是
double CButterworth::Filter(double n)
{
return n * n;
}
调试时我可以看到结果在dll中正确计算,但我的控制台应用程序中的结果很奇怪。
有人可以解释我错过了什么吗?非常感谢你
答案 0 :(得分:4)
你有
__declspec(dllexport) double ButterworthFilter(IFilter* handle, double n)
和
typedef long(*ButterworthFilter)(int, double);
这两者并不相等。特别是在64位系统上,指针是64位,而int
仍然是32位。另请注意,使用MSVC时,long
也 32位,即使在64位系统上也是如此。
如果您想创建C兼容接口,我建议您改用opaque data types。并使用extern "C"
禁用名称修改。