私はpysideを使用していますが、(私は)一般的なQtの質問です。
QThreadの実装が._exec()メソッドを呼び出すことを知っているので、開始されたQThreadでイベントループが必要です。このようにして、そのスレッドでQTimerを使用できます(これを実行しましたが、完全に機能します)。私の問題は、QWaitConditionも使用されている場合、QWaitConditionで(プロデューサーからの)通知を待機する無限ループの「コンシューマー」スレッドが欲しいということです。私が抱えている問題は、このデザインではコンシューマースレッド内でQTimerを使用できないことです。
これは私が説明しようとしているシナリオの抜粋です:
from PySide import QtGui
from PySide import QtCore
import sys
class MainWindow(QtGui.QMainWindow):
def __init__(self):
super(MainWindow, self).__init__()
self.button = QtGui.QPushButton(self)
self.button.setText("Periodical")
self.button.clicked.connect(self.periodical_call)
self.thread = QtCore.QThread()
self.worker = Worker()
self.worker.moveToThread(self.thread)
self.thread.started.connect(self.worker.loop)
self.thread.start()
def closeEvent(self, x):
self.worker.stop()
self.thread.quit()
self.thread.wait()
def periodical_call(self):
self.worker.do_stuff("main window") # this works
self.timer = QtCore.QTimer()
self.timer.timeout.connect(self.do_stuff) # this also works
self.timer.start(2000)
def do_stuff(self):
self.worker.do_stuff("timer main window")
class Worker(QtCore.QObject):
def do_stuff_timer(self):
do_stuff("timer worker")
def do_stuff(self, origin):
self.origin = origin
self.wait.wakeOne()
def stop(self):
self._exit = True
self.wait.wakeAll()
def loop(self):
self.wait = QtCore.QWaitCondition()
self.mutex = QtCore.QMutex()
self._exit = False
while not self._exit:
self.wait.wait(self.mutex)
print "loop from %s" % (self.origin,)
self.timer = QtCore.QTimer()
self.timer.setSingleShot(True)
self.timer.timeout.connect(self.do_stuff_timer)
self.timer.start(1000) # <---- this doesn't work
if __name__ == '__main__':
app = QtGui.QApplication(sys.argv)
frame = MainWindow()
frame.show()
sys.exit(app.exec_())
ボタンをクリックすると、次のような出力が得られます。
loop from main window
loop from timer main window
loop from timer main window
loop from timer main window
...
これは、loop()メソッド内で作成されたQTimerがイベントループによって実行されないことを意味します。
デザインをQWaitConditionからSignalsに変更すると(これはより良いデザインです)、QTimerは機能しますが、QWaitConditionを使用したときになぜ機能しないのか知りたいです。