我的代码是:
while (DAQ is ON) {
do stuff on vars;
if(f(vars) > thr)
update vars;
}
if条件只会偶尔触发,并会更新while循环前面部分中使用的所有变量。整个循环通常是实时运行(根据需要),但在if条件也需要运行时落后。如何在单独的线程中运行if条件?它可能需要它所需的所有时间,如果更新在延迟之后发生也没关系。我只想让while循环的其余部分实时运行,并且每当“if”线程完成时vars就会更新。
上下文:C ++ / JUCE框架,实时信号处理。
答案 0 :(得分:2)
我假设您至少有2个内核可以使用。否则,多线程对你来说无济于事。我在这里使用C ++ 11多线程语义,因此您将在编译器中启用C ++ 11语言规范:
#include <condition_variable>
#include <thread>
#include <mutex>
using namespace std;
condition_variable cv;
mutex mtx;
bool ready = false;
void update_vars() {
while( true ) {
// Get a unique lock on the mutex
unique_lock<mutex> lck(mtx);
// Wait on the condition variable
while( !ready ) cv.await( mtx );
// When we get here, the condition variable has been triggered and we hold the mutex
// Do non-threadsafe stuff
ready = false;
// Do threadsafe stuff
}
}
void do_stuff() {
while( true ) {
// Do stuff on vars
if ( f(vars) ) {
// Lock the mutex associated with the condition variable
unique_lock<mutex> lck(mtx);
// Let the other thread know we're ready for it
ready = true;
// and signal the condition variable
cv.signal_all();
}
while( ready ) {
// Active wait while update_vars does non-threadsafe stuff
}
}
}
int main() {
thread t( update_vars );
do_stuff()
}
上面的代码片段所做的是创建一个运行更新变量的辅助线程,它会挂起并等到主线程(运行do_stuff)通过条件变量发出信号。
PS,你可能也可以用期货来做这件事,但我没有和那些足够基于那些回答的人一起工作。