117.info
人生若只如初见

C++条件变量怎样避免忙等待

在C++中,条件变量是一种同步机制,用于在多线程环境中实现线程间的等待和通知。为了避免忙等待(busy waiting),即线程在等待某个条件成立时不断检查该条件,而不是进入睡眠状态,可以使用以下方法:

  1. 使用std::unique_lock和std::condition_variable:
#include 
#include 
#include 
#include 

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

void print_id(int id) {
    std::unique_lock lck(mtx);
    while (!ready) { // 如果ready为false, 则忙等待
        cv.wait(lck); // 当前线程被阻塞,当全局变量ready变为true时,线程被唤醒
    }
    std::cout << "thread " << id << '\n';
}

void go() {
    std::this_thread::sleep_for(std::chrono::seconds(1)); // 让线程sleep一段时间
    std::unique_lock lck(mtx);
    ready = true; // 修改全局变量
    cv.notify_all(); // 唤醒所有线程
}

int main() {
    std::thread threads[10];
    // spawn 10 threads:
    for (int i = 0; i < 10; ++i)
        threads[i] = std::thread(print_id, i);

    std::cout << "10 threads ready to race...\n";
    go(); // go!

    for (auto &th : threads) th.join();

    return 0;
}

在这个例子中,我们使用了一个循环来检查条件是否满足,而不是单次检查。这样,如果条件不满足,线程会进入睡眠状态,而不是忙等待。当条件满足时,线程会被唤醒并继续执行。

  1. 使用std::future和std::async:
#include 
#include 
#include 
#include 

int calculate() {
    std::this_thread::sleep_for(std::chrono::seconds(1)); // 模拟耗时任务
    return 42;
}

int main() {
    std::future result = std::async(calculate);

    // 在此期间,主线程可以执行其他任务,而不是忙等待

    int value = https://www.yisu.com/ask/result.get(); // 获取计算结果"Result is " << value << '\n';

    return 0;
}

在这个例子中,我们使用了std::async来异步执行一个耗时任务。std::future对象可以用来获取任务的结果。这样,主线程不需要忙等待,而是可以在等待结果的同时执行其他任务。

未经允许不得转载 » 本文链接:https://www.117.info/ask/fe12aAzsBBQZU.html

推荐文章

  • c++ wait能自定义吗

    在C++中,wait()函数通常与条件变量一起使用,用于让当前线程等待某个条件成立。wait()函数本身不能直接自定义,但你可以通过条件变量来实现自定义的等待逻辑。<...

  • c++ wait有何作用

    在C++中,wait()函数主要用于线程同步。它用于让当前线程暂停执行一段时间或者等待某个条件成立。wait()函数通常与条件变量(condition variable)一起使用,以实...

  • c++ wait怎样实现

    在C++中,您可以使用 库中的 sleep_for 函数来实现等待。这个函数会让当前线程暂停执行指定的时间段。以下是一个简单的示例:
    #include #include #include ...

  • c++ wait能修改吗

    在C++中,wait()函数本身不能直接修改,但您可以使用它来实现线程同步,从而间接地实现数据的修改。wait()函数通常与条件变量(如std::condition_variable)一起...

  • C++条件变量如何实现线程通信

    在C++中,条件变量(condition variable)是一种用于线程同步的机制,它允许一个或多个线程等待某个条件成立 包含头文件: #include #include #include #include...

  • C++互斥锁如何降低开发难度

    C++互斥锁(mutex)是一种同步机制,用于在多线程环境中保护共享资源,防止数据竞争和不一致。使用互斥锁可以降低开发难度,因为它提供了一种简单的方法来确保在...

  • C++互斥锁能应用于分布式系统吗

    C++的互斥锁(mutex)主要用于解决单机多线程环境下的同步问题,确保在同一时刻只有一个线程能够访问共享资源。然而,在分布式系统中,由于涉及到多个独立的进程...

  • C++互斥锁能提升系统稳定性吗

    是的,C++互斥锁(mutex)可以提升系统的稳定性。在多线程编程中,当多个线程访问共享资源时,可能会出现数据竞争(data race)和不一致的问题。互斥锁是一种同步...