如何过滤掉单个项目,而不仅仅是在行和列的基础上?

Posted

技术标签:

【中文标题】如何过滤掉单个项目,而不仅仅是在行和列的基础上?【英文标题】:How to filter out individual items instead of just on a row and column basis? 【发布时间】:2019-04-23 03:41:48 【问题描述】:

我正在尝试根据字符串匹配过滤掉表中的项目。

我有一个 QTableView 显示代理模型以允许过滤,但是如果 (0,0) 和 (1,1) 中的项目与我的字符串匹配但项目 (1,0) 不匹配,它仍然会被显示。

例如:

from PySide.QtGui import *
from PySide.QtCore import *


class CustomProxyFilter(QSortFilterProxyModel):

    def __init__(self):
        super(CustomProxyFilter, self).__init__()

    def filterAcceptsColumn(self, source_column, parent):
        """Re-implementing built-in to hide columns with non matches."""
        model = self.sourceModel()
        matched_string = self.filterRegExp().pattern().lower()
        for row in range(model.rowCount()):
            item = model.item(row, source_column)
            if item and matched_string in model.item(row, source_column).text().lower():
                return True
        return False


class CustomTableView(QTableView):
    """Table view."""
    def __init__(self, line_edit):
        super(CustomTableView, self).__init__()

        custom_model = StandardTableModel()

        items = ["apple", "banana", "applebanana"]
        for i, item in enumerate(items):
            for v, second_item in enumerate(items):
                custom_model.setItem(i, v, QStandardItem(item))
        self.proxy_model = CustomProxyFilter()
        self.proxy_model.setSourceModel(custom_model)
        self.setModel(self.proxy_model)


        line_edit.textChanged.connect(self.proxy_model.setFilterRegExp)


class Window(QWidget):

    def __init__(self):
        super(Window, self).__init__()
        self.setLayout(QVBoxLayout())
        self.line_edit = QLineEdit()
        self.layout().addWidget(self.line_edit)
        self.layout().addWidget(CustomTableView(self.line_edit))

我希望我的桌子看起来像这样

a|b|c
-----
c|a|b

通过“a”过滤后的结果表将是

a|a

我目前的解决方案显示。

a|b
---
c|a

更新其他案例

a|a|c
-----
a|x|b
-----
c|b|a

变成

a|a|a
-----
a

这个案例

a|a|y|c
-------
a|a|w|a
-------
c|a|w|w

变成

a|a|a|a
-----
a|a|

基本上每个项目都会在可能的情况下向左上角移动。当他们是不同的名字时,他们会像这样按字母顺序排列自己

1|2|3|4
-------
5|6|7|8

【问题讨论】:

好的,现在我明白了。你想要一切都向上然后向左。虽然我觉得有点复杂 如果它更容易,它也可以工作,如果至少有那么多匹配,列数总是一致的。例如,在最后一种情况下,第一行的每一列都有一个 a,第二行有一个 2。 问题不是列数或行数,问题是项的位移。 现在您是否更改了订购标准?还有其他变化吗? 对不起,我正在阅读它并意识到我犯了一个错误。你展示的东西看起来很完美,会试试看! 【参考方案1】:

为了实现您的要求,我通过以下方式实现了几个连接代理:

model-->Table2ListProxyModel-->QSortFilterProxyModel-->List2TableProxyModel

思路是将其转换为列表的结构,因为过滤一行相当于过滤一个项目,相同的代理对其排序,然后我们将列表转换为表格。

import math
from PySide import QtCore, QtGui


class Table2ListProxyModel(QtGui.QSortFilterProxyModel):
    def columnCount(self, parent=QtCore.QModelIndex()):
        return 1

    def rowCount(self, parent=QtCore.QModelIndex()):
        if parent.isValid():
            return 0
        return self.sourceModel().rowCount() * self.sourceModel().columnCount()

    def mapFromSource(self, sourceIndex):
        if (
            sourceIndex.isValid()
            and sourceIndex.column() == 0
            and sourceIndex.row() < self.rowCount()
        ):
            r = sourceIndex.row()
            c = sourceIndex.column()
            row = c * sourceIndex.model().columnCount() + r
            return self.index(row, 0)
        return QtCore.QModelIndex()

    def mapToSource(self, proxyIndex):
        r = proxyIndex.row() / self.sourceModel().columnCount()
        c = proxyIndex.row() % self.sourceModel().columnCount()
        return self.sourceModel().index(r, c)

    def index(self, row, column, parent=QtCore.QModelIndex()):
        return self.createIndex(row, column)


class List2TableProxyModel(QtGui.QSortFilterProxyModel):
    def __init__(self, columns=1, parent=None):
        super(List2TableProxyModel, self).__init__(parent)
        self._columns = columns

    def columnCount(self, parent=QtCore.QModelIndex()):
        r = self.sourceModel().rowCount()
        if r < self._columns:
            return r
        return self._columns

    def rowCount(self, parent=QtCore.QModelIndex()):
        if parent.isValid():
            return 0
        row = math.ceil(self.sourceModel().rowCount()*1.0 / self._columns)
        return row

    def index(self, row, column, parent=QtCore.QModelIndex()):
        return self.createIndex(row, column)

    def data(self, index, role=QtCore.Qt.DisplayRole):
        r = index.row()
        c = index.column()
        row = r * self.columnCount() + c
        if row < self.sourceModel().rowCount():
            return super(List2TableProxyModel, self).data(index, role)

    def mapFromSource(self, sourceIndex):
        r = math.ceil(sourceIndex.row()*1.0 / self.columnCount())
        c = sourceIndex.row() % self.columnCount()
        return self.index(r, c)

    def mapToSource(self, proxyIndex):
        if proxyIndex.isValid():
            r = proxyIndex.row()
            c = proxyIndex.column()
            row = r * self.columnCount() + c
            return self.sourceModel().index(row, 0)
        return QtCore.QModelIndex()

    def setSourceModel(self, model):
        model.rowsRemoved.connect(self.reset_model)
        model.rowsInserted.connect(self.reset_model)
        model.dataChanged.connect(self.reset_model)
        model.rowsMoved.connect(self.reset_model)
        model.layoutChanged.connect(self.reset_model)
        model.modelReset.connect(self.reset_model)
        super(List2TableProxyModel, self).setSourceModel(model)

    @QtCore.Slot()
    def reset_model(self):
        QtCore.QTimer.singleShot(0, self.invalidate)

    def headerData(self, section, orientation, role=QtCore.Qt.DisplayRole):
        if role == QtCore.Qt.DisplayRole:
            return str(section)
        return super(List2TableProxyModel, self).headerData(
            section, orientation, role
        )


class CustomTableView(QtGui.QTableView):
    def __init__(self, parent=None):
        super(CustomTableView, self).__init__(parent)
        custom_model = QtGui.QStandardItemModel()
        datas = (("ad", "cd", "ef"), ("ab", "ce", "eg"), ("aa", "cb", "eh"))
        for i, data in enumerate(datas):
            for v, text in enumerate(data):
                custom_model.setItem(i, v, QtGui.QStandardItem(text))
        self.proxy_list = Table2ListProxyModel(self)
        self.proxy_list.setSourceModel(custom_model)
        self.proxy_sort_filter = QtGui.QSortFilterProxyModel(self)
        self.proxy_sort_filter.setSourceModel(self.proxy_list)
        self.proxy_table = List2TableProxyModel(
            columns=custom_model.columnCount(), parent=self
        )
        self.proxy_table.setSourceModel(self.proxy_sort_filter)

        self.setModel(self.proxy_table)

    @QtCore.Slot(str)
    def setFilter(self, text):
        self.proxy_sort_filter.setFilterWildcard(
            "**".format(text) if text else ""
        )
        self.proxy_sort_filter.sort(0 if text else -1, QtCore.Qt.AscendingOrder)


class Window(QtGui.QWidget):
    def __init__(self):
        super(Window, self).__init__()

        self.line_edit = QtGui.QLineEdit()
        self.tableview = CustomTableView()

        lay = QtGui.QVBoxLayout(self)
        lay.addWidget(self.line_edit)
        lay.addWidget(self.tableview)
        self.line_edit.textChanged.connect(self.tableview.setFilter)


if __name__ == "__main__":
    import sys

    app = QtGui.QApplication(sys.argv)
    w = Window()
    w.show()
    sys.exit(app.exec_())

【讨论】:

不会为每一行返回 true 使其过滤/隐藏每一行吗?我尝试实现这一点,但一切都被隐藏了。 对不起,我认为有些混乱。我希望对每个项目进行过滤,因此检查每一行和每一列。我遇到的问题是,如果第一行中的项目与我的字符串匹配,并且第二行中的项目和第二列匹配,则第二行中的项目,第一列也会自动显示。 是否可以对代理模型中的项目进行重新排序,以便将不匹配的项目移动到没有任何匹配项的列中作为解决方法? 我试过了,但是它增加了一个额外的复杂性,即当列表模型没有任何匹配时,它仍然占用空间并推出匹配。我刚刚发布了一个关于如何查询匹配数的附加问题,这将允许使用零匹配来隐藏整个列表。 ***.com/questions/55836727/… 当我运行您的更新时,所有内容都显示为列表而不是表格。我确实尝试过使用多个 QListViews 来构建一个表,并且该表适用于过滤。

以上是关于如何过滤掉单个项目,而不仅仅是在行和列的基础上?的主要内容,如果未能解决你的问题,请参考以下文章

使用 Python pyqt4 获取 QTableWidget 中特定行和列的单元格突出显示

请问如何获得GridView选中行的每一列的信息?

如何根据行Spark DataFrame的数组值创建新的行和列[重复]

具有多个固定行和列的 HTML 表格

如何根据pyspark中的行和列条件过滤多行

在 pandas 中,如何在具有匹配行和列的 3 个单独数据帧之间建立相关矩阵?