简短描述:
声明了两个线程以及七个队列项。对于每个队列项,创建了QProgressBar,并使用队列的setValue()
方法将其实例分配给每个队列项。在Thread的run()
方法内部,使用队列项的get()
方法检索QProgressBar实例。虽然仍在run()
方法内部,但QProgressBar实例连接到自定义“updateBar”信号,因此可以从运行run()
方法(或任何其他Thread方法)内部更新Progress Bar小部件。虽然代码似乎运行正常我想得到你的意见,如果我做了正确的事情连接QProgressBar实例到信号,而在MyWindow类之外(信号的连接是在Thread类内部)。我实施的方法是否有任何复杂情况。或者我应该使用其他东西吗?
from PyQt4 import QtCore, QtGui
import Queue as queue
class PbWidget(QtGui.QProgressBar):
def __init__(self, parent=None):
super(PbWidget, self).__init__()
self.setMinimum(1)
self.setMaximum(100)
self._active = False
def update_bar(self, argValue):
self.setValue(argValue)
QtGui.qApp.processEvents()
def closeEvent(self, event):
self._active = False
class MyThread(QtCore.QThread):
def __init__(self, queue, parent=None):
QtCore.QThread.__init__(self, parent)
self.queue = queue
def run(self):
while True:
pb = self.queue.get()
pb.connect(self, QtCore.SIGNAL("updateBar"), pb.update_bar)
for i in range(0,11):
self.emit(QtCore.SIGNAL("updateBar"), i*10)
self.sleep(1)
self.queue.task_done()
pb.disconnect(self, QtCore.SIGNAL("updateBar"), pb.update_bar)
class MyWindow(QtGui.QMainWindow):
def __init__(self, parent=None):
super(MyWindow, self).__init__(parent)
self.queue = queue.Queue()
cWidget = QtGui.QWidget(self)
self.setCentralWidget(cWidget)
self.layout = QtGui.QVBoxLayout(cWidget)
button=QtGui.QPushButton("Sumbit Threads")
button.clicked.connect(self.submitThreads)
self.layout.addWidget(button)
def submitThreads(self):
self.threads = []
for i in range(1, 3):
thread = MyThread(self.queue)
self.threads.append(thread)
thread.start()
numbers=[1,2,3,4,5,6,7]
for number in numbers:
pb=PbWidget()
self.layout.addWidget(pb)
self.queue.put(pb)
if __name__ == "__main__":
import sys
app = QtGui.QApplication(sys.argv)
window = MyWindow()
window.resize(300, 30)
window.show()
sys.exit(app.exec_())
答案 0 :(得分:0)
由于你有这个运行,我不明白你为什么要改变。
就个人而言,我不会在线程之间传递对象(即进度小部件),因为这不会扩展到多处理,集群等,并且无法从不同的线程获取/设置相同的变量。同时。
我使用的替代方法是传递简单的状态消息,并在主线程中有一个QTimer定期检查传入队列(使用get_nowait()),并正确设置接口。
例如,在GUI init上设置一个计时器: self.timer = QTimer(self)
self.timer.timeout.connect(self.timeout)
self.timer.start(100)
并在超时方法中:
coming = self.incoming.get_nowait()
其中incoming
是其他线程/进程可以写入的队列。在您的情况下,数据将包含进度条标识符和进度值。当没有数据等待时,get_nowait将引发一个空异常。
感兴趣的是,如果直接调用pb.update_bar()而不是使用信号机制会发生什么?