我正在使用pyqt5表小部件开发python GUI。如何获得所选区域的行和列位置?实际上,在默认的PyQt5表格窗口小部件中,所选区域以蓝色突出显示。我怎样才能得到蓝色的行和列的坐标?谢谢

最佳答案

有几种获取行和列的方法:


使用selectedIndexes()方法。


for ix in tablewidget.selectedIndexes():
    print(ix.row(), ix.column())



使用selectedItems()方法,与以前的方法不同,它不会返回空项目。


for it in tablewidget.selectedItems():
    print(it.row(), it.column())


如果要在选择时获取行和列,则必须使用与QTableWidget关联的selectionModel的selectionChanged信号。与以前的方法不同,这还会返回取消选择的项目。

from PyQt5 import QtCore, QtGui, QtWidgets


class MainWindow(QtWidgets.QMainWindow):
    def __init__(self, parent=None):
        super(MainWindow, self).__init__(parent)
        self.table = QtWidgets.QTableWidget(6, 6)
        self.setCentralWidget(self.table)
        self.table.selectionModel().selectionChanged.connect(
            self.on_selectionChanged
        )

    @QtCore.pyqtSlot(QtCore.QItemSelection, QtCore.QItemSelection)
    def on_selectionChanged(self, selected, deselected):
        print("=====Selected=====")
        for ix in selected.indexes():
            print(ix.row(), ix.column())
        print("=====Deselected=====")
        for ix in deselected.indexes():
            print(ix.row(), ix.column())


if __name__ == "__main__":
    import sys

    app = QtWidgets.QApplication(sys.argv)
    w = MainWindow()
    w.show()
    sys.exit(app.exec_())

09-25 21:00