为什么将QThread创建为局部变量会导致行为不同

时间:2018-11-23 09:32:43

标签: python pyqt qthread

我是PyQT的新手,如果我将QThread创建为局部变量,我会发现一种奇怪的行为。

例如,以下代码将作为单线程工作,这意味着我需要等待10秒钟,结果才会出来。

但是,如果我将线程从局部变量更改为成员变量,它将作为多线程工作。

怎么了?有人可以给我一些提示吗?

class UI():
    def __init__(self):
        self.app = QtGui.QApplication(sys.argv)
        self.dialog = QtGui.QDialog()
        self.ui = Ui_Dialog()
        self.ui.setupUi(self.dialog)
        self.ui.btn.clicked.connect(self.btnclick)

    def run(self):
        self.dialog.show()
        sys.exit(self.app.exec_())

    def btnclick(self):
        ## if change to self.thread, the behavior changes!!
        signal = QtCore.SIGNAL("Log(QString)")
        thread = testThread(signal)  
        QtCore.QObject.connect(thread, signal, self.output)
        thread.start()

    def output(self, txt):
        self.ui.logText.append(str(txt))

class testThread(QThread):
    def __init__(self, signal):
        QThread.__init__(self)
        self.signal = signal

    def __del__(self):
        self.wait()

    def run(self):
        for i in range(10):
            time.sleep(1)
            self.output(str(i))

    def output(self, txt):
        self.emit(self.signal, txt)


if __name__ == "__main__":
    ui = UI()
    ui.run()

1 个答案:

答案 0 :(得分:1)

需要指出的问题是,它是一个局部变量,在启动QThread之后会被破坏,因此QThread处理的线程(QThread不是线程, (它是一个线程处理程序)将被删除,并且在使用wait()时,预计将执行run()方法,但是在生成GUI的主线程中冻结。

所以解决方案是延长变量线程的寿命,一种指出它起作用的方式是:使其成为类的成员,但是还有另一种方法只能将QObjects作为QThread使用,并且可以通过一个父对象(父对象必须是另一个QObject),它将把对象的寿命延长到与父对象相同的容量,因此,我将使用一个对话框。

最后,现在不建议动态创建信号,最好将其创建为类的一部分,对于连接必须使用the new syntax

class UI():
    def __init__(self):
        self.app = QtGui.QApplication(sys.argv)
        self.dialog = QtGui.QDialog()
        self.ui = Ui_Dialog()
        self.ui.setupUi(self.dialog)
        self.ui.btn.clicked.connect(self.btnclick)
        self.dialog.show()

    def btnclick(self):
        thread = testThread(self.dialog)  
        thread.signal.connect(self.output)
        thread.start()

    def output(self, txt):
        self.ui.logText.append(str(txt))

class testThread(QtCore.QThread):
    signal = QtCore.pyqtSignal(str)

    def __del__(self):
        self.wait()

    def run(self):
        for i in range(10):
            QtCore.QThread.sleep(1)
            self.output(str(i))

    def output(self, txt):
        self.signal.emit(txt)

if __name__ == '__main__':
    ui = UI()
    app = QtGui.QApplication.instance()
    if app is not None:
        sys.exit(app.exec_())