c++11新特性之条件变量

std::condition_variable 是为了解决死锁而生的。当互斥操作不够用而引入的。比如,线程可能需要等待某个条件为真才能继续执行,而一个忙等待循环中可能会导致所有其他线程都无法进入临界区使得条件为真时,就会发生死锁。所以,condition_variable实例被创建出现主要就是用于唤醒等待线程从而避免死锁。std::condition_variable的 notify_one()用于唤醒一个线程;notify_all() 则是通知所有线程。
C++11中的std::condition_variable就像Linux下使用pthread_cond_wait和pthread_cond_signal一样,可以让线程休眠,直到别唤醒,现在在从新执行。线程等待在多线程编程中使用非常频繁,经常需要等待一些异步执行的条件的返回结果。

#include 
#include 
#include 

mutex g_mtx;
condition_variable g_cv;
int  g_bReady = false;

void print_id(int id) 
{
    unique_lock lck(g_mtx);
    while (!g_bReady)
    {
        g_cv.wait(lck);
    }
    std::cout << "thread " << id << '\n';

}

void go()
{
    unique_lock lck(g_mtx);
    g_bReady = true;
    g_cv.notify_all();
}
int main(int argc, char** argv)
{
    thread threads[8];
    for (int i = 0; i < 8; ++i)
    {
        threads[i] = thread(print_id, i);
    }

    cout << "8 threads ready to race...\n";
    go();
    for (auto& th : threads) th.join();

    return 0;
}

c++11新特性之条件变量_第1张图片

你可能感兴趣的:(c++,11新特性)