使用QEventLoop
阻止在Qt程序中执行,如何将10个单独的信号连接到一个循环,使得在收到所有10个信号之前它不会被阻塞?
答案 0 :(得分:0)
Please avoid using nested loops when possible. 但是如果您完全确定没有办法,则需要有办法存储哪些信号已被触发,他们中的哪一个没有,并且只有在所有信号都被触发时才退出事件循环(即可能通过发出连接到事件循环的QEventLoop::quit
的信号)。
以下是使用具有不同间隔的10个QTimer
的最小示例,并在退出嵌套事件循环之前等待所有这些示例:
#include <QtCore>
#include <algorithm>
int main(int argc, char* argv[]) {
QCoreApplication a(argc, argv);
const int n = 10;
//10 timers to emit timeout signals on different intervals
QTimer timers[n];
//an array that stores whether each timer has fired or not
bool timerFired[n]= {};
QEventLoop loop;
//setup and connect timer signals
for(int i=0; i<n; i++) {
timers[i].setSingleShot(true);
QObject::connect(&timers[i], &QTimer::timeout, [i, &timerFired, &loop]{
qDebug() << "timer " << i << " fired";
timerFired[i]=true;
//if all timers have fired
if(std::all_of(std::begin(timerFired), std::end(timerFired),
[](bool b){ return b; }))
loop.quit(); //quit event loop
});
timers[i].start(i*i*100);
}
qDebug() << "executing loop";
loop.exec();
qDebug() << "loop finished";
QTimer::singleShot(0, &a, &QCoreApplication::quit);
return a.exec();
}