我想在没有复制构造函数的对象的成员函数处启动std::thread
。在成员函数处启动线程的标准方法(例如,参见Start thread with member function)需要一个复制构造函数。我以为我可以使用std::ref
(例如参见std::thread pass by reference calls copy constructor)来解决这个问题,但是没有运气。
这是我的代码。线程t1
有效,但t2
无效。如果我尝试取消注释这两行,它将给出:
error: attempt to use a deleted function
__invoke(_VSTD::move(_VSTD::get<0>(__t)), _VSTD::move(_VSTD::get<_Indices>(__t))...); ^
/Library/Developer/CommandLineTools/usr/bin/../include/c++/v1/thread:357:5: note:
in instantiation of function template specialization
'std::__1::__thread_execute<void (Dummy::*)(), std::__1::reference_wrapper<Dummy> , 1>'
requested here __thread_execute(*__p, _Index()); ^
etc.
如何直接在print()
上启动线程而不需要uselessFunction
?
此外,我想更好地理解该错误。编译器在抱怨哪个“删除的函数”?
#include <iostream>
#include <thread>
using std::cout;
using std::endl;
class Dummy {
public:
std::atomic<bool> flag; // atomic kills implicitly created copy constructor
void print() { std::cout << "hello!" << std::endl; }
};
void uselessFunction(Dummy &d) {
d.print();
}
int main() {
Dummy d{};
std::thread t1(uselessFunction, std::ref(d)); // this works
// std::thread t2(&Dummy::print, std::ref(d)); // does not work
t1.join();
// t2.join();
}
答案 0 :(得分:2)
std::thread
使用std::invoke
调用该函数。 std::invoke
非常聪明,可以获取指向对象的指针并使用该对象调用成员函数。这意味着您可以将t2
更改为
std::thread t2(&Dummy::print, &d);
并获得正确的行为。