我正在做一些多线程练习,无法通过编译获得此代码。我在网上搜索,但到目前为止还不确定原因。
#include <condition_variable>
#include <functional>
#include <iostream>
#include <mutex>
#include <thread>
using namespace std;
class FooBar {
private:
int n;
public:
FooBar(int n) {
this->n = n;
}
void foo(function<void()> printFoo) {
for (int i = 0; i < n; i++) {
printFoo();
}
}
std::mutex foo_mtx;
std::condition_variable foo_cv;
};
void printFoo()
{
cout << "foo";
}
int main ()
{
FooBar foobar(10);
std::thread foo_thread = std::thread(&FooBar::foo, foobar, printFoo);
foo_thread.join();
return 0;
}
如果我不添加互斥锁和条件变量,则此代码可以编译并正常运行。
error: use of deleted function ‘FooBar::FooBar(const FooBar&)’
error: use of deleted function ‘std::mutex::mutex(const std::mutex&)’
error: use of deleted function ‘std::condition_variable::condition_variable(const std::condition_variable&)’
答案 0 :(得分:2)
您正在复制fooBar
。编译器说您不允许这样做。不允许这样做,因为无法复制互斥体。
std::thread foo_thread = std::thread(&FooBar::foo, std::ref(foobar), printFoo);
这将使特定的编译器错误消失。没有构建它,我就不能确定没有其他问题。
std::thread foo_thread = std::thread([&foobar]{ foobar.foo(printFoo); });
这是解决同一问题的更明智的方法。与使用基于INVOKE的接口相比,Lambda通常是更好的计划。