使用PyQt5,我试图使用QItemDelegate在表的单元格中显示图标而不是文本字符串。本质上,我使用以下命令构造了QItemDelegate的子类:
de = MyDelegate(self.attribute_table_view)
dself.attribute_table_view
是一个'QTableView'对象。
我尝试使用以下方法在特定列的每个单元格中绘制一个图标:
class MyDelegate(QItemDelegate):
def __init__(self, parent=None, *args):
QItemDelegate.__init__(self, parent, *args)
def paint(self, painter, option, index):
painter.save()
value = index.data(Qt.DisplayRole)
line_1x = QPixmap('line_1x.png')
painter.setBrush(Qt.gray)
painter.setPen(Qt.black)
painter.drawPixmap(QRectF(0, 0, 48, 24), line_1x, QRectF(0, 0, 48, 24))
painter.restore()
如何使用painter.drawPixmap()
告诉它像使用painter.drawText(option.rect, Qt.AlignVCenter, value)
所实现的那样在表格的每个单元格中绘制?
此外,我注意到如果输入的.png文件不存在文件名,则当前脚本不会报告任何错误。如果.png文件不存在,是否应该报告错误?
我当前的模型是QgsAttributeTableModel,我想用图标的一栏呈现一列中所有单元格的当前字符串值,其中所使用的图标取决于字符串值。
答案 0 :(得分:2)
在此答案中,我将展示几种方法,您可以根据问题的复杂程度进行选择。
逻辑是加载一次图标,并将其作为属性传递给委托,然后根据您的逻辑,获取列表的图标,因为它可以修改get_icon()
方法。然后通过QIcon的paint()
方法绘制图标。
class MyDelegate(QtWidgets.QStyledItemDelegate):
def __init__(self, icons, parent=None):
super(MyDelegate, self).__init__(parent)
self._icons = icons
def get_icon(self, index):
# get the icon according to the condition:
# In this case, for example,
# the icon will be repeated periodically
icon = self._icons[ index.row() % len(self._icons) ]
return icon
def paint(self, painter, option, index):
icon = self.get_icon(index)
icon.paint(painter, option.rect, QtCore.Qt.AlignCenter)
如何重用列,必须使用setItemDelegateForColumn()
方法将委托设置为列
self.attribute_table_view = QtWidgets.QTableView()
self.attribute_table_view.setModel(your_model)
column_icon = 1
icons = [QtGui.QIcon(QtCore.QDir.current().absoluteFilePath(name)) for name in ["clear.png", "heart.png","marker.png", "pen.png"]]
delegate = MyDelegate(icons, self.attribute_table_view)
self.attribute_table_view.setItemDelegateForColumn(column_icon, delegate)
我注意到,如果输入的.png文件不存在文件名,则当前脚本不会报告任何错误。如果.png文件不存在,是否应该报告错误?
如果文件不存在,Qt不会通知您,您必须使用isNull()
函数进行验证。有两种通知方式:
1.第一个是返回一个布尔值,指示是否加载了数据,但是当使用构造函数时,它仅返回构造的对象并抛出。
尤其是Qt通知存在错误的另一种方式是通过信号,但是这些信号仅用于QObject和QIcon,QPixmap,QImage不是QObjects。
因此,总而言之,验证或不验证的责任落在开发人员身上。