我正在使用PyQt开发一个UI,其中我的Qcombobox中的单个项目可以有逗号分隔的两个或三个单词。因此,例如,项目1可以是' Text1,Text2,Text3 ',项目2将是' Text4,Text5 '。
我想要做的是为itemText中的','分隔的项目提供多种背景颜色。因此,如果是第1项(' Text1,Text2,Text3 '),我需要在 Text1 后面添加一种颜色,这是 Text2 之后的另一种颜色以及 Text3 后面的第三个。同样,第2项将有2种背景颜色。
我正在考虑使用rtf格式,但无法想办法为一个项目行提供多种颜色。
感谢您的帮助。
答案 0 :(得分:4)
执行此操作的一种方法是使用QTextDocument为组合框项目呈现富文本(通过自定义delegate),并将富文本格式转换回纯文本格式组合框的当前文本(通过其paint event)。
这将允许您使用html作为项目文本,如下所示:
self.combo = RichTextCombo(self)
self.combo.addItem("""
<span style="background-color: blue">Blue</span>
<span style="background-color: red">Red</span>
""")
这是组合框类:
class RichTextCombo(QtGui.QComboBox):
def __init__(self, *args, **kwargs):
super(RichTextCombo, self).__init__(*args, **kwargs)
self._document = QtGui.QTextDocument(self)
self._delegate = RichTextDelegate(self)
self.setItemDelegate(self._delegate)
self.setSizeAdjustPolicy(
QtGui.QComboBox.AdjustToMinimumContentsLength)
def paintEvent(self, event):
painter = QtGui.QStylePainter(self)
painter.setPen(self.palette().color(QtGui.QPalette.Text))
options = QtGui.QStyleOptionComboBox()
self.initStyleOption(options)
self._document.setHtml(options.currentText)
options.currentText = self._document.toPlainText()
painter.drawComplexControl(QtGui.QStyle.CC_ComboBox, options)
painter.drawControl(QtGui.QStyle.CE_ComboBoxLabel, options)
这是自定义项目委托:
class RichTextDelegate(QtGui.QStyledItemDelegate):
def __init__(self, *args, **kwargs):
super(RichTextDelegate, self).__init__(*args, **kwargs)
self._document = QtGui.QTextDocument(self)
def paint(self, painter, option, index):
options = QtGui.QStyleOptionViewItemV4(option)
self.initStyleOption(options, index)
if options.widget is not None:
style = options.widget.style()
else:
style = QtGui.QApplication.style()
self._document.setHtml(options.text)
options.text = ''
style.drawControl(QtGui.QStyle.CE_ItemViewItem, options, painter)
context = QtGui.QAbstractTextDocumentLayout.PaintContext()
if options.state & QtGui.QStyle.State_Selected:
context.palette.setColor(
QtGui.QPalette.Text, options.palette.color(
QtGui.QPalette.Active, QtGui.QPalette.HighlightedText))
textRect = style.subElementRect(
QtGui.QStyle.SE_ItemViewItemText, options)
painter.save()
painter.translate(textRect.topLeft())
painter.setClipRect(textRect.translated(-textRect.topLeft()))
self._document.documentLayout().draw(painter, context)
painter.restore()
def sizeHint(self, option, index):
options = QtGui.QStyleOptionViewItemV4(option)
self.initStyleOption(options,index)
self._document.setHtml(options.text)
self._document.setTextWidth(options.rect.width())
return QtCore.QSize(self._document.idealWidth(),
self._document.size().height())