如何在python中终止qthread

如何在python中终止qthread,python,pyside,qthread,terminate,Python,Pyside,Qthread,Terminate,我有一个GUI应用程序,它使用qwebview通过长循环实现web自动化过程,所以我使用QThread来完成这项工作,但我不能终止线程,我的代码如下 class Main(QMainWindow): def btStart(self): self.mythread = BrowserThread() self.connect(self.mythread, SIGNAL('loop()'), self.campaign_loop, Qt.AutoConnec

我有一个GUI应用程序,它使用qwebview通过长循环实现web自动化过程,所以我使用QThread来完成这项工作,但我不能终止线程,我的代码如下

class Main(QMainWindow):
    def btStart(self):
        self.mythread = BrowserThread()
        self.connect(self.mythread, SIGNAL('loop()'), self.campaign_loop, Qt.AutoConnection)
        self.mythread.start()

    def btStop(self):
        self.mythread.terminate()

    def campaign_loop(self):
        loop goes here

class BrowserThread(QThread):
    def __init__(self):
        QThread.__init__(self)

    def run(self):
        self.emit(SIGNAL('loop()'))

这段代码在启动线程时运行良好,但无法停止循环,浏览器仍在运行,即使我调用了关闭事件,它也会从GUI中消失。编辑:它也可以在linux上运行,我在raspberry pi 4上尝试了这一点,它运行良好

关键是在“run”方法中创建主循环,因为“terminate”函数在“run”中停止循环,而不是线程本身 这里有一个这样的工作示例,但不幸的是,它只在windows上工作


不鼓励使用self.terminate。看见
import sys
import time
from PySide.QtGui import *
from PySide.QtCore import *

class frmMain(QDialog):
    def __init__(self):
        QDialog.__init__(self)
        self.btStart = QPushButton('Start')
        self.btStop = QPushButton('Stop')
        self.counter = QSpinBox()
        self.layout = QVBoxLayout()
        self.layout.addWidget(self.btStart)
        self.layout.addWidget(self.btStop)
        self.layout.addWidget(self.counter)
        self.setLayout(self.layout)
        self.btStart.clicked.connect(self.start_thread)
        self.btStop.clicked.connect(self.stop_thread)

    def stop_thread(self):
        self.th.stop()

    def loopfunction(self, x):
        self.counter.setValue(x)

    def start_thread(self):
        self.th = thread(2)
        #self.connect(self.th, SIGNAL('loop()'), lambda x=2: self.loopfunction(x), Qt.AutoConnection)
        self.th.loop.connect(self.loopfunction)
        self.th.setTerminationEnabled(True)
        self.th.start()

class thread(QThread):
    loop = Signal(object)

    def __init__(self, x):
        QThread.__init__(self)
        self.x = x

    def run(self):
        for i in range(100):
            self.x = i
            self.loop.emit(self.x)
            time.sleep(0.5)

    def stop(self):
        self.terminate()


app = QApplication(sys.argv)
win = frmMain()

win.show()
sys.exit(app.exec_())