阅读量:0
在C++中,wait
通常用于线程同步机制中,用于使当前线程进入等待状态,直到条件满足或者被通知后才继续执行。wait
通常与mutex
和condition_variable
一起使用。具体用法如下:
- 使用
std::unique_lock
对象对mutex
进行加锁。 - 调用
condition_variable
对象的wait
方法,将unique_lock
对象传入,使当前线程进入等待状态。 - 在另一个线程中满足某个条件时,调用
condition_variable
对象的notify_one
或notify_all
方法,通知等待的线程。 - 等待的线程被通知后,
wait
方法返回,继续执行。
示例代码如下:
#include #include #include #include std::mutex mtx; std::condition_variable cv; bool ready = false; void wait_func() { std::unique_lock lck(mtx) ; while (!ready) { cv.wait(lck); } std::cout << "Thread is notified." << std::endl; } void notify_func() { std::this_thread::sleep_for(std::chrono::seconds(2)); { std::lock_guard lck(mtx) ; ready = true; } cv.notify_one(); } int main() { std::thread t1(wait_func); std::thread t2(notify_func); t1.join(); t2.join(); return 0; }
在上面的示例中,wait_func
线程等待ready
状态变为true
,notify_func
线程在2秒后将ready
状态设置为true
并通知等待的线程。