wait_for
是 C++11 标准库 <future>
中的一个函数,它用于等待一个异步操作完成
wait_for
的主要作用如下:
阻塞当前线程:wait_for
会阻塞调用它的线程,直到指定的时间间隔过去或者异步操作完成。这对于需要等待异步操作完成的场景非常有用。
防止忙等待:通过使用 wait_for
,你可以避免在异步操作完成之前不断检查其状态导致的忙等待(busy-waiting),从而降低 CPU 使用率。
简化异步编程:wait_for
提供了一种简单的方法来等待异步操作完成,而不需要编写复杂的回调函数或其他同步机制。
下面是一个简单的示例,展示了如何使用 wait_for
等待一个异步操作完成:
#include <iostream>
#include <future>
#include <chrono>
int main() {
// 创建一个异步操作
std::packaged_task<int()> task([]() {
std::this_thread::sleep_for(std::chrono::seconds(2));
return 42;
});
// 获取异步操作的结果包装
std::future<int> result = task.get_future();
// 启动异步操作
std::thread(std::move(task)).detach();
// 等待异步操作完成,最多等待 1 秒
if (result.wait_for(std::chrono::seconds(1)) == std::future_status::ready) {
std::cout << "Async operation completed with result: " << result.get() << std::endl;
} else {
std::cout << "Async operation did not complete within the timeout period." << std::endl;
}
return 0;
}
在这个示例中,我们创建了一个异步操作,该操作将在 2 秒后返回结果。然后我们使用 wait_for
等待异步操作完成,但最多等待 1 秒。如果异步操作在 1 秒内完成,我们将输出其结果;否则,我们将输出一条消息表示操作未在超时时间内完成。