A deep understanding of C++ conditional variables: Why wait loves std::unique_lock?
In C++ multithreading programming, coordination among threads is a core challenge. We often need a thread to wait for a certain condition to be satisfied (for example, waiting for the task queue to be non-empty, or waiting for a certain calculation to be completed), while another thread is responsible for notifying the waiting thread when the condition is met. std::condition_variable is the weapon created for this, but its use is often accompanied by a question: Why does its wait function need to be coordinated with std::unique_lock instead of the simpler std::lock_guard?
This blog will be divided into three chapters to provide you with a deep understanding of the working mechanism of std::condition_variable, especially the close relationship between the wait function and std::unique_lock and "predicate".
Chapter 1: The Dilemma of Thread Coordination - Say goodbye to wait
Imagine a classic "producer-consumer" scenario where one or more producer threads add tasks to a shared queue, from which one or more consumer threads take tasks out for processing.
A basic requirement is: when the queue is empty, the consumer thread must wait until a new task is added. Conversely, if the queue is full (assuming a bounded queue), the producer thread must wait until space is available.
The simplest (and least efficient) method is to wait (Busy-Waiting) or spinning:
// --- Very simplified pseudo-code, used only to illustrate concepts ---
std::mutex queue_mutex;
std::queue<Task> task_queue;
bool running = true;
void consumer_thread() {
while (running) {
std::lock_guard<std::mutex> lock(queue_mutex); // Lock the queue
if (!task_queue.empty()) {
Task task = task_queue.front();
task_queue.pop();
// ... process task ...
} else {
// The queue is empty, unlock and wait for a moment?
// That's the problem! We don't want to waste CPU idle!
}
// lock_guard automatically unlocks when leaving scope
}
}
In the else branch, if the consumer simply unlocks and then immediately tries to lock check again, it will idle constantly, wasting a lot of CPU time just to repeatedly check if the queue is empty. We need a mechanism that allows threads to "sleep" efficiently when conditions are not met and be "wake up" when conditions may be met.
This is the stage where std::condition_variable appears.
Chapter 2: std::condition_variable —— The art of waiting and notification
std::condition_variable provides a mechanism that allows one or more threads to block (wait) until a notification is received from another thread (notify) and a specific condition is met.
Its core operations include:
wait(): The thread calling this function will be blocked until it is notified to wake up. Key point: The wait() operation must be used in association with a mutex (std::mutex). This mutex is used to protect the "condition" that needs to be checked (for example, whether the queue is empty).
notify_one(): Wake up a thread waiting (call wait()). If multiple threads are waiting, the system will select one of them to wake up.
notify_all(): Wake up all waiting threads.
Why must wait() be used with mutexes?
Imagine if there is no lock:
The consumer checks task_queue.empty() and finds that it is true.
At this moment, before the consumer entered the waiting state, the producer quickly joined the task and tried to send a notification. But before the consumer could wait, the notification was lost!
Then the consumer enters a waiting state, but it misses the notification just now and may wait forever.
Mutex ensures atomicity between the two operations "check condition" and "enter wait state", preventing this race condition. The producer also needs to acquire the same lock when modifying the queue (condition) and sending notifications.
// --- Improved pseudo-code ---
std::mutex queue_mutex;
std::condition_variable cv; // Condition variable
std::queue<Task> task_queue;
bool running = true;
void consumer_thread() {
while (running) {
// !!! You need to use std::unique_lock here, see the next chapter for the reason!!!
std::unique_lock<std::mutex> lock(queue_mutex);
// Use wait to wait for the queue to be non-empty
(lock, [&]{ return !task_queue.empty(); }); // Wait until lambda returns true
// Wake up, and lock is held again, and the condition is satisfied
Task task = task_queue.front();
task_queue.pop();
(); // Unlock in advance, allowing other consumers or producers to access the queue
// ... process task (no need to hold a lock) ...
}
}
void producer_thread() {
while (running) {
// ... produce a task ...
Task new_task;
{ // Limit the scope of lock_guard
std::lock_guard<std::mutex> lock(queue_mutex);
task_queue.push(new_task);
} // The lock is released here
// Notify a waiting consumer
cv.notify_one();
}
}
Now, we beg the core question: Why do we have to use std::unique_lock instead of std::lock_guard in consumer code?
Chapter 3: std::unique_lock and conditional predicate——the perfect partner of wait
The workflow of std::condition_variable::wait() is more complex and subtle than it seems, which is where std::unique_lock comes into play. We focus on wait overloading with conditional predicate: (lock, predict).
The internal execution logic of (lock, predict) is roughly as follows:
Hold lock check predicate: The wait function first checks the predicate you provide (usually a lambda expression). At this time, the lock you passed in must be locked.
If the predicate is true: means that the condition has been met, the wait function returns directly. The thread continues to execute, and the lock remains locked.
If the predicate is false: It means that the condition is not met and the thread needs to wait. At this time wait performs a critical sequence of atomic operations:
a. Release lock: wait automatically and atomically calls () to release the mutex (queue_mutex) managed by the lock you passed in. This is a crucial step, which allows other threads (such as producers) to acquire the lock, thereby modifying the shared state (queue) and ultimately satisfying the conditions.
b. Blocking thread: The current thread enters a blocking (sleep) state, waiting to be awakened by notify_one() or notify_all().
Wake up: When a thread is notify or spurious wakeup occurs, it wakes up from the blocking state.
Reacquire the lock: After wakeup, the wait function automatically and atomically tries to re-call () to obtain the previously released mutex lock. The thread may block again here until the lock is successfully acquired.
Check the predicate again: After successfully reacquisition of the lock, wait checks predict again.
If predict now returns true, wait function returns and the thread continues to execute. lock is locked at this time.
If predictate still returns false (maybe a false wakeup, or the condition has been changed by another thread), wait will not return, but repeat step 3a, release the lock again and enter the blocking state, waiting for the next wakeup.
Why can't std::lock_guard work?
std::lock_guard is a simple RAII wrapper that acquires locks at construction and releases locks at destruction (out of scope). It does not provide a mechanism for external functions (such as () to temporarily release (unlock()) and reacquire (lock()) locks during their lifetime. And wait's atomic operation requires this ability!
Advantages of std::unique_lock:
std::unique_lock is also a RAII wrapper, but it is more flexible. It provides lock() and unlock() member functions, allowing the () function to safely and atomically perform the "release lock -> blocking -> wake up -> reacquire lock" series of operations inside it.
The importance of a conditional predicate:
Handling Spurious Wakeups: A thread may be awakened without receiving notify. If there are no predicates, the thread may continue to execute after waking up without the conditions being met. The predicate ensures that wait will return only if the condition is truly satisfied.
Handle multiple waiters: When notify_all() wakes up all waiters, only one thread can first acquire the lock and process the resource. When other threads subsequently acquire locks, they need to recheck the conditions because they may have been changed by the first thread. The predicate guarantees this correct check.
Go back to our original code snippet:
// In receiveLoop
std::unique_lock lock(m_pause_mutex);
// wait wait for "non-pause" or "stop request"
m_pause_cv.wait(lock, [&]{ return !m_paused || stop_token.stop_requested(); });
// wait will return only when lambda returns true. At this time, lock is guaranteed to be locked
if (stop_token.stop_requested()) break;
The lambda [&]{ return !m_paused || stop_token.stop_requested(); } here is the predicate. wait uses it to ensure that threads will actually unblock and continue execution only if at least one of the two conditions "not in pause" or "received a stop request". And all this is inseparable from the flexibility provided by std::unique_lock.
Conclusion
std::condition_variable is a key tool in C++ to implement efficient thread synchronization. Understanding why its wait operation must be used with std::unique_lock (rather than std::lock_guard) and conditional predicates is critical to writing correct, robust concurrent code. Remember the core process of wait - holding lock checks, atoms release and waiting, atoms relock and check again after awakening - you can navigate the concurrent world of C++ with more confidence!
Conclusion
Understanding is an important step towards a higher level in our programming learning journey. However, mastering new skills and new concepts always requires time and persistence. From a psychological perspective, learning is often accompanied by constant trial and error and adjustment, which is like our brain gradually optimizing its "algorithm" to solve problems.
That's why when we encounter mistakes, we should see them as opportunities for learning and progress, not just trouble. By understanding and solving these problems, we can not only fix the current code, but also improve our programming capabilities and prevent the same mistakes in future projects.
I encourage everyone to actively participate and continuously improve their programming skills. Whether you are a beginner or an experienced developer, I hope my blog will help you in your learning journey. If you find this article useful, you might as well click to bookmark it, or leave your comments to share your insights and experiences. You are also welcome to give suggestions and questions about the content of my blog. Every like, comment, sharing and attention is the greatest support for me and the motivation for me to continue to share and create.
————————————————
Copyright Statement: This article is an original article by the blogger and follows the CC 4.0 BY-SA copyright agreement. Please attach the original source link and this statement when reprinting.
Original link: /news/