#include <iostream>
#include <condition_variable>
#include <thread>
#include <chrono>
std::condition_variable cv;
int i = 0;
std::mutex cv_m; // This mutex is used for three purposes:
// 1) to synchronize accesses to i
// 2) to synchronize accesses to std::cerr
// 3) for the condition variable cv
void waits1()
{
std::unique_lock<std::mutex> lk(cv_m);
std::cerr << "Waiting... \n";
cv.wait(lk, []{return i == 1;});
std::cerr << "...finished waiting. i == 1\n";
}
void waits2()
{
std::unique_lock<std::mutex> lk(cv_m);
std::cerr << "Waiting... \n";
cv.wait(lk, []{return i == 2;});
std::cerr << "...finished waiting. i == 2\n";
}
void signals()
{
std::this_thread::sleep_for(std::chrono::seconds(1));
{
std::lock_guard<std::mutex> lk(cv_m);
std::cerr << "Notifying...\n";
}
cv.notify_one(); // i=0, so no thread is woken up
// depending on the random choice of which thread to notify
// the main main hung up
std::this_thread::sleep_for(std::chrono::seconds(1));
{
std::lock_guard<std::mutex> lk(cv_m);
i = 1;
std::cerr << "Notifying again...\n";
}
cv.notify_one();
std::this_thread::sleep_for(std::chrono::seconds(1));
{
std::lock_guard<std::mutex> lk(cv_m);
i = 2;
std::cerr << "Notifying again...\n";
}
cv.notify_one();
}
int main()
{
std::thread
t2(waits2), // try swapping this and next line
t1(waits1),
t4(signals);
t1.join();
t2.join();
t4.join();
}