wait_for
是 C++ 标准库 <chrono>
中的一个函数,它用于等待一个给定的时间间隔。这个函数的主要用途是阻塞当前线程直到指定的时间到达或者某个条件满足。wait_for
函数的原型如下:
template< class Rep, class Period >
std::future_status wait_for( std::chrono::duration<Rep, Period> rel_time );
template< class Clock, class Duration, class Callable, class... Args >
std::future_status wait_for( std::packaged_task<void(Args...)>&& task,
const std::chrono::time_point<Clock, Duration>& abs_time );
wait_for
函数有以下几种用处:
wait_for
函数。例如,你可以使用 wait_for
来实现一个简单的延时功能。#include <iostream>
#include <chrono>
#include <thread>
int main() {
std::cout << "Waiting for 5 seconds...\n";
std::this_thread::sleep_for(std::chrono::seconds(5));
std::cout << "5 seconds has passed.\n";
return 0;
}
wait_for
可以与 std::future
和 std::packaged_task
结合使用,以便在某个条件满足时继续执行线程。例如,你可以使用 wait_for
来等待一个异步任务完成。#include <iostream>
#include <chrono>
#include <future>
#include <thread>
int main() {
std::packaged_task<int()> task([]() {
std::this_thread::sleep_for(std::chrono::seconds(3));
return 42;
});
std::future<int> result = task.get_future();
std::thread(std::move(task)).detach();
std::cout << "Waiting for the task to complete...\n";
if (result.wait_for(std::chrono::seconds(5)) == std::future_status::ready) {
std::cout << "Task completed with result: " << result.get() << '\n';
} else {
std::cout << "Task did not complete within the timeout.\n";
}
return 0;
}
在这个例子中,我们创建了一个异步任务,然后使用 wait_for
等待任务完成。如果任务在 5 秒内完成,我们将输出结果;否则,我们将输出任务未在超时时间内完成的消息。