基本上我想要实现的是检查自上次检查以来数据是否已经更改。
我在这里做的是启动一个单独的线程,它在循环中连续运行并在循环结束时检查stop变量。 stop变量是一个全局变量,所以我可以轻松地给它一个0值来终止主线程的轮询循环。
在循环中,我有一组变量,用于保存我在上一次迭代中检索到的数据值,以及一组用于存储最近检索到的数据的变量。我所做的就是将变量与新数据与保存先前数据的变量进行比较。在此之后,我将保存先前数据的变量集更新为最新数据。
我想问一下有没有更有效的方法呢?也许是不需要民意调查的东西?
答案 0 :(得分:1)
是;一种方法是让轮询线程在条件变量上等待,让生产者通过发出相同的条件变量来唤醒它。
C ++中的一个例子是cppreference:
#include <iostream>
#include <string>
#include <thread>
#include <mutex>
#include <condition_variable>
std::mutex m;
std::condition_variable cv;
std::string data;
bool ready = false;
bool processed = false;
void worker_thread()
{
// Wait until main() sends data
std::unique_lock<std::mutex> lk(m);
cv.wait(lk, []{return ready;});
// after the wait, we own the lock.
std::cout << "Worker thread is processing data\n";
data += " after processing";
// Send data back to main()
processed = true;
std::cout << "Worker thread signals data processing completed\n";
// Manual unlocking is done before notifying, to avoid waking up
// the waiting thread only to block again (see notify_one for details)
lk.unlock();
cv.notify_one();
}
int main()
{
std::thread worker(worker_thread);
data = "Example data";
// send data to the worker thread
{
std::lock_guard<std::mutex> lk(m);
ready = true;
std::cout << "main() signals data ready for processing\n";
}
cv.notify_one();
// wait for the worker
{
std::unique_lock<std::mutex> lk(m);
cv.wait(lk, []{return processed;});
}
std::cout << "Back in main(), data = " << data << '\n';
worker.join();
}