我正在尝试使用Qt GUI C ++ 5.6.2在窗口上创建一些图形。 我有两个名为'createVerticalSpeedIndicator'和'createAirSpeedIndicator'的方法。这些方法需要使用while(1)循环创建一些图形并使用qApp-> processEvents();在窗口上,当他们中的一个正在工作时,他们正在完美地完成另一个工作。但是我需要同时和同时运行它们。
我可以做些什么来同时运行它们。
非常感谢
答案 0 :(得分:0)
解决方案是反转控制流程。 while() { ... processEvents() ... }
是异步代码中的反模式,因为它假定您具有控制位置,而您实际上并非如此。您很幸运,因为processEvents
可能会重新输入createXxx
方法,所以您没有用完堆栈。
以下是转型的完整示例:
// Input
void Class::createVerticalSpeedIndicator() {
for (int i = 0; i < 100; i ++) {
doStep(i);
QCoreApplication::processEvents();
}
}
// Step 1 - factor out state
void Class::createVerticalSpeedIndicator() {
int i = 0;
while (i < 100) {
doStep(i);
QCoreApplication::processEvents();
i++;
}
};
// Step 2 - convert to continuation form
void Class::createVerticalSpeedIndicator() {
int i = 0;
auto continuation = [=]() mutable {
if (!(i < 100))
return false;
doStep(i);
QCoreApplication::processEvents();
i++;
return true;
};
while (continuation());
};
// Step 3 - execute the continuation asynchronously
auto Class::createVerticalSpeedIndicator() {
int i = 0;
return async(this, [=]() mutable {
if (!(i < 100))
return false;
doStep(i);
i++; // note the removal of processEvents here
return true;
});
};
template <typename F> void async(QObject * parent, F && continuation) {
auto timer = new QTimer(parent);
timer->start(0);
connect(timer, &QTimer::timeout, [timer, c = std::move(continuation)]{
if (!c())
timer->deleteLater();
});
}
此时,您可以将相同的转换应用于createAirSpeedIndicator
并在类的构造函数中启动它们:
Class::Class(QWidget * parent) : QWidget(parent) {
...
createVerticalSpeedIndicator();
createAirSpeedIndicator();
}
这两个任务将在主线程内以异步和伪并发方式运行,即每个任务将交替执行一个步骤。
假设我们想要链接任务,即只在前一个任务完成后启动任务。用户代码中的修改可以很简单:
Class::Class(QWidget * parent) : QWidget(parent) {
...
createVerticalSpeedIndicator()
>> createAirSpeedIndicator()
>> someOtherTask();
}
async
函数现在必须返回一个允许进行此类连接的类:
struct TaskTimer {
QTimer * timer;
TaskTimer & operator>>(const TaskTimer & next) {
next.timer->stop();
connect(timer, &QObject::destroyed, next.timer, [timer = next.timer]{
timer->start(0);
});
timer = next.timer;
return *this;
}
};
template <typename F> TaskTimer async(QObject * parent, F && continuation) {
TaskTimer task{new QTimer(parent)};
task.timer->start(0);
connect(task.timer, &QTimer::timeout,
[timer = task.timer, c = std::move(continuation)]{
if (!c())
timer->deleteLater();
});
return task;
}