使用condition_variable控制多线程流

时间:2012-07-11 23:11:57

标签: c++ multithreading c++11 condition-variable

我还没有完全围绕C ++ 11多线程的东西,但我试图让多个线程等到主线程上的某个事件然后一次继续(处理发生的事情),并且当他们完成处理时再次wait ...循环直到他们关闭。以下不完全是 - 它更简单地再现了我的问题:

std::mutex mutex;
std::condition_variable cv;

std::thread thread1([&](){ std::unique_lock<std::mutex> lock(mutex); cv.wait(lock);  std::cout << "GO1!\n"; });
std::thread thread2([&](){ std::unique_lock<std::mutex> lock(mutex); cv.wait(lock);  std::cout << "GO2!\n"; });

cv.notify_all(); // Something happened - the threads can now process it

thread1.join();
thread2.join();

这有效......除非我停在一些断点上并放慢速度。当我这样做时,我会看到Go1!然后挂起,等待thread2的{​​{1}}。怎么了?

也许我不应该使用条件变量...... cv.wait周围没有任何条件,也没有需要使用互斥锁保护的数据。我该怎么做呢?

1 个答案:

答案 0 :(得分:5)

你走在正确的轨道上......

只需添加一个布尔值(由互斥锁保护,由条件变量指示),表示“go”:

std::mutex mutex;
std::condition_variable cv;
bool go = false;

std::thread thread1([&](){ std::unique_lock<std::mutex> lock(mutex); while (!go) cv.wait(lock);  std::cout << "GO1!\n"; });
std::thread thread2([&](){ std::unique_lock<std::mutex> lock(mutex); while (!go) cv.wait(lock);  std::cout << "GO2!\n"; });

{
    std::unique_lock<std::mutex> lock(mutex);
    go = true;
    cv.notify_all(); // Something happened - the threads can now process it
}

thread1.join();
thread2.join();