Take this answer updated for PyQt5, python 3.4
Use this as a pattern to start a worker that does not take data and return data as they are available to the form.
1 - Worker class is made smaller and put in its own file worker.py for easy memorization and independent software reuse.
2 - The main.py file is the file that defines the GUI Form class
3 - The thread object is not subclassed.
4 - Both thread object and the worker object belong to the Form object
5 - Steps of the procedure are within the comments.
# worker.pyfromPyQt5.QtCoreimportQThread,QObject,pyqtSignal,pyqtSlotimporttimeclassWorker(QObject):finished=pyqtSignal()intReady=pyqtSignal(int)@pyqtSlot()defprocCounter(self):# A slot takes no paramsforiinrange(1,100):time.sleep(1)self.intReady.emit(i)self.finished.emit()# main.pyfromPyQt5.QtCoreimportQThreadfromPyQt5.QtWidgetsimportQApplication,QLabel,QWidget,QGridLayoutimportsysimportworkerclassForm(QWidget):def__init__(self):super().__init__()self.label=QLabel("0")# 1 - create Worker and Thread inside the Formself.obj=worker.Worker()# no parent!self.thread=QThread()# no parent!# 2 - Connect Worker`s Signals to Form method slots to post data.self.obj.intReady.connect(self.onIntReady)# 3 - Move the Worker object to the Thread objectself.obj.moveToThread(self.thread)# 4 - Connect Worker Signals to the Thread slotsself.obj.finished.connect(self.thread.quit)# 5 - Connect Thread started signal to Worker operational slot methodself.thread.started.connect(self.obj.procCounter)# * - Thread finished signal will close the app if you want!#self.thread.finished.connect(app.exit)# 6 - Start the threadself.thread.start()# 7 - Start the formself.initUI()definitUI(self):grid=QGridLayout()self.setLayout(grid)grid.addWidget(self.label,0,0)self.move(300,150)self.setWindowTitle('thread test')self.show()defonIntReady(self,i):self.label.setText("{}".format(i))#print(i)app=QApplication(sys.argv)form=Form()sys.exit(app.exec_())