在C++中,为了避免使用pause
函数导致的资源浪费,您可以考虑以下替代方案:
#include <iostream>
#include <thread>
#include <mutex>
#include <condition_variable>
std::mutex mtx;
std::condition_variable cv;
bool ready = false;
void print_block() {
std::unique_lock<std::mutex> lock(mtx);
while (!ready) {
cv.wait(lock); // 忙等待,但不会消耗CPU资源
}
std::cout << "Ready!" << std::endl;
}
void set_ready() {
std::lock_guard<std::mutex> lock(mtx);
ready = true;
cv.notify_one(); // 唤醒等待的线程
}
int main() {
std::thread t1(print_block);
std::thread t2(set_ready);
t1.join();
t2.join();
return 0;
}
#include <iostream>
#include <thread>
#include <windows.h>
HANDLE hEvent = CreateEvent(NULL, TRUE, FALSE, NULL); // 创建事件
void print_block() {
WaitForSingleObject(hEvent, INFINITE); // 等待事件发生
std::cout << "Ready!" << std::endl;
}
void set_event() {
SetEvent(hEvent); // 设置事件,唤醒等待的线程
}
int main() {
std::thread t1(print_block);
std::thread t2(set_event);
t1.join();
t2.join();
CloseHandle(hEvent); // 关闭事件句柄
return 0;
}
这些替代方案可以有效地避免使用pause
函数导致的资源浪费。