如何以不同的方式处理项目的复选框与其文本的点击事件? (PyQt/PySide/Qt)

问题描述 投票:0回答:2

我有一个

QStandardItemModel
,其中每个项目都是可检查的。我希望一方面在单击该项目的复选框时调用不同的插槽,另一方面在单击其文本时调用不同的插槽。我的最终目标是进行文本编辑和复选框状态的更改,分别转到
QUndoStack

在我重新实现

clicked
时,我想以不同的方式对待复选框单击和文本单击。到目前为止,我还没有找到方法在文档中区分
QCheckBox
QStandardItem.
的这些事件,虽然
QCheckBox
有一个我可以使用的
toggled
信号,但我不确定如何专门监听点击在文本区域。

我试图避免手动设置坐标,然后监听项目视图的不同区域中的点击。

这似乎不像调用类似

itemChanged
那样简单,因为这只会给你项目的 new 状态,而不是之前的状态。根据前面的问题,我相信您需要某种方法将以前的状态打包到撤消堆栈中,以便您知道要恢复到什么。这就是我的目标
clicked
,但可能有更好的方法。

这个问题是本系列前两个问题的基础,其中我试图找出如何撤消模型中的操作:

pyqt pyside signals-slots undo-redo qstandarditemmodel
2个回答
4
投票

基于 ekhumoro 的建议 和代码块,我构建了

QStandardItemModel
的树视图,当项目发生更改时,它会发出自定义信号。该代码通过
setData
中的角色区分文本与复选框更改(对于文本,使用
Qt.EditRole
,对于复选框状态更改使用
Qt.CheckStateRole
):

# -*- coding: utf-8 -*-

from PySide import QtGui, QtCore
import sys

class CommandTextEdit(QtGui.QUndoCommand):
    def __init__(self, tree, item, oldText, newText, description):
        QtGui.QUndoCommand.__init__(self, description)
        self.item = item
        self.tree = tree
        self.oldText = oldText
        self.newText = newText

    def redo(self):      
        self.item.model().itemDataChanged.disconnect(self.tree.itemDataChangedSlot) 
        self.item.setText(self.newText)
        self.item.model().itemDataChanged.connect(self.tree.itemDataChangedSlot) 

    def undo(self):
        self.item.model().itemDataChanged.disconnect(self.tree.itemDataChangedSlot) 
        self.item.setText(self.oldText)
        self.item.model().itemDataChanged.connect(self.tree.itemDataChangedSlot) 


class CommandCheckStateChange(QtGui.QUndoCommand):
    def __init__(self, tree, item, oldCheckState, newCheckState, description):
        QtGui.QUndoCommand.__init__(self, description)
        self.item = item
        self.tree = tree
        self.oldCheckState = QtCore.Qt.Unchecked if oldCheckState == 0 else QtCore.Qt.Checked
        self.newCheckState = QtCore.Qt.Checked if oldCheckState == 0 else QtCore.Qt.Unchecked

    def redo(self): #disoconnect to avoid recursive loop b/w signal-slot
        self.item.model().itemDataChanged.disconnect(self.tree.itemDataChangedSlot) 
        self.item.setCheckState(self.newCheckState)
        self.item.model().itemDataChanged.connect(self.tree.itemDataChangedSlot) 

    def undo(self):
        self.item.model().itemDataChanged.disconnect(self.tree.itemDataChangedSlot)
        self.item.setCheckState(self.oldCheckState)
        self.item.model().itemDataChanged.connect(self.tree.itemDataChangedSlot) 


class StandardItemModel(QtGui.QStandardItemModel):
    itemDataChanged = QtCore.Signal(object, object, object, object)


class StandardItem(QtGui.QStandardItem):
    def setData(self, newValue, role=QtCore.Qt.UserRole + 1):
        if role == QtCore.Qt.EditRole:
            oldValue = self.data(role)
            QtGui.QStandardItem.setData(self, newValue, role)
            model = self.model()
            #only emit signal if newvalue is different from old
            if model is not None and oldValue != newValue:
                model.itemDataChanged.emit(self, oldValue, newValue, role)
            return True
        if role == QtCore.Qt.CheckStateRole:
            oldValue = self.data(role)
            QtGui.QStandardItem.setData(self, newValue, role)
            model = self.model()
            if model is not None and oldValue != newValue:
                model.itemDataChanged.emit(self, oldValue, newValue, role)
            return True
        QtGui.QStandardItem.setData(self, newValue, role)


class UndoableTree(QtGui.QWidget):
    def __init__(self, parent = None):
        QtGui.QWidget.__init__(self, parent = None)
        self.setAttribute(QtCore.Qt.WA_DeleteOnClose)
        self.view = QtGui.QTreeView()
        self.model = self.createModel()
        self.view.setModel(self.model)
        self.view.expandAll()
        self.undoStack = QtGui.QUndoStack(self)
        undoView = QtGui.QUndoView(self.undoStack)
        buttonLayout = self.buttonSetup()
        mainLayout = QtGui.QHBoxLayout(self)
        mainLayout.addWidget(undoView)
        mainLayout.addWidget(self.view)
        mainLayout.addLayout(buttonLayout)
        self.setLayout(mainLayout)
        self.makeConnections()

    def makeConnections(self):
        self.model.itemDataChanged.connect(self.itemDataChangedSlot)
        self.quitButton.clicked.connect(self.close)
        self.undoButton.clicked.connect(self.undoStack.undo)
        self.redoButton.clicked.connect(self.undoStack.redo)

    def itemDataChangedSlot(self, item, oldValue, newValue, role):
        if role == QtCore.Qt.EditRole:
            command = CommandTextEdit(self, item, oldValue, newValue,
                "Text changed from '{0}' to '{1}'".format(oldValue, newValue))
            self.undoStack.push(command)
            return True
        if role == QtCore.Qt.CheckStateRole:
            command = CommandCheckStateChange(self, item, oldValue, newValue, 
                "CheckState changed from '{0}' to '{1}'".format(oldValue, newValue))
            self.undoStack.push(command)
            return True

    def buttonSetup(self):
        self.undoButton = QtGui.QPushButton("Undo")
        self.redoButton = QtGui.QPushButton("Redo")
        self.quitButton = QtGui.QPushButton("Quit")
        buttonLayout = QtGui.QVBoxLayout()
        buttonLayout.addStretch()
        buttonLayout.addWidget(self.undoButton)
        buttonLayout.addWidget(self.redoButton)
        buttonLayout.addStretch()
        buttonLayout.addWidget(self.quitButton)
        return buttonLayout

    def createModel(self):
        model = StandardItemModel()
        model.setHorizontalHeaderLabels(['Titles', 'Summaries'])
        rootItem = model.invisibleRootItem()
        item0 = [StandardItem('Title0'), StandardItem('Summary0')]
        item00 = [StandardItem('Title00'), StandardItem('Summary00')]
        item01 = [StandardItem('Title01'), StandardItem('Summary01')]
        item0[0].setCheckable(True)
        item00[0].setCheckable(True)
        item01[0].setCheckable(True)
        rootItem.appendRow(item0)
        item0[0].appendRow(item00)
        item0[0].appendRow(item01)
        return model


def main():
    app = QtGui.QApplication(sys.argv)
    newTree = UndoableTree()
    newTree.show()
    sys.exit(app.exec_())    

if __name__ == "__main__":
    main()

2
投票

clicked
信号似乎是完全错误的跟踪变化的方式。您将如何处理通过键盘所做的更改?那么以编程方式进行的更改又如何呢?为了使撤消堆栈正常工作,必须记录每个更改,并且按照其进行的顺序完全相同。

如果您使用

QStandardItemModel
,则
itemChanged
信号几乎正是您想要的。但它的主要问题是,虽然它发送了更改的“item”,但它没有为您提供有关“更改内容”的信息。所以看起来您需要进行一些子类化并发出一个自定义信号来执行此操作: class StandardItemModel(QtGui.QStandardItemModel): itemDataChanged = QtCore.Signal(object, object, object) class StandardItem(QtGui.QStandardItem): def setData(self, newValue, role=QtCore.Qt.UserRole + 1): oldValue = self.data(role) QtGui.QStandardItem.setData(self, newValue, role) model = self.model() if model is not None: model.itemDataChanged.emit(oldValue, newvValue, role) 请注意,只有在项目添加到模型中

之后
所做的更改才会发出信号。

© www.soinside.com 2019 - 2024. All rights reserved.