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 秒內完成,我們將輸出結果;否則,我們將輸出任務未在超時時間內完成的消息。