此问题可能与Why does passing object reference arguments to thread function fails to compile?有关。
我遇到了类似的问题,但是,在我的情况下,仿函数是一个模板。
class A {
public:
// Non template version works as expected!!.
// void operator()(std::ostream& out){
// out << "hi\n";
// }
// template version doesn't.
template <class Ostream>
void operator()(Ostream& out){
out << "hi\n";
}
};
int main() {
A a;
thread t(a, ref(cout));
t.join();
}
海湾合作委员会说:
error: no match for 'operator<<' in 'out << "hi\012"'
我该如何解决这个问题?
答案 0 :(得分:3)
您正在传递std::reference_wrapper
。因此,class Ostream
的类型将为std::reference_wrapper
,以解释错误。
template <class OstreamRef>
void operator()(OstreamRef& outRef){
outRef.get()<< "hi\n";
}
这应该解决它。
对于非模板案例,当需要转换为std::ostream&
时,会隐式调用get()
。但是,使用模板不需要转换为任何其他类型,因此std::reference_wrapper
按原样传递,因此需要显式调用get()
。谢谢@jogojapan