我尝试使用PyQt4实现语法突出显示。我尝试过的示例工作正常,但只要我将其应用到应用程序中,突出显示就会停止工作。
我已经创建了一个最小的示例来重新创建下面的问题。我删除了除注释之外的所有正则表达式:从#开头的行应该是粗体和绿色:
from PyQt4 import QtGui, QtCore
class Highlighter(QtGui.QSyntaxHighlighter):
def __init__(self, document):
QtGui.QSyntaxHighlighter.__init__(self, document)
rules = []
style = QtGui.QTextCharFormat()
style.setForeground(QtGui.QColor('darkGreen'))
style.setFontWeight(QtGui.QFont.Bold)
rules.append((r'#[^\n]*', style))
self._rules = [(QtCore.QRegExp(pat), fmt) for (pat, fmt) in rules]
def highlightBlock(self, text):
for (pattern, style) in self._rules:
i = pattern.indexIn(text, 0)
while i >= 0:
n = pattern.matchedLength()
self.setFormat(i, n, style)
i = pattern.indexIn(text, i + n)
self.setCurrentBlockState(0)
如果我这样使用它,荧光笔工作正常:
app = QtGui.QApplication([])
editor = QtGui.QPlainTextEdit()
highlight = Highlighter(editor.document())
editor.show()
app.exec_()
但是当我在QMainWindow中使用它时失败,就像这样:
class MainWindow(QtGui.QMainWindow):
def __init__(self):
super(MainWindow, self).__init__()
editor = QtGui.QPlainTextEdit()
highlighter = Highlighter(editor.document())
self.setCentralWidget(editor)
app = QtGui.QApplication([])
window = MainWindow()
window.show()
app.exec_()
有谁能告诉我我做错了什么?
感谢, 迈克尔
答案 0 :(得分:2)
您需要保留对荧光笔的引用。所以就这样做:
self.highlighter = Highlighter(editor.document())
修改强>:
更确切地说:您需要保留对QSyntaxHighlighter
子类的 python 部分的引用。传递给构造函数的父对象将获得荧光笔的所有权,但Qt显然也不会自动管理python部分。
这是真正的区别:
print(repr(self.editor.document().children())) ...
# without keeping a reference
[<PyQt4.QtGui.QPlainTextDocumentLayout object at 0x7f8590909b88>
<PyQt4.QtGui.QSyntaxHighlighter object at 0x7f8590909c18>]
# with a reference
[<PyQt4.QtGui.QPlainTextDocumentLayout object at 0x7f56b7898c18>,
<__main__.Highlighter object at 0x7f56b7898a68>]
因此,除非您保留参考,否则您的重新实现的highlightBlock
函数将对Qt不可见。