我正在使用 Qt5 开发一个简单的文本编辑器程序。我的编辑器组件是 的子类QPlainTextEdit
,对于一些基本功能,我从这个 Qt 演示程序中窃取了一些代码。似乎相互干扰的两个功能是突出显示编辑器当前行的代码(它连接到文本编辑的cursorPositionChanged()
信号,就像演示所示):
QList<QTextEdit::ExtraSelection> es;
QTextEdit::ExtraSelection selection;
selection.format.setBackground(currentLineHighlight);
selection.format.setProperty(QTextFormat::FullWidthSelection, true);
selection.cursor = textCursor();
selection.cursor.clearSelection();
es.append(selection);
setExtraSelections(es);
我编写的代码执行了非常常见的“当您在选择多行时点击制表符时缩进所有行”的事情:
QTextCursor curs = textCursor();
if(!curs.hasSelection())
return;
// Get the first and count of lines to indent.
int spos = curs.anchor(), epos = curs.position();
if(spos > epos)
{
int hold = spos;
spos = epos;
epos = hold;
}
curs.setPosition(spos, QTextCursor::MoveAnchor);
int sblock = curs.block().blockNumber();
curs.setPosition(epos, QTextCursor::MoveAnchor);
int eblock = curs.block().blockNumber();
// Do the indent.
curs.setPosition(spos, QTextCursor::MoveAnchor);
curs.beginEditBlock();
for(int i = 0; i <= (eblock - sblock); ++i)
{
curs.movePosition(QTextCursor::StartOfBlock, QTextCursor::MoveAnchor);
curs.insertText("\t");
curs.movePosition(QTextCursor::NextBlock, QTextCursor::MoveAnchor);
}
curs.endEditBlock();
// Set our cursor's selection to span all of the involved lines.
curs.setPosition(spos, QTextCursor::MoveAnchor);
curs.movePosition(QTextCursor::StartOfBlock, QTextCursor::MoveAnchor);
while(curs.block().blockNumber() < eblock)
{
curs.movePosition(QTextCursor::NextBlock, QTextCursor::KeepAnchor);
}
curs.movePosition(QTextCursor::EndOfBlock, QTextCursor::KeepAnchor);
setTextCursor(curs);
这两个功能都运行良好 - 至少在大多数情况下。当我执行以下操作时,似乎有一个涉及这两个的奇怪错误:
- 选择几行,然后点击 tab,这会像我预期的那样缩进它们。
- 撤消该操作。
此时,在缩进的那组行的最后一行上,行高亮并没有像往常那样一直延伸到编辑器——它只延伸到行尾。如果我将光标移动到该行的末尾,然后按“Enter”,它就可以解决问题。
我已经尝试了几件事来尝试诊断这个问题,包括尝试移动光标和/或锚点而不是仅仅调用clearSelection()
高亮函数,并尝试检查/迭代QTextBlock
组成编辑器文档的 s 以尝试找到一些差异,但在这一点上我不知所措。我根本无法让这段代码按照我期望的方式运行。
我发现现在渲染不正确的行可以“修复”,但是可以向该行添加任何字符,或者通过调整窗口大小。
setTextCursor
此外,如果我在缩进函数结束时删除调用,这个错误仍然会发生。
这两件事让我相信这个错误与文本光标或文档内容无关,所以在这一点上,我倾向于认为它是 Qt 渲染额外选择的错误。
有谁看到我哪里出错了?