溫馨提示×

pyqt的子窗口怎么創(chuàng)建線程

小億
100
2023-11-04 11:40:23
欄目: 編程語言

在PyQt中創(chuàng)建子窗口的線程可以使用QThread類。以下是一個(gè)簡單的示例:

from PyQt5.QtCore import QThread, pyqtSignal
from PyQt5.QtWidgets import QApplication, QMainWindow, QPushButton, QVBoxLayout, QWidget


class WorkerThread(QThread):
    finished = pyqtSignal()

    def run(self):
        # 在這里執(zhí)行需要在子線程中運(yùn)行的任務(wù)
        # ...

        self.finished.emit()


class SubWindow(QWidget):
    def __init__(self, parent=None):
        super(SubWindow, self).__init__(parent)
        self.button = QPushButton("Start", self)
        layout = QVBoxLayout(self)
        layout.addWidget(self.button)
        self.setLayout(layout)
        self.button.clicked.connect(self.start_worker_thread)

    def start_worker_thread(self):
        self.worker_thread = WorkerThread()
        self.worker_thread.finished.connect(self.worker_thread_finished)
        self.worker_thread.start()

    def worker_thread_finished(self):
        # 在這里處理子線程結(jié)束后的操作
        # ...


class MainWindow(QMainWindow):
    def __init__(self):
        super(MainWindow, self).__init__()
        self.sub_window = SubWindow(self)
        self.setCentralWidget(self.sub_window)


if __name__ == '__main__':
    app = QApplication([])
    main_window = MainWindow()
    main_window.show()
    app.exec_()

在這個(gè)例子中,我們創(chuàng)建了一個(gè)WorkerThread類,繼承自QThread。在WorkerThread類的run()方法中,我們可以執(zhí)行需要在子線程中運(yùn)行的任務(wù),然后發(fā)出finished信號(hào)表示任務(wù)完成。

SubWindow類的start_worker_thread()方法中,我們創(chuàng)建了一個(gè)WorkerThread實(shí)例,并連接了finished信號(hào)到worker_thread_finished()方法。然后,我們調(diào)用start()方法啟動(dòng)子線程。

worker_thread_finished()方法中,我們可以處理子線程結(jié)束后的操作。

最后,我們創(chuàng)建了一個(gè)MainWindow類,把SubWindow作為其中央窗口。在MainWindow中,我們創(chuàng)建了一個(gè)SubWindow實(shí)例,并顯示主窗口。

當(dāng)點(diǎn)擊SubWindow中的按鈕時(shí),會(huì)啟動(dòng)子線程執(zhí)行任務(wù),并在任務(wù)完成后進(jìn)行相應(yīng)的處理。

0