我试图了解如何使用从 Qthread 到启动的 Gui 接口的信号。
设置:我有一个进程(模拟)需要几乎无限期地运行(或至少在很长一段时间内)。运行时,它会执行各种计算,并且必须将一些结果发送回GUI,它将实时适当地显示它们。我正在为 GUI 使用 PyQt。我最初尝试使用 python 的线程模块,然后在阅读了关于 SO 和其他地方的几篇文章后切换到 QThreads。
根据 Qt 博客上的这篇文章You're doing it wrong,使用 QThread 的首选方法是创建一个 QObject,然后将其移动到 Qthread。所以我按照PyQt中的QThread的后台线程中的建议>这个SO问题并尝试了一个简单的测试应用程序(代码如下):它打开了一个简单的GUI,让你启动后台进程,并且它应该更新步骤值一个旋转框。
但它不起作用。GUI 永远不会更新。我究竟做错了什么?
import time, sys
from PyQt4.QtCore import *
from PyQt4.QtGui import *
class SimulRunner(QObject):
'Object managing the simulation'
stepIncreased = pyqtSignal(int, name = 'stepIncreased')
def __init__(self):
super(SimulRunner, self).__init__()
self._step = 0
self._isRunning = True
self._maxSteps = 20
def longRunning(self):
while self._step < self._maxSteps and self._isRunning == True:
self._step += 1
self.stepIncreased.emit(self._step)
time.sleep(0.1)
def stop(self):
self._isRunning = False
class SimulationUi(QDialog):
'PyQt interface'
def __init__(self):
super(SimulationUi, self).__init__()
self.goButton = QPushButton('Go')
self.stopButton = QPushButton('Stop')
self.currentStep = QSpinBox()
self.layout = QHBoxLayout()
self.layout.addWidget(self.goButton)
self.layout.addWidget(self.stopButton)
self.layout.addWidget(self.currentStep)
self.setLayout(self.layout)
self.simulRunner = SimulRunner()
self.simulThread = QThread()
self.simulRunner.moveToThread(self.simulThread)
self.simulRunner.stepIncreased.connect(self.currentStep.setValue)
self.connect(self.stopButton, SIGNAL('clicked()'), self.simulRunner.stop)
self.connect(self.goButton, SIGNAL('clicked()'), self.simulThread.start)
self.connect(self.simulRunner,SIGNAL('stepIncreased'), self.currentStep.setValue)
if __name__ == '__main__':
app = QApplication(sys.argv)
simul = SimulationUi()
simul.show()
sys.exit(app.exec_())