当我尝试使用python线程在Qt窗口中显示一个不断变化的值时,窗口会冻结

时间:2018-03-28 15:01:42

标签: python multithreading pyqt pyqt4

我的主要目标是在Qt窗口textEdit上显示不断变化的价值。 (此窗口仅包含checkBoxtextEdit)。 可悲的是,我无法点击复选框,窗口被冻结,直到我关闭终端。

import sys
from threading import Thread
from random import randint
import time
from PyQt4 import QtGui,uic


class MyThread(Thread):

    def __init__(self):
        Thread.__init__(self)

    #function to continually change the targeted value
    def run(self):
        for i in range(1, 20):
            self.a = randint (1, 10)
            secondsToSleep = 1
            time.sleep(secondsToSleep)


class MyWindow(QtGui.QMainWindow,Thread):
    def __init__(self):
        Thread.__init__(self)
        super(MyWindow,self).__init__()
        uic.loadUi('mywindow.ui',self)
        self.checkBox.stateChanged.connect(self.checkeven)
        self.show()

    #i show the value only if the checkbox is checked
    def checkeven(self):
        while self.checkBox.isChecked():
            self.textEdit.setText(str(myThreadOb1.a)) 



# Run following code when the program starts
if __name__ == '__main__':
   app = QtGui.QApplication(sys.argv)


   # Declare objects of MyThread class
   myThreadOb1 = MyThread()
   myThreadOb2 = MyWindow()

   # Start running the threads!
   myThreadOb1.start()
   myThreadOb2.start()

   sys.exit(app.exec_())

目前我正在使用线程将随机值设置为a,但最后它应该更复杂,因为我必须从自动化中获取值

你有什么线索我的代码是这样的吗? 非常感谢你的帮助。

1 个答案:

答案 0 :(得分:0)

问题是sizeof(((rs_comm *)0)->ab[0])阻塞,阻止GUI处理其他事件。

此外,您不应在另一个线程上运行PyQt GUI而不是主线程。

如果要将数据从一个线程发送到另一个线程,最好使用这些信号。

做所有这些考虑因素,我们有以下几点:

while self.checkBox.isChecked()

Qt样式的一个选项是使用QThread,因为它是一个处理线程的类,并且是一个QObject,因此它可以轻松处理信号。

import sys
from threading import Thread
from random import randint
import time
from PyQt4 import QtGui, uic, QtCore


class MyThread(Thread, QtCore.QObject):
    aChanged = QtCore.pyqtSignal(int)

    def __init__(self):
        Thread.__init__(self)
        QtCore.QObject.__init__(self)
    #function to continually change the targeted value
    def run(self):
        for i in range(1, 20):
            self.aChanged.emit(randint(1, 10))
            secondsToSleep = 1
            time.sleep(secondsToSleep)


class MyWindow(QtGui.QMainWindow):
    def __init__(self):
        super(MyWindow,self).__init__()
        uic.loadUi('mywindow.ui',self)
        self.thread = MyThread()
        self.thread.aChanged.connect(self.on_a_changed, QtCore.Qt.QueuedConnection)
        self.thread.start()
        self.show()

    #i show the value only if the checkbox is checked
    @QtCore.pyqtSlot(int)
    def on_a_changed(self, a):
        if self.checkBox.isChecked():
            self.textEdit.setText(str(a)) 



# Run following code when the program starts
if __name__ == '__main__':
   app = QtGui.QApplication(sys.argv)


   # Declare objects of MyThread class
   w = MyWindow()

   sys.exit(app.exec_())