引用抽象类不能传递给线程函数?

时间:2017-10-04 08:21:23

标签: c++ multithreading c++11 pass-by-reference stdthread

我想在使用A调用的函数中使用对抽象类(std::thread)的引用作为参数类型。 这似乎是不可能的,因为编译器由于某种原因尝试编译:{{1​​}},即使在我的代码中,只有std::tuple<A>的引用类型被用作参数(从不作为值类型)。 / p>

A

将在Visual Studio 2017上输出:

#include <cstdlib>
#include <thread>

class A {
public:
  virtual void a() = 0;
};

class B : public A {
public:
  virtual void a() {
  }
};

class C {
public:
  C(A& aRef) {
    thread = std::thread(&C::doSomething, this, aRef);
  }
private:
  void doSomething(A& aRef) {

  }
  std::thread thread;
};

int main(int argc, char* argv[]) {
  B b;
  C c(b);
  return EXIT_SUCCESS;
}

为什么error C2259: 'A': cannot instantiate abstract class tuple(278): note: see reference to class template instantiation 'std::tuple<A>' being compiled tuple(278): note: see reference to class template instantiation 'std::tuple<C *,A>' being compiled thread(49): note: see reference to class template instantiation 'std::tuple<void (__thiscall C::* )(A &),C *,A>' being compiled main.cpp(18): note: see reference to function template instantiation 'std::thread::thread<void(__thiscall C::* )(A &),C*const ,A&,void>(_Fn &&,C *const &&,A &)' being compiled 会尝试编译std::thread?如果我直接从主线程调用std::tuple<A>,代码编译正常。

这里有什么我想念的吗?

1 个答案:

答案 0 :(得分:1)

当您将引用作为参数传递给线程时,需要将引用包装在std::reference_wrapper中。

您可以使用std::ref()来执行此操作。

看看这个例子:

#include <thread>
#include <utility>
#include <iostream>

struct A {
    virtual void a() = 0;
};

struct B : public A {
    virtual void a() { std::cout << "Hello World\n"; }
};

class C {
    void doSomething(A& aRef) { aRef.a(); }
    std::thread thread;
public:
    C(A& aRef) : thread(&C::doSomething, this, std::ref(aRef)) {}
    // or alternatively using a lambda:
    //C(A& aRef) : thread( [&](){ doSomething(aRef); } ) {}
    void join() { thread.join(); }
};

int main(int argc, char* argv[]) {
    B b;
    C c(b);
    c.join();
}

编译并运行如下:

$ g++ ~/tt.cc -std=c++11 -pthread && ./a.out
Hello World

供参考: