I am currently learning multi-threading in C++. I have a question about the conditional variable. If I have such code:
std::condition_variable cvS;
std::condition_variable cvR;
std::condition_variable cv;
std::mutex gMtx;
int countm = 0;
void SenderS()
{
std::unique_lock<std::mutex> lck(gMtx);
while(countm >= 5){
std::cout << std::this_thread::get_id() <<"exceedin S" << std::endl;
cv.wait(lck); //or cvS.wait(lck);
}
countm++;
std::cout<< std::this_thread::get_id() << "S"<< countm << std::endl;
lck.unlock();
cv.notify_one(); //or cvR.notify_one();
}
void ReceiverS()
{
std::unique_lock<std::mutex> lck(gMtx);
while(countm <= 0){
std::cout << std::this_thread::get_id() <<"exceedin R" << std::endl;
cv.wait(lck); //or cvR.wait(lck);
}
countm--;
std::cout << std::this_thread::get_id() <<"R" << countm << std::endl;
lck.unlock();
cv.notify_one(); //or cvS.notify_one();
}
For this case, is there any difference between using one or two conditional variables? Generally, for the producer-consumer model, should I use one or two conditional variables?
Also, will cvR.notify_one()
only notify the thread that did cvR.wait()
?
Based on my personal analysis, if using a single condition variable, should use
notify_all()
to wake up all waiting threads in order to avoid waking up the wrong thread. If using two condition variables, usenotify_one()
to wake up one thread of "the other side" should be fine. I don't know if it is a correct rule.