C++ notify_all如何解決死鎖

c++
小樊
106
2024-07-21 11:08:03

在 C++ 中使用 notify_all() 可能會(huì)導(dǎo)致死鎖的情況,因?yàn)樵诙嗑€程環(huán)境下,notify_all() 當(dāng)前不會(huì)釋放鎖。這可能會(huì)導(dǎo)致線程在等待條件變量時(shí)陷入死鎖。

為避免這種情況,可以使用 unique_lock 代替 lock_guard 來(lái)管理互斥鎖的所有權(quán)。unique_lock 允許手動(dòng)釋放鎖,并且提供了 wait() 方法來(lái)釋放鎖并等待條件變量的通知。

以下是一個(gè)使用 unique_lock 解決死鎖問(wèn)題的示例代碼:

#include <iostream>
#include <thread>
#include <mutex>
#include <condition_variable>

std::mutex mtx;
std::condition_variable cv;
bool ready = false;

void worker_thread() {
    std::unique_lock<std::mutex> lock(mtx);
    while (!ready) {
        cv.wait(lock);
    }
    // do some work
}

void notify_thread() {
    std::unique_lock<std::mutex> lock(mtx);
    ready = true;
    cv.notify_all();
}

int main() {
    std::thread worker(worker_thread);
    std::thread notifier(notify_thread);

    worker.join();
    notifier.join();

    return 0;
}

在這個(gè)示例中,worker_thread 線程在等待條件變量時(shí)使用 cv.wait(lock) 來(lái)手動(dòng)釋放鎖并等待通知。而 notify_thread 線程在修改條件變量并發(fā)出通知后,所有等待條件變量的線程將被喚醒。這樣可以避免 notify_all() 導(dǎo)致的死鎖情況。

0