我想在一个类中启动一个线程,而这个类又调用一个函数,该函数是同一个类的成员。以下是我想要构建的示例代码。
void CM::ExecuteIt()
{
// Some Calculations
if(/*Condition*/)
{
hThreadArray = CreateThread(
NULL, // default security attributes
0, // use default stack size
MyThreadFunction, // thread function name
(LPVOID)&nProcessImage, // argument to thread function
0, // use default creation flags
&dwThreadIdArray);
}
}
void CM::MyThreadFunction(LPVOID lpParam)
{
HANDLE hStdout;
PMYDATA pDataArray;
// Some calculations that needs to be done
}
但在构建它时,我收到以下错误 "错误16错误C3867:' CM :: MyThreadFunction':函数调用缺少参数列表;使用'& CM :: MyThreadFunction'创建指向成员的指针"
我不确定我是怎么做错的。有人可以帮我解决这个问题吗?
答案 0 :(得分:2)
您无法将非静态成员传递给CreateThread
。您传递的函数必须是独立的非成员函数,或者是静态成员函数。一种常见的方法是这样的:
class MyClass {
void StartThread() {
CreateThread(..., ThreadProcTrampoline, this, ...);
}
static DWORD WINAPI ThreadProcTrampoline(LPVOID param) {
MyClass* self = static_cast<MyClass*>(param);
return self->RealThreadProc();
}
DWORD RealThreadProc();
};
您希望传递给线程过程的任何数据,您将存储为该类的数据成员。
或者,由于您标记了问题C++11
,因此请使用std::thread
。它可以传递更多的灵活性。