0

我正在寻找有关如何在 QGroupBox 中添加 QTableView 的帮助(这是因为我需要创建 4 个 QTableView,每个 QTableView 显示每个可能的状态 'In QC'、'Ready for QC'、'In Progress'、'Pending ')。

下面的代码当前生成一个显示单个 QTableView 的程序,它每 5 秒刷新一次新数据,唯一重要的是状态(当前表示为 F 列),因为其余数据显示用于识别目的。(请注意,在此示例中,我使用了一个自动生成数据以显示在 QTableView 中的代码,因为该表实际上是从 Excel 文件提供的,将在本文末尾附上读取 Excel 文件的代码):

import sys
import pandas as pd

from PyQt5.QtCore import pyqtSignal, pyqtSlot, QAbstractTableModel, QObject, Qt
from PyQt5.QtGui import QBrush
from PyQt5.QtWidgets import QApplication, QTableView

import threading


class PandasManager(QObject):
    dataFrameChanged = pyqtSignal(pd.DataFrame)

    def start(self):
        self.t = threading.Timer(0, self.load)
        self.t.start()

    def load(self):
        import random

        headers = list("ABCDEFG")
        data = [random.sample(range(255), len(headers)) for _ in headers]

        for d in data:
            d[5] = random.choice(["Ready for QC", "In Progress", "Pending", "In QC"])

        df = pd.DataFrame(data, columns=headers,)

        self.dataFrameChanged.emit(df)
        self.t = threading.Timer(5.0, self.load)
        self.t.start()

    def stop(self):
        self.t.cancel()


class PandasModel(QAbstractTableModel):
    def __init__(self, df=pd.DataFrame()):
        QAbstractTableModel.__init__(self)
        self._df = df

    @pyqtSlot(pd.DataFrame)
    def setDataFrame(self, df):
        self.beginResetModel()
        self._df = df
        self.endResetModel()

    def rowCount(self, parent=None):
        return self._df.shape[0]

    def columnCount(self, parent=None):
        return self._df.shape[1]

    def data(self, index, role=Qt.DisplayRole):
        if index.isValid():
            if role == Qt.BackgroundRole:
                if self.columnCount() >= 6:
                    it = self._df.iloc[index.row(), 5]
                    if it == "Ready for QC":
                        return QBrush(Qt.yellow)
                    if it == "In Progress":
                        return QBrush(Qt.green)
            if role == Qt.DisplayRole:
                return str(self._df.iloc[index.row(), index.column()])

    def headerData(self, col, orientation, role):
        if orientation == Qt.Horizontal and role == Qt.DisplayRole:
            return self._df.columns[col]
        return None


if __name__ == "__main__":
    app = QApplication(sys.argv)
    w = QTableView()
    model = PandasModel()
    w.setModel(model)
    w.show()

    manager = PandasManager()
    manager.dataFrameChanged.connect(model.setDataFrame)
    manager.start()

    ret = app.exec_()

    manager.stop()

    sys.exit(ret)

该程序目前的外观

希望这能解释我的问题,因为我一直在努力解决如何使用 QGroupBox 以及如何添加 QTableView ,因为我正在以这种方式使用它。

亲切的问候,

PS:附上从excel文件中读取的代码

def load(self):
    weekNumber = date.today().isocalendar()[1]
    aux = pd.read_excel("PCS tasks 2020.xlsm", sheet_name="W" + str(weekNumber))
    today = datetime.today()
    df = aux[aux["Date Received"] == today.strftime("%Y-%d-%m")]
    df = df[
        [
            "Requestor",
            "Subject",
            "Task type",
            "Created by",
            "QC Executive",
            "Status",
        ]
    ].fillna("")
    df = df[df["Status"] != "Completed"]
    self.dataFrameChanged.emit(df)
    self.t = threading.Timer(5.0, self.load)
    self.t.start()
4

1 回答 1

0

正如QGroupBox 文档的示例所示,您必须使用允许您分发小部件(QGridLayout、QHBoxLayout、QVBoxLayout 等)并将其设置在 QGroupBox 中的布局:

if __name__ == "__main__":
    app = QApplication(sys.argv)

    w = QTableView()
    model = PandasModel()
    w.setModel(model)

    groupbox = QGroupBox()
    lay = QVBoxLayout()
    lay.addWidget(w)
    groupbox.setLayout(lay)
    groupbox.show()

    manager = PandasManager()
    manager.dataFrameChanged.connect(model.setDataFrame)
    manager.start()

    ret = app.exec_()

    manager.stop()

    sys.exit(ret)
于 2020-01-28T15:14:13.353 回答