使用此代码,我得到了错误:
错误1错误C2064:术语未评估为带有1个参数的函数c:\program files(x86)\microsoft visual studio 11.0\vc\include\functional 1152 1管道
class PipelineJob {
private:
std::thread *thread;
void execute(PipelineJob* object);
public:
void execute(PipelineJob* object)
{
}
PipelineJob()
{
this->thread = new std::thread(&PipelineJob::execute, this);
}
};
我尝试了许多变体,现在有人可以解决这个问题吗?
最佳答案
为了简单起见,删除模板和指针,这或多或少是您想要的:
class PipelineJob
{
private:
std::thread thread_;
void execute(PipelineJob* object) { ..... }
public:
PipelineJob()
{
thread_ = std::thread(&PipelineJob::execute, this, this);
}
~PipelineJob() { thread_.join(); }
};
请注意,
this
两次传递给std::thread
构造函数:一次用于成员函数的隐式第一个参数,第二次用于成员函数的可见参数PipelineJob* object
。如果您的
execute
成员函数不需要外部PipelineJob
指针,那么您将需要class PipelineJob
{
private:
std::thread thread_;
void execute() { ..... }
public:
PipelineJob()
{
thread_ = std::thread(&PipelineJob::execute, this);
}
~PipelineJob() { thread_.join(); }
};