温馨提示×

c++ wait_for如何实现

c++
小樊
82
2024-11-24 11:57:50
栏目: 编程语言

wait_for 是 C++11 标准库 <future> 中的一个函数,它用于等待一个异步操作完成

#include <iostream>
#include <chrono>
#include <thread>
#include <future>

int main() {
    // 创建一个异步任务
    std::packaged_task<int()> task([](){
        std::this_thread::sleep_for(std::chrono::seconds(2)); // 模拟耗时操作
        return 42; // 返回结果
    });

    // 获取异步任务的 future 对象
    std::future<int> result = task.get_future();

    // 在一个新线程中运行异步任务
    std::thread task_thread(std::move(task));
    task_thread.detach();

    // 等待异步任务完成,最多等待 3 秒
    if (result.wait_for(std::chrono::seconds(3)) == std::future_status::ready) {
        // 获取异步任务的结果
        int value = result.get();
        std::cout << "异步任务返回结果: " << value << std::endl;
    } else {
        std::cout << "异步任务未完成,已超时" << std::endl;
    }

    return 0;
}

在这个示例中,我们创建了一个异步任务,该任务会休眠 2 秒并返回结果。我们使用 get_future() 获取异步任务的 future 对象,然后在一个新线程中运行该任务。接下来,我们使用 wait_for() 函数等待异步任务完成,最多等待 3 秒。如果异步任务在 3 秒内完成,我们将获取并输出其结果;否则,我们将输出任务未完成的消息。

0