Won't this lock the quit mutex in the first thread, thereby blocking the second?
Yes.
And if that's true, then how does the first thread release the lock, so that the other thread can begin?
When you wait on a condition_variable
it unlocks the lock that you pass it, so in
cvQuit.wait_for( lock, chrono::milliseconds(10) )
the condition variable will call lock.unlock()
and then block for up to 10ms (this happens atomically so there's no window between unlocking the mutex and blocking where the condition could become ready and you'd miss it)
When the mutex is unlocked it allows the other thread to acquire the lock on it.
Another question: If I change the wait_for() call to wait for zero seconds, that thread is starved. Can someone explain?
I would expect the other thread to be starved, because the mutex is not unlocked long enough for the other thread to lock it.
am I correct to assume that a no_timeout is recv'd instead of a timeout?
No, if the time duration passes without the condition becoming ready then it "times out" even after zero seconds.
How can I call a wait_for() and specify a zero time, so that the wait_for() call doesn't block, instead it just checks the condition and continues?
Don't use a condition variable! If you don't want to wait for a condition to become true, don't wait on a condition variable! Just test m_bQuit
and proceed.
(Aside, why are your booleans called m_bXxx
? They're not members, so the m_
prefix is misleading, and the b
prefix looks like that awful MS habit of Hungarian notation ... which stinks.)
I'd also be interested to hear about good references on this subject.
The best reference is Anthony Williams's C++ Concurrency In Action which covers the entire C++11 atomics and thread libraries in detail, as well as the general principles of multithreading programming. One of my favourite books on the subject is Butenhof's Programming with POSIX Threads, which is specific to Pthreads, but the C++11 facilities map very closely to Pthreads, so it's easy to transfer the information from that book to C++11 multithreading.
N.B. In thrQuit
you write to m_bQuit
without protecting it with a mutex, since nothing prevents another thread reading it at the same time as that write, it's a race condition, i.e. undefined behaviour. The write to the bool must either be protected by a mutex or must be an atomic type, e.g. std::atomic<bool>
I don't think you need two mutexes, it just adds contention. Since you never release the mtxQuit
except while waiting on the condition_variable
there is no point having the second mutex, the mtxQuit
one already ensures only one thread can enter the critical section at once.