4

这个问题可能与为什么将对象引用参数传递给线程函数无法编译有关?.

我遇到了类似的问题,但是,就我而言,仿函数是一个模板。

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"'

我怎么解决这个问题?

4

1 回答 1

3

你正在传递一个std::reference_wrapper. 因此,class Ostreamstd::reference_wrapper解释错误的类型。

template <class OstreamRef>
void operator()(OstreamRef& outRef){
    outRef.get()<< "hi\n";
}

这应该解决它。

对于非模板情况,当它需要转换为 时std::ostream&get()会隐式调用 。但是,使用模板不需要转换为任何其他类型,因此按std::reference_wrapper原样传递,因此需要显式调用get(). 谢谢@jogojapan

于 2012-12-26T03:39:15.657 回答