我对conditions_variables
以及如何使用它们(安全地)感到困惑。在我的应用程序中,我创建了一个创建gui线程的类,但是当gui由gui-thread构造时,主线程需要等待。
情况与下面的功能相同。主线程生成互斥锁,锁定condition_variable
。然后它成为线程。虽然此worker
thread
未通过某一点(此处打印数字),但主线程不允许继续(即对于要打印的所有数字必须wait
。)< / p>
如何在此上下文中正确使用condition_variables
?此外,我已经读到自发唤醒是一个问题。我怎么处理它们?
int main()
{
std::mutex mtx;
std::unique_lock<std::mutex> lck(mtx);
std::condition_variable convar;
auto worker = std::thread([&]{
/* Do some work. Main-thread can not continue. */
for(int i=0; i<100; ++i) std::cout<<i<<" ";
convar.notify_all(); // let main thread continue
std::cout<<"\nworker done"<<std::endl;
});
// The main thread can do some work but then must wait until the worker has done it's calculations.
/* do some stuff */
convar.wait(lck);
std::cout<<"\nmain can continue"<<std::endl; // allowed before worker is entirely finished
worker.join();
}
答案 0 :(得分:3)
通常,您有一些可观察的共享状态,您可以阻止其更改:
bool done = false;
std::mutex done_mx;
std::condition_variable done_cv;
{
std::unique_lock<std::mutex> lock(done_mx);
std::thread worker([&]() {
// ...
std::lock_guard<std::mutex> lock(done_mx);
done = true;
done_cv.notify_one();
});
while (true) { done_cv.wait(lock); if (done) break; }
// ready, do other work
worker.join();
}
请注意,您在循环中等待,直到满足实际条件。另请注意,对实际共享状态(done
)的访问是通过互斥锁done_mx
序列化的,只要访问done
,互斥锁就会被锁定。
有一个帮助成员函数,可以为您执行条件检查,因此您不需要循环:
done_cv.wait(lock, [&]() { return done; });