/************************************************************************** ** ** This file is part of Qt Creator ** ** Copyright (c) 2012 Nokia Corporation and/or its subsidiary(-ies). ** ** Contact: Nokia Corporation (qt-info@nokia.com) ** ** ** GNU Lesser General Public License Usage ** ** This file may be used under the terms of the GNU Lesser General Public ** License version 2.1 as published by the Free Software Foundation and ** appearing in the file LICENSE.LGPL included in the packaging of this file. ** Please review the following information to ensure the GNU Lesser General ** Public License version 2.1 requirements will be met: ** http://www.gnu.org/licenses/old-licenses/lgpl-2.1.html. ** ** In addition, as a special exception, Nokia gives you certain additional ** rights. These rights are described in the Nokia Qt LGPL Exception ** version 1.1, included in the file LGPL_EXCEPTION.txt in this package. ** ** Other Usage ** ** Alternatively, this file may be used in accordance with the terms and ** conditions contained in a signed written agreement between you and Nokia. ** ** If you have questions regarding the use of this file, please contact ** Nokia at qt-info@nokia.com. ** **************************************************************************/ #include "texteditor_global.h" #include "basetextdocument.h" #include "basetextdocumentlayout.h" #include "basetexteditor_p.h" #include "behaviorsettings.h" #include "codecselector.h" #include "completionsettings.h" #include "tabsettings.h" #include "typingsettings.h" #include "icodestylepreferences.h" #include "texteditorconstants.h" #include "texteditorplugin.h" #include "syntaxhighlighter.h" #include "tooltip.h" #include "tipcontents.h" #include "indenter.h" #include "autocompleter.h" #include "snippet.h" #include "codeassistant.h" #include "defaultassistinterface.h" #include "convenience.h" #include "texteditorsettings.h" #include "texteditoroverlay.h" #include "circularclipboard.h" #include #include #include #include #include #include #include #include #include #include #include #include #include #include #include #include #include #include #include #include #include #include #include #include #include #include #include #include #include #include #include #include #include #include #include #include #include #include #include #include #include #include #include #include //#define DO_FOO /*! \namespace TextEditor \brief The TextEditor namespace contains the base text editor and several classes which provide supporting functionality like snippets, highlighting, \l{CodeAssist}{code assist}, indentation and style, and others. */ /*! \namespace TextEditor::Internal \internal */ using namespace TextEditor; using namespace TextEditor::Internal; namespace TextEditor { namespace Internal { class TextEditExtraArea : public QWidget { BaseTextEditorWidget *textEdit; public: TextEditExtraArea(BaseTextEditorWidget *edit):QWidget(edit) { textEdit = edit; setAutoFillBackground(true); } public: QSize sizeHint() const { return QSize(textEdit->extraAreaWidth(), 0); } protected: void paintEvent(QPaintEvent *event){ textEdit->extraAreaPaintEvent(event); } void mousePressEvent(QMouseEvent *event){ textEdit->extraAreaMouseEvent(event); } void mouseMoveEvent(QMouseEvent *event){ textEdit->extraAreaMouseEvent(event); } void mouseReleaseEvent(QMouseEvent *event){ textEdit->extraAreaMouseEvent(event); } void leaveEvent(QEvent *event){ textEdit->extraAreaLeaveEvent(event); } void contextMenuEvent(QContextMenuEvent *event) { textEdit->extraAreaContextMenuEvent(event); } void wheelEvent(QWheelEvent *event) { QCoreApplication::sendEvent(textEdit->viewport(), event); } }; } // namespace Internal } // namespace TextEditor Core::IEditor *BaseTextEditorWidget::openEditorAt(const QString &fileName, int line, int column, const Core::Id &editorKind, Core::EditorManager::OpenEditorFlags flags, bool *newEditor) { Core::EditorManager *editorManager = Core::EditorManager::instance(); editorManager->cutForwardNavigationHistory(); editorManager->addCurrentPositionToNavigationHistory(); Core::IEditor *editor = editorManager->openEditor(fileName, editorKind, flags, newEditor); TextEditor::ITextEditor *texteditor = qobject_cast(editor); if (texteditor && line != -1) { texteditor->gotoLine(line, column); return texteditor; } return editor; } static void convertToPlainText(QString &txt) { QChar *uc = txt.data(); QChar *e = uc + txt.size(); for (; uc != e; ++uc) { switch (uc->unicode()) { case 0xfdd0: // QTextBeginningOfFrame case 0xfdd1: // QTextEndOfFrame case QChar::ParagraphSeparator: case QChar::LineSeparator: *uc = QLatin1Char('\n'); break; case QChar::Nbsp: *uc = QLatin1Char(' '); break; default: ; } } } static bool isModifierKey(int key) { return key == Qt::Key_Shift || key == Qt::Key_Control || key == Qt::Key_Alt || key == Qt::Key_Meta; } static const char kTextBlockMimeType[] = "application/vnd.nokia.qtcreator.blocktext"; static const char kVerticalTextBlockMimeType[] = "application/vnd.nokia.qtcreator.vblocktext"; BaseTextEditorWidget::BaseTextEditorWidget(QWidget *parent) : QPlainTextEdit(parent) { d = new BaseTextEditorWidgetPrivate; d->q = this; d->m_extraArea = new TextEditExtraArea(this); d->m_extraArea->setMouseTracking(true); setVerticalScrollBarPolicy(Qt::ScrollBarAlwaysOn); d->m_overlay = new TextEditorOverlay(this); d->m_snippetOverlay = new TextEditorOverlay(this); d->m_searchResultOverlay = new TextEditorOverlay(this); d->m_refactorOverlay = new RefactorOverlay(this); d->setupDocumentSignals(d->m_document); d->m_lastScrollPos = -1; // from RESEARCH setLayoutDirection(Qt::LeftToRight); viewport()->setMouseTracking(true); d->extraAreaSelectionAnchorBlockNumber = d->extraAreaToggleMarkBlockNumber = d->extraAreaHighlightFoldedBlockNumber = -1; d->visibleFoldedBlockNumber = d->suggestedVisibleFoldedBlockNumber = -1; connect(this, SIGNAL(blockCountChanged(int)), this, SLOT(slotUpdateExtraAreaWidth())); connect(this, SIGNAL(modificationChanged(bool)), this, SLOT(slotModificationChanged(bool))); connect(this, SIGNAL(cursorPositionChanged()), this, SLOT(slotCursorPositionChanged())); connect(this, SIGNAL(updateRequest(QRect,int)), this, SLOT(slotUpdateRequest(QRect,int))); connect(this, SIGNAL(selectionChanged()), this, SLOT(slotSelectionChanged())); // (void) new QShortcut(tr("CTRL+L"), this, SLOT(centerCursor()), 0, Qt::WidgetShortcut); // (void) new QShortcut(tr("F9"), this, SLOT(slotToggleMark()), 0, Qt::WidgetShortcut); // (void) new QShortcut(tr("F11"), this, SLOT(slotToggleBlockVisible())); #ifdef DO_FOO (void) new QShortcut(tr("CTRL+D"), this, SLOT(doFoo())); #endif // parentheses matcher d->m_formatRange = true; d->m_matchFormat.setForeground(Qt::red); d->m_rangeFormat.setBackground(QColor(0xb4, 0xee, 0xb4)); d->m_mismatchFormat.setBackground(Qt::magenta); d->m_parenthesesMatchingTimer = new QTimer(this); d->m_parenthesesMatchingTimer->setSingleShot(true); connect(d->m_parenthesesMatchingTimer, SIGNAL(timeout()), this, SLOT(_q_matchParentheses())); d->m_highlightBlocksTimer = new QTimer(this); d->m_highlightBlocksTimer->setSingleShot(true); connect(d->m_highlightBlocksTimer, SIGNAL(timeout()), this, SLOT(_q_highlightBlocks())); d->m_animator = 0; d->m_searchResultFormat.setBackground(QColor(0xffef0b)); slotUpdateExtraAreaWidth(); updateHighlights(); setFrameStyle(QFrame::NoFrame); d->m_delayedUpdateTimer = new QTimer(this); d->m_delayedUpdateTimer->setSingleShot(true); connect(d->m_delayedUpdateTimer, SIGNAL(timeout()), viewport(), SLOT(update())); d->m_moveLineUndoHack = false; } BaseTextEditorWidget::~BaseTextEditorWidget() { delete d; d = 0; } QString BaseTextEditorWidget::mimeType() const { return d->m_document->mimeType(); } void BaseTextEditorWidget::setMimeType(const QString &mt) { d->m_document->setMimeType(mt); } void BaseTextEditorWidget::print(QPrinter *printer) { const bool oldFullPage = printer->fullPage(); printer->setFullPage(true); QPrintDialog *dlg = new QPrintDialog(printer, this); dlg->setWindowTitle(tr("Print Document")); if (dlg->exec() == QDialog::Accepted) { d->print(printer); } printer->setFullPage(oldFullPage); delete dlg; } static int foldBoxWidth(const QFontMetrics &fm) { const int lineSpacing = fm.lineSpacing(); return lineSpacing + lineSpacing%2 + 1; } static void printPage(int index, QPainter *painter, const QTextDocument *doc, const QRectF &body, const QRectF &titleBox, const QString &title) { painter->save(); painter->translate(body.left(), body.top() - (index - 1) * body.height()); QRectF view(0, (index - 1) * body.height(), body.width(), body.height()); QAbstractTextDocumentLayout *layout = doc->documentLayout(); QAbstractTextDocumentLayout::PaintContext ctx; painter->setFont(QFont(doc->defaultFont())); QRectF box = titleBox.translated(0, view.top()); int dpix = painter->device()->logicalDpiX(); int dpiy = painter->device()->logicalDpiY(); int mx = 5 * dpix / 72.0; int my = 2 * dpiy / 72.0; painter->fillRect(box.adjusted(-mx, -my, mx, my), QColor(210, 210, 210)); if (!title.isEmpty()) painter->drawText(box, Qt::AlignCenter, title); const QString pageString = QString::number(index); painter->drawText(box, Qt::AlignRight, pageString); painter->setClipRect(view); ctx.clip = view; // don't use the system palette text as default text color, on HP/UX // for example that's white, and white text on white paper doesn't // look that nice ctx.palette.setColor(QPalette::Text, Qt::black); layout->draw(painter, ctx); painter->restore(); } void BaseTextEditorWidgetPrivate::print(QPrinter *printer) { QTextDocument *doc = q->document(); QString title = q->displayName(); if (title.isEmpty()) printer->setDocName(title); QPainter p(printer); // Check that there is a valid device to print to. if (!p.isActive()) return; doc = doc->clone(doc); QTextOption opt = doc->defaultTextOption(); opt.setWrapMode(QTextOption::WrapAtWordBoundaryOrAnywhere); doc->setDefaultTextOption(opt); (void)doc->documentLayout(); // make sure that there is a layout QColor background = q->palette().color(QPalette::Base); bool backgroundIsDark = background.value() < 128; for (QTextBlock srcBlock = q->document()->firstBlock(), dstBlock = doc->firstBlock(); srcBlock.isValid() && dstBlock.isValid(); srcBlock = srcBlock.next(), dstBlock = dstBlock.next()) { QList formatList = srcBlock.layout()->additionalFormats(); if (backgroundIsDark) { // adjust syntax highlighting colors for better contrast for (int i = formatList.count() - 1; i >=0; --i) { QTextCharFormat &format = formatList[i].format; if (format.background().color() == background) { QBrush brush = format.foreground(); QColor color = brush.color(); int h,s,v,a; color.getHsv(&h, &s, &v, &a); color.setHsv(h, s, qMin(128, v), a); brush.setColor(color); format.setForeground(brush); } format.setBackground(Qt::white); } } dstBlock.layout()->setAdditionalFormats(formatList); } QAbstractTextDocumentLayout *layout = doc->documentLayout(); layout->setPaintDevice(p.device()); int dpiy = p.device()->logicalDpiY(); int margin = (int) ((2/2.54)*dpiy); // 2 cm margins QTextFrameFormat fmt = doc->rootFrame()->frameFormat(); fmt.setMargin(margin); doc->rootFrame()->setFrameFormat(fmt); QRectF pageRect(printer->pageRect()); QRectF body = QRectF(0, 0, pageRect.width(), pageRect.height()); QFontMetrics fontMetrics(doc->defaultFont(), p.device()); QRectF titleBox(margin, body.top() + margin - fontMetrics.height() - 6 * dpiy / 72.0, body.width() - 2*margin, fontMetrics.height()); doc->setPageSize(body.size()); int docCopies; int pageCopies; if (printer->collateCopies() == true){ docCopies = 1; pageCopies = printer->numCopies(); } else { docCopies = printer->numCopies(); pageCopies = 1; } int fromPage = printer->fromPage(); int toPage = printer->toPage(); bool ascending = true; if (fromPage == 0 && toPage == 0) { fromPage = 1; toPage = doc->pageCount(); } // paranoia check fromPage = qMax(1, fromPage); toPage = qMin(doc->pageCount(), toPage); if (printer->pageOrder() == QPrinter::LastPageFirst) { int tmp = fromPage; fromPage = toPage; toPage = tmp; ascending = false; } for (int i = 0; i < docCopies; ++i) { int page = fromPage; while (true) { for (int j = 0; j < pageCopies; ++j) { if (printer->printerState() == QPrinter::Aborted || printer->printerState() == QPrinter::Error) goto UserCanceled; printPage(page, &p, doc, body, titleBox, title); if (j < pageCopies - 1) printer->newPage(); } if (page == toPage) break; if (ascending) ++page; else --page; printer->newPage(); } if ( i < docCopies - 1) printer->newPage(); } UserCanceled: delete doc; } int BaseTextEditorWidgetPrivate::visualIndent(const QTextBlock &block) const { if (!block.isValid()) return 0; const QTextDocument *document = block.document(); int i = 0; while (i < block.length()) { if (!document->characterAt(block.position() + i).isSpace()) { QTextCursor cursor(block); cursor.setPosition(block.position() + i); return q->cursorRect(cursor).x(); } ++i; } return 0; } ITextMarkable *BaseTextEditorWidget::markableInterface() const { return baseTextDocument()->documentMarker(); } BaseTextEditor *BaseTextEditorWidget::editor() const { if (!d->m_editor) { d->m_editor = const_cast(this)->createEditor(); d->m_codeAssistant->configure(d->m_editor); connect(this, SIGNAL(textChanged()), d->m_editor, SIGNAL(contentsChanged())); connect(this, SIGNAL(changed()), d->m_editor, SIGNAL(changed())); } return d->m_editor; } void BaseTextEditorWidget::selectEncoding() { BaseTextDocument *doc = d->m_document; CodecSelector codecSelector(this, doc); switch (codecSelector.exec()) { case CodecSelector::Reload: { QString errorString; if (!doc->reload(&errorString, codecSelector.selectedCodec())) { QMessageBox::critical(this, tr("File Error"), errorString); break; } break; } case CodecSelector::Save: doc->setCodec(codecSelector.selectedCodec()); Core::EditorManager::instance()->saveEditor(editor()); break; case CodecSelector::Cancel: break; } } QString BaseTextEditorWidget::msgTextTooLarge(quint64 size) { return tr("The text is too large to be displayed (%1 MB)."). arg(size >> 20); } bool BaseTextEditorWidget::createNew(const QString &contents) { if (contents.size() > Core::EditorManager::maxTextFileSize()) { setPlainText(msgTextTooLarge(contents.size())); document()->setModified(false); return false; } setPlainText(contents); document()->setModified(false); return true; } void BaseTextEditorWidget::updateCannotDecodeInfo() { setReadOnly(d->m_document->hasDecodingError()); if (d->m_document->hasDecodingError()) { Core::InfoBarEntry info( QLatin1String(Constants::SELECT_ENCODING), tr("Error: Could not decode \"%1\" with \"%2\"-encoding. Editing not possible.") .arg(displayName()).arg(QString::fromLatin1(d->m_document->codec()->name()))); info.setCustomButtonInfo(tr("Select Encoding"), this, SLOT(selectEncoding())); d->m_document->infoBar()->addInfo(info); } else { d->m_document->infoBar()->removeInfo(QLatin1String(Constants::SELECT_ENCODING)); } } bool BaseTextEditorWidget::open(QString *errorString, const QString &fileName, const QString &realFileName) { if (d->m_document->open(errorString, fileName, realFileName)) { moveCursor(QTextCursor::Start); updateCannotDecodeInfo(); return true; } return false; } /* Collapses the first comment in a file, if there is only whitespace above */ void BaseTextEditorWidgetPrivate::foldLicenseHeader() { QTextDocument *doc = q->document(); BaseTextDocumentLayout *documentLayout = qobject_cast(doc->documentLayout()); QTC_ASSERT(documentLayout, return); QTextBlock block = doc->firstBlock(); const TabSettings &ts = m_document->tabSettings(); while (block.isValid() && block.isVisible()) { QString text = block.text(); if (BaseTextDocumentLayout::canFold(block) && block.next().isVisible()) { if (text.trimmed().startsWith(QLatin1String("/*"))) { BaseTextDocumentLayout::doFoldOrUnfold(block, false); moveCursorVisible(); documentLayout->requestUpdate(); documentLayout->emitDocumentSizeChanged(); break; } } if (ts.firstNonSpace(text) < text.size()) break; block = block.next(); } } const Utils::ChangeSet &BaseTextEditorWidget::changeSet() const { return d->m_changeSet; } void BaseTextEditorWidget::setChangeSet(const Utils::ChangeSet &changeSet) { using namespace Utils; d->m_changeSet = changeSet; foreach (const ChangeSet::EditOp &op, changeSet.operationList()) { // ### TODO: process the edit operation switch (op.type) { case ChangeSet::EditOp::Replace: break; case ChangeSet::EditOp::Move: break; case ChangeSet::EditOp::Insert: break; case ChangeSet::EditOp::Remove: break; case ChangeSet::EditOp::Flip: break; case ChangeSet::EditOp::Copy: break; default: break; } // switch } } Core::IDocument *BaseTextEditorWidget::editorDocument() const { return d->m_document; } void BaseTextEditorWidget::editorContentsChange(int position, int charsRemoved, int charsAdded) { if (d->m_animator) d->m_animator->finish(); d->m_contentsChanged = true; QTextDocument *doc = document(); BaseTextDocumentLayout *documentLayout = static_cast(doc->documentLayout()); // Keep the line numbers and the block information for the text marks updated if (charsRemoved != 0) { documentLayout->updateMarksLineNumber(); documentLayout->updateMarksBlock(document()->findBlock(position)); } else { const QTextBlock posBlock = doc->findBlock(position); const QTextBlock nextBlock = doc->findBlock(position + charsAdded); if (posBlock != nextBlock) { documentLayout->updateMarksLineNumber(); documentLayout->updateMarksBlock(posBlock); documentLayout->updateMarksBlock(nextBlock); } else { documentLayout->updateMarksBlock(posBlock); } } if (d->m_snippetOverlay->isVisible()) { QTextCursor cursor = textCursor(); cursor.setPosition(position); d->snippetCheckCursor(cursor); } if (doc->isRedoAvailable()) emit editor()->contentsChangedBecauseOfUndo(); if (charsAdded != 0 && characterAt(position + charsAdded - 1).isPrint()) d->m_assistRelevantContentAdded = true; } void BaseTextEditorWidget::slotSelectionChanged() { if (d->m_inBlockSelectionMode && !textCursor().hasSelection()) { d->m_inBlockSelectionMode = false; d->m_blockSelection.clear(); viewport()->update(); } if (!d->m_selectBlockAnchor.isNull() && !textCursor().hasSelection()) d->m_selectBlockAnchor = QTextCursor(); // Clear any link which might be showing when the selection changes clearLink(); } void BaseTextEditorWidget::gotoBlockStart() { QTextCursor cursor = textCursor(); if (TextBlockUserData::findPreviousOpenParenthesis(&cursor, false)) { setTextCursor(cursor); _q_matchParentheses(); } } void BaseTextEditorWidget::gotoBlockEnd() { QTextCursor cursor = textCursor(); if (TextBlockUserData::findNextClosingParenthesis(&cursor, false)) { setTextCursor(cursor); _q_matchParentheses(); } } void BaseTextEditorWidget::gotoBlockStartWithSelection() { QTextCursor cursor = textCursor(); if (TextBlockUserData::findPreviousOpenParenthesis(&cursor, true)) { setTextCursor(cursor); _q_matchParentheses(); } } void BaseTextEditorWidget::gotoBlockEndWithSelection() { QTextCursor cursor = textCursor(); if (TextBlockUserData::findNextClosingParenthesis(&cursor, true)) { setTextCursor(cursor); _q_matchParentheses(); } } void BaseTextEditorWidget::gotoLineStart() { handleHomeKey(false); } void BaseTextEditorWidget::gotoLineStartWithSelection() { handleHomeKey(true); } void BaseTextEditorWidget::gotoLineEnd() { moveCursor(QTextCursor::EndOfLine); } void BaseTextEditorWidget::gotoLineEndWithSelection() { moveCursor(QTextCursor::EndOfLine, QTextCursor::KeepAnchor); } void BaseTextEditorWidget::gotoNextLine() { moveCursor(QTextCursor::Down); } void BaseTextEditorWidget::gotoNextLineWithSelection() { moveCursor(QTextCursor::Down, QTextCursor::KeepAnchor); } void BaseTextEditorWidget::gotoPreviousLine() { moveCursor(QTextCursor::Up); } void BaseTextEditorWidget::gotoPreviousLineWithSelection() { moveCursor(QTextCursor::Up, QTextCursor::KeepAnchor); } void BaseTextEditorWidget::gotoPreviousCharacter() { moveCursor(QTextCursor::PreviousCharacter); } void BaseTextEditorWidget::gotoPreviousCharacterWithSelection() { moveCursor(QTextCursor::PreviousCharacter, QTextCursor::KeepAnchor); } void BaseTextEditorWidget::gotoNextCharacter() { moveCursor(QTextCursor::NextCharacter); } void BaseTextEditorWidget::gotoNextCharacterWithSelection() { moveCursor(QTextCursor::NextCharacter, QTextCursor::KeepAnchor); } void BaseTextEditorWidget::gotoPreviousWord() { moveCursor(QTextCursor::PreviousWord); setTextCursor(textCursor()); } void BaseTextEditorWidget::gotoPreviousWordWithSelection() { moveCursor(QTextCursor::PreviousWord, QTextCursor::KeepAnchor); setTextCursor(textCursor()); } void BaseTextEditorWidget::gotoNextWord() { moveCursor(QTextCursor::NextWord); setTextCursor(textCursor()); } void BaseTextEditorWidget::gotoNextWordWithSelection() { moveCursor(QTextCursor::NextWord, QTextCursor::KeepAnchor); setTextCursor(textCursor()); } void BaseTextEditorWidget::gotoPreviousWordCamelCase() { QTextCursor c = textCursor(); camelCaseLeft(c, QTextCursor::MoveAnchor); setTextCursor(c); } void BaseTextEditorWidget::gotoPreviousWordCamelCaseWithSelection() { QTextCursor c = textCursor(); camelCaseLeft(c, QTextCursor::KeepAnchor); setTextCursor(c); } void BaseTextEditorWidget::gotoNextWordCamelCase() { qDebug() << Q_FUNC_INFO; QTextCursor c = textCursor(); camelCaseRight(c, QTextCursor::MoveAnchor); setTextCursor(c); } void BaseTextEditorWidget::gotoNextWordCamelCaseWithSelection() { QTextCursor c = textCursor(); camelCaseRight(c, QTextCursor::KeepAnchor); setTextCursor(c); } static QTextCursor flippedCursor(const QTextCursor &cursor) { QTextCursor flipped = cursor; flipped.clearSelection(); flipped.setPosition(cursor.anchor(), QTextCursor::KeepAnchor); return flipped; } bool BaseTextEditorWidget::selectBlockUp() { QTextCursor cursor = textCursor(); if (!cursor.hasSelection()) d->m_selectBlockAnchor = cursor; else cursor.setPosition(cursor.selectionStart()); if (!TextBlockUserData::findPreviousOpenParenthesis(&cursor, false)) return false; if (!TextBlockUserData::findNextClosingParenthesis(&cursor, true)) return false; setTextCursor(flippedCursor(cursor)); _q_matchParentheses(); return true; } bool BaseTextEditorWidget::selectBlockDown() { QTextCursor tc = textCursor(); QTextCursor cursor = d->m_selectBlockAnchor; if (!tc.hasSelection() || cursor.isNull()) return false; tc.setPosition(tc.selectionStart()); forever { QTextCursor ahead = cursor; if (!TextBlockUserData::findPreviousOpenParenthesis(&ahead, false)) break; if (ahead.position() <= tc.position()) break; cursor = ahead; } if ( cursor != d->m_selectBlockAnchor) TextBlockUserData::findNextClosingParenthesis(&cursor, true); setTextCursor(flippedCursor(cursor)); _q_matchParentheses(); return true; } void BaseTextEditorWidget::copyLineUp() { copyLineUpDown(true); } void BaseTextEditorWidget::copyLineDown() { copyLineUpDown(false); } // @todo: Potential reuse of some code around the following functions... void BaseTextEditorWidget::copyLineUpDown(bool up) { QTextCursor cursor = textCursor(); QTextCursor move = cursor; move.beginEditBlock(); bool hasSelection = cursor.hasSelection(); if (hasSelection) { move.setPosition(cursor.selectionStart()); move.movePosition(QTextCursor::StartOfBlock); move.setPosition(cursor.selectionEnd(), QTextCursor::KeepAnchor); move.movePosition(move.atBlockStart() ? QTextCursor::Left: QTextCursor::EndOfBlock, QTextCursor::KeepAnchor); } else { move.movePosition(QTextCursor::StartOfBlock); move.movePosition(QTextCursor::EndOfBlock, QTextCursor::KeepAnchor); } QString text = move.selectedText(); if (up) { move.setPosition(cursor.selectionStart()); move.movePosition(QTextCursor::StartOfBlock); move.insertBlock(); move.movePosition(QTextCursor::Left); } else { move.movePosition(QTextCursor::EndOfBlock); if (move.atBlockStart()) { move.movePosition(QTextCursor::NextBlock); move.insertBlock(); move.movePosition(QTextCursor::Left); } else { move.insertBlock(); } } int start = move.position(); move.clearSelection(); move.insertText(text); int end = move.position(); move.setPosition(start); move.setPosition(end, QTextCursor::KeepAnchor); indent(document(), move, QChar::Null); move.endEditBlock(); setTextCursor(move); } void BaseTextEditorWidget::joinLines() { QTextCursor cursor = textCursor(); QTextCursor start = cursor; QTextCursor end = cursor; start.setPosition(cursor.selectionStart()); end.setPosition(cursor.selectionEnd() - 1); int lineCount = qMax(1, end.blockNumber() - start.blockNumber()); cursor.beginEditBlock(); cursor.setPosition(cursor.selectionStart()); while (lineCount--) { cursor.movePosition(QTextCursor::NextBlock); cursor.movePosition(QTextCursor::StartOfBlock); cursor.movePosition(QTextCursor::EndOfBlock, QTextCursor::KeepAnchor); QString cutLine = cursor.selectedText(); // Collapse leading whitespaces to one or insert whitespace cutLine.replace(QRegExp(QLatin1String("^\\s*")), QLatin1String(" ")); cursor.movePosition(QTextCursor::Right, QTextCursor::KeepAnchor); cursor.removeSelectedText(); cursor.movePosition(QTextCursor::PreviousBlock); cursor.movePosition(QTextCursor::EndOfBlock); cursor.insertText(cutLine); } cursor.endEditBlock(); setTextCursor(cursor); } void BaseTextEditorWidget::insertLineAbove() { QTextCursor cursor = textCursor(); cursor.beginEditBlock(); cursor.movePosition(QTextCursor::PreviousBlock, QTextCursor::MoveAnchor); cursor.movePosition(QTextCursor::EndOfBlock, QTextCursor::MoveAnchor); cursor.insertBlock(); indent(document(), cursor, QChar::Null); cursor.endEditBlock(); setTextCursor(cursor); } void BaseTextEditorWidget::insertLineBelow() { QTextCursor cursor = textCursor(); cursor.beginEditBlock(); cursor.movePosition(QTextCursor::EndOfBlock, QTextCursor::MoveAnchor); cursor.insertBlock(); indent(document(), cursor, QChar::Null); cursor.endEditBlock(); setTextCursor(cursor); } void BaseTextEditorWidget::moveLineUp() { moveLineUpDown(true); } void BaseTextEditorWidget::moveLineDown() { moveLineUpDown(false); } void BaseTextEditorWidget::uppercaseSelection() { transformSelection(&QString::toUpper); } void BaseTextEditorWidget::lowercaseSelection() { transformSelection(&QString::toLower); } void BaseTextEditorWidget::indent() { indentOrUnindent(true); } void BaseTextEditorWidget::unindent() { indentOrUnindent(false); } void BaseTextEditorWidget::moveLineUpDown(bool up) { QTextCursor cursor = textCursor(); QTextCursor move = cursor; move.setVisualNavigation(false); // this opens folded items instead of destroying them if (d->m_moveLineUndoHack) move.joinPreviousEditBlock(); else move.beginEditBlock(); bool hasSelection = cursor.hasSelection(); if (cursor.hasSelection()) { move.setPosition(cursor.selectionStart()); move.movePosition(QTextCursor::StartOfBlock); move.setPosition(cursor.selectionEnd(), QTextCursor::KeepAnchor); move.movePosition(move.atBlockStart() ? QTextCursor::Left: QTextCursor::EndOfBlock, QTextCursor::KeepAnchor); } else { move.movePosition(QTextCursor::StartOfBlock); move.movePosition(QTextCursor::EndOfBlock, QTextCursor::KeepAnchor); } QString text = move.selectedText(); RefactorMarkers affectedMarkers; RefactorMarkers nonAffectedMarkers; QList markerOffsets; foreach (const RefactorMarker &marker, d->m_refactorOverlay->markers()) { //test if marker is part of the selection to be moved if ((move.selectionStart() <= marker.cursor.position()) && (move.selectionEnd() >= marker.cursor.position())) { affectedMarkers.append(marker); //remember the offset of markers in text int offset = marker.cursor.position() - move.selectionStart(); markerOffsets.append(offset); } else { nonAffectedMarkers.append(marker); } } move.movePosition(QTextCursor::Right, QTextCursor::KeepAnchor); move.removeSelectedText(); if (up) { move.movePosition(QTextCursor::PreviousBlock); move.insertBlock(); move.movePosition(QTextCursor::Left); } else { move.movePosition(QTextCursor::EndOfBlock); if (move.atBlockStart()) { // empty block move.movePosition(QTextCursor::NextBlock); move.insertBlock(); move.movePosition(QTextCursor::Left); } else { move.insertBlock(); } } int start = move.position(); move.clearSelection(); move.insertText(text); int end = move.position(); if (hasSelection) { move.setPosition(start); move.setPosition(end, QTextCursor::KeepAnchor); } //update positions of affectedMarkers for (int i=0;i < affectedMarkers.count(); i++) { int newPosition = start + markerOffsets.at(i); affectedMarkers[i].cursor.setPosition(newPosition); } d->m_refactorOverlay->setMarkers(nonAffectedMarkers + affectedMarkers); reindent(document(), move); move.endEditBlock(); setTextCursor(move); d->m_moveLineUndoHack = true; } void BaseTextEditorWidget::cleanWhitespace() { d->m_document->cleanWhitespace(textCursor()); } // could go into QTextCursor... static QTextLine currentTextLine(const QTextCursor &cursor) { const QTextBlock block = cursor.block(); if (!block.isValid()) return QTextLine(); const QTextLayout *layout = block.layout(); if (!layout) return QTextLine(); const int relativePos = cursor.position() - block.position(); return layout->lineForTextPosition(relativePos); } bool BaseTextEditorWidget::camelCaseLeft(QTextCursor &cursor, QTextCursor::MoveMode mode) { int state = 0; enum Input { Input_U, Input_l, Input_underscore, Input_space, Input_other }; if (!cursor.movePosition(QTextCursor::Left, mode)) return false; forever { QChar c = characterAt(cursor.position()); Input input = Input_other; if (c.isUpper()) input = Input_U; else if (c.isLower() || c.isDigit()) input = Input_l; else if (c == QLatin1Char('_')) input = Input_underscore; else if (c.isSpace() && c != QChar::ParagraphSeparator) input = Input_space; else input = Input_other; switch (state) { case 0: switch (input) { case Input_U: state = 1; break; case Input_l: state = 2; break; case Input_underscore: state = 3; break; case Input_space: state = 4; break; default: cursor.movePosition(QTextCursor::Right, mode); return cursor.movePosition(QTextCursor::WordLeft, mode); } break; case 1: switch (input) { case Input_U: break; default: cursor.movePosition(QTextCursor::Right, mode); return true; } break; case 2: switch (input) { case Input_U: return true; case Input_l: break; default: cursor.movePosition(QTextCursor::Right, mode); return true; } break; case 3: switch (input) { case Input_underscore: break; case Input_U: state = 1; break; case Input_l: state = 2; break; default: cursor.movePosition(QTextCursor::Right, mode); return true; } break; case 4: switch (input) { case Input_space: break; case Input_U: state = 1; break; case Input_l: state = 2; break; case Input_underscore: state = 3; break; default: cursor.movePosition(QTextCursor::Right, mode); if (cursor.positionInBlock() == 0) return true; return cursor.movePosition(QTextCursor::WordLeft, mode); } } if (!cursor.movePosition(QTextCursor::Left, mode)) return true; } } bool BaseTextEditorWidget::camelCaseRight(QTextCursor &cursor, QTextCursor::MoveMode mode) { int state = 0; enum Input { Input_U, Input_l, Input_underscore, Input_space, Input_other }; forever { QChar c = characterAt(cursor.position()); Input input = Input_other; if (c.isUpper()) input = Input_U; else if (c.isLower() || c.isDigit()) input = Input_l; else if (c == QLatin1Char('_')) input = Input_underscore; else if (c.isSpace() && c != QChar::ParagraphSeparator) input = Input_space; else input = Input_other; switch (state) { case 0: switch (input) { case Input_U: state = 4; break; case Input_l: state = 1; break; case Input_underscore: state = 6; break; default: return cursor.movePosition(QTextCursor::WordRight, mode); } break; case 1: switch (input) { case Input_U: return true; case Input_l: break; case Input_underscore: state = 6; break; case Input_space: state = 7; break; default: return true; } break; case 2: switch (input) { case Input_U: break; case Input_l: cursor.movePosition(QTextCursor::Left, mode); return true; case Input_underscore: state = 6; break; case Input_space: state = 7; break; default: return true; } break; case 4: switch (input) { case Input_U: state = 2; break; case Input_l: state = 1; break; case Input_underscore: state = 6; break; case Input_space: state = 7; break; default: return true; } break; case 6: switch (input) { case Input_underscore: break; case Input_space: state = 7; break; default: return true; } break; case 7: switch (input) { case Input_space: break; default: return true; } break; } cursor.movePosition(QTextCursor::Right, mode); } } bool BaseTextEditorWidget::cursorMoveKeyEvent(QKeyEvent *e) { QTextCursor cursor = textCursor(); QTextCursor::MoveMode mode = QTextCursor::MoveAnchor; QTextCursor::MoveOperation op = QTextCursor::NoMove; if (e == QKeySequence::MoveToNextChar) { op = QTextCursor::Right; } else if (e == QKeySequence::MoveToPreviousChar) { op = QTextCursor::Left; } else if (e == QKeySequence::SelectNextChar) { op = QTextCursor::Right; mode = QTextCursor::KeepAnchor; } else if (e == QKeySequence::SelectPreviousChar) { op = QTextCursor::Left; mode = QTextCursor::KeepAnchor; } else if (e == QKeySequence::SelectNextWord) { op = QTextCursor::WordRight; mode = QTextCursor::KeepAnchor; } else if (e == QKeySequence::SelectPreviousWord) { op = QTextCursor::WordLeft; mode = QTextCursor::KeepAnchor; } else if (e == QKeySequence::SelectStartOfLine) { op = QTextCursor::StartOfLine; mode = QTextCursor::KeepAnchor; } else if (e == QKeySequence::SelectEndOfLine) { op = QTextCursor::EndOfLine; mode = QTextCursor::KeepAnchor; } else if (e == QKeySequence::SelectStartOfBlock) { op = QTextCursor::StartOfBlock; mode = QTextCursor::KeepAnchor; } else if (e == QKeySequence::SelectEndOfBlock) { op = QTextCursor::EndOfBlock; mode = QTextCursor::KeepAnchor; } else if (e == QKeySequence::SelectStartOfDocument) { op = QTextCursor::Start; mode = QTextCursor::KeepAnchor; } else if (e == QKeySequence::SelectEndOfDocument) { op = QTextCursor::End; mode = QTextCursor::KeepAnchor; } else if (e == QKeySequence::SelectPreviousLine) { op = QTextCursor::Up; mode = QTextCursor::KeepAnchor; } else if (e == QKeySequence::SelectNextLine) { op = QTextCursor::Down; mode = QTextCursor::KeepAnchor; { QTextBlock block = cursor.block(); QTextLine line = currentTextLine(cursor); if (!block.next().isValid() && line.isValid() && line.lineNumber() == block.layout()->lineCount() - 1) op = QTextCursor::End; } } else if (e == QKeySequence::MoveToNextWord) { op = QTextCursor::WordRight; } else if (e == QKeySequence::MoveToPreviousWord) { op = QTextCursor::WordLeft; } else if (e == QKeySequence::MoveToEndOfBlock) { op = QTextCursor::EndOfBlock; } else if (e == QKeySequence::MoveToStartOfBlock) { op = QTextCursor::StartOfBlock; } else if (e == QKeySequence::MoveToNextLine) { op = QTextCursor::Down; } else if (e == QKeySequence::MoveToPreviousLine) { op = QTextCursor::Up; } else if (e == QKeySequence::MoveToPreviousLine) { op = QTextCursor::Up; } else if (e == QKeySequence::MoveToStartOfLine) { op = QTextCursor::StartOfLine; } else if (e == QKeySequence::MoveToEndOfLine) { op = QTextCursor::EndOfLine; } else if (e == QKeySequence::MoveToStartOfDocument) { op = QTextCursor::Start; } else if (e == QKeySequence::MoveToEndOfDocument) { op = QTextCursor::End; } else { return false; } // Except for pageup and pagedown, Mac OS X has very different behavior, we don't do it all, but // here's the breakdown: // Shift still works as an anchor, but only one of the other keys can be down Ctrl (Command), // Alt (Option), or Meta (Control). // Command/Control + Left/Right -- Move to left or right of the line // + Up/Down -- Move to top bottom of the file. (Control doesn't move the cursor) // Option + Left/Right -- Move one word Left/right. // + Up/Down -- Begin/End of Paragraph. // Home/End Top/Bottom of file. (usually don't move the cursor, but will select) bool visualNavigation = cursor.visualNavigation(); cursor.setVisualNavigation(true); if (camelCaseNavigationEnabled() && op == QTextCursor::WordRight) { camelCaseRight(cursor, mode); } else if (camelCaseNavigationEnabled() && op == QTextCursor::WordLeft) { camelCaseLeft(cursor, mode); } else if (!cursor.movePosition(op, mode) && mode == QTextCursor::MoveAnchor) { cursor.clearSelection(); } cursor.setVisualNavigation(visualNavigation); setTextCursor(cursor); ensureCursorVisible(); return true; } void BaseTextEditorWidget::keyPressEvent(QKeyEvent *e) { viewport()->setCursor(Qt::BlankCursor); ToolTip::instance()->hide(); d->m_moveLineUndoHack = false; d->clearVisibleFoldedBlock(); if (d->m_isCirculatingClipboard && !isModifierKey(e->key())) { d->m_isCirculatingClipboard = false; } if (e->key() == Qt::Key_Alt && d->m_behaviorSettings.m_keyboardTooltips) { d->m_maybeFakeTooltipEvent = true; } else { d->m_maybeFakeTooltipEvent = false; if (e->key() == Qt::Key_Escape && d->m_snippetOverlay->isVisible()) { e->accept(); d->m_snippetOverlay->hide(); d->m_snippetOverlay->clear(); QTextCursor cursor = textCursor(); cursor.clearSelection(); setTextCursor(cursor); return; } } bool ro = isReadOnly(); const bool inOverwriteMode = overwriteMode(); if (d->m_inBlockSelectionMode) { if (e == QKeySequence::Cut) { if (!ro) { cut(); e->accept(); return; } } else if (e == QKeySequence::Delete || e->key() == Qt::Key_Backspace) { if (!ro) { d->removeBlockSelection(); e->accept(); return; } } else if (e == QKeySequence::Paste) { if (!ro) { d->removeBlockSelection(); // continue } } } if (!ro && (e == QKeySequence::InsertParagraphSeparator || (!d->m_lineSeparatorsAllowed && e == QKeySequence::InsertLineSeparator))) { if (d->m_snippetOverlay->isVisible()) { e->accept(); d->m_snippetOverlay->hide(); d->m_snippetOverlay->clear(); QTextCursor cursor = textCursor(); cursor.movePosition(QTextCursor::EndOfBlock); setTextCursor(cursor); return; } QTextCursor cursor = textCursor(); if (d->m_inBlockSelectionMode) cursor.clearSelection(); const TabSettings &ts = d->m_document->tabSettings(); const TypingSettings &tps = d->m_document->typingSettings(); cursor.beginEditBlock(); int extraBlocks = d->m_autoCompleter->paragraphSeparatorAboutToBeInserted(cursor, tabSettings()); QString previousIndentationString; if (tps.m_autoIndent) { cursor.insertBlock(); indent(document(), cursor, QChar::Null); } else { cursor.insertBlock(); // After inserting the block, to avoid duplicating whitespace on the same line const QString &previousBlockText = cursor.block().previous().text(); previousIndentationString = ts.indentationString(previousBlockText); if (!previousIndentationString.isEmpty()) cursor.insertText(previousIndentationString); } cursor.endEditBlock(); e->accept(); if (extraBlocks > 0) { QTextCursor ensureVisible = cursor; while (extraBlocks > 0) { --extraBlocks; ensureVisible.movePosition(QTextCursor::NextBlock); if (tps.m_autoIndent) indent(document(), ensureVisible, QChar::Null); else if (!previousIndentationString.isEmpty()) ensureVisible.insertText(previousIndentationString); } setTextCursor(ensureVisible); } setTextCursor(cursor); return; } else if (!ro && (e == QKeySequence::MoveToStartOfBlock || e == QKeySequence::SelectStartOfBlock)){ if ((e->modifiers() & (Qt::AltModifier | Qt::ShiftModifier)) == (Qt::AltModifier | Qt::ShiftModifier)) { e->accept(); return; } handleHomeKey(e == QKeySequence::SelectStartOfBlock); e->accept(); return; } else if (!ro && (e == QKeySequence::MoveToStartOfLine || e == QKeySequence::SelectStartOfLine)){ if ((e->modifiers() & (Qt::AltModifier | Qt::ShiftModifier)) == (Qt::AltModifier | Qt::ShiftModifier)) { e->accept(); return; } QTextCursor cursor = textCursor(); if (QTextLayout *layout = cursor.block().layout()) { if (layout->lineForTextPosition(cursor.position() - cursor.block().position()).lineNumber() == 0) { handleHomeKey(e == QKeySequence::SelectStartOfLine); e->accept(); return; } } } else if (!ro && e == QKeySequence::DeleteStartOfWord && d->m_document->typingSettings().m_autoIndent && !textCursor().hasSelection()){ e->accept(); QTextCursor c = textCursor(); int pos = c.position(); if (camelCaseNavigationEnabled()) camelCaseLeft(c, QTextCursor::MoveAnchor); else c.movePosition(QTextCursor::StartOfWord, QTextCursor::MoveAnchor); int targetpos = c.position(); forever { handleBackspaceKey(); int cpos = textCursor().position(); if (cpos == pos || cpos <= targetpos) break; pos = cpos; } return; } else if (!ro && e == QKeySequence::DeleteStartOfWord && !textCursor().hasSelection()) { e->accept(); QTextCursor c = textCursor(); if (camelCaseNavigationEnabled()) camelCaseLeft(c, QTextCursor::KeepAnchor); else c.movePosition(QTextCursor::StartOfWord, QTextCursor::KeepAnchor); c.removeSelectedText(); return; } else if (!ro && e == QKeySequence::DeleteEndOfWord && !textCursor().hasSelection()) { e->accept(); QTextCursor c = textCursor(); if (camelCaseNavigationEnabled()) camelCaseRight(c, QTextCursor::KeepAnchor); else c.movePosition(QTextCursor::EndOfWord, QTextCursor::KeepAnchor); c.removeSelectedText(); return; } else switch (e->key()) { #if 0 case Qt::Key_Dollar: { d->m_overlay->setVisible(!d->m_overlay->isVisible()); d->m_overlay->setCursor(textCursor()); e->accept(); return; } break; #endif case Qt::Key_Tab: case Qt::Key_Backtab: { if (ro) break; if (d->m_snippetOverlay->isVisible() && !d->m_snippetOverlay->isEmpty()) { d->snippetTabOrBacktab(e->key() == Qt::Key_Tab); e->accept(); return; } QTextCursor cursor = textCursor(); int newPosition; if (d->m_document->typingSettings().tabShouldIndent(document(), cursor, &newPosition)) { if (newPosition != cursor.position() && !cursor.hasSelection()) { cursor.setPosition(newPosition); setTextCursor(cursor); } indent(document(), cursor, QChar::Null); } else { indentOrUnindent(e->key() == Qt::Key_Tab); } e->accept(); return; } break; case Qt::Key_Backspace: if (ro) break; if ((e->modifiers() & (Qt::ControlModifier | Qt::ShiftModifier | Qt::AltModifier | Qt::MetaModifier)) == Qt::NoModifier && !textCursor().hasSelection()) { handleBackspaceKey(); e->accept(); return; } break; case Qt::Key_Up: case Qt::Key_Down: if (e->modifiers() & Qt::ControlModifier) { verticalScrollBar()->triggerAction( e->key() == Qt::Key_Up ? QAbstractSlider::SliderSingleStepSub : QAbstractSlider::SliderSingleStepAdd); e->accept(); return; } // fall through case Qt::Key_Right: case Qt::Key_Left: #ifndef Q_OS_MAC if ((e->modifiers() & (Qt::AltModifier | Qt::ShiftModifier)) == (Qt::AltModifier | Qt::ShiftModifier)) { int diff_row = 0; int diff_col = 0; if (e->key() == Qt::Key_Up) diff_row = -1; else if (e->key() == Qt::Key_Down) diff_row = 1; else if (e->key() == Qt::Key_Left) diff_col = -1; else if (e->key() == Qt::Key_Right) diff_col = 1; handleBlockSelection(diff_row, diff_col); e->accept(); return; } else { // leave block selection mode if (d->m_inBlockSelectionMode) { d->m_inBlockSelectionMode = false; d->m_blockSelection.clear(); viewport()->update(); } } #endif break; case Qt::Key_PageUp: case Qt::Key_PageDown: if (e->modifiers() == Qt::ControlModifier) { verticalScrollBar()->triggerAction( e->key() == Qt::Key_PageUp ? QAbstractSlider::SliderPageStepSub : QAbstractSlider::SliderPageStepAdd); e->accept(); return; } break; case Qt::Key_Insert: if (ro) break; if (e->modifiers() == Qt::NoModifier) { if (inOverwriteMode) { d->m_autoCompleter->setAutoParenthesesEnabled(d->autoParenthesisOverwriteBackup); d->m_autoCompleter->setSurroundWithEnabled(d->surroundWithEnabledOverwriteBackup); setOverwriteMode(false); } else { d->autoParenthesisOverwriteBackup = d->m_autoCompleter->isAutoParenthesesEnabled(); d->surroundWithEnabledOverwriteBackup = d->m_autoCompleter->isSurroundWithEnabled(); d->m_autoCompleter->setAutoParenthesesEnabled(false); d->m_autoCompleter->setSurroundWithEnabled(false); setOverwriteMode(true); } e->accept(); return; } break; default: break; } if (!ro && d->m_inBlockSelectionMode) { QString text = e->text(); if (!text.isEmpty() && (text.at(0).isPrint() || text.at(0) == QLatin1Char('\t'))) { d->removeBlockSelection(text); goto skip_event; } } if (e->key() == Qt::Key_H && e->modifiers() == #ifdef Q_OS_DARWIN Qt::MetaModifier #else Qt::ControlModifier #endif ) { universalHelper(); e->accept(); return; } if (ro || e->text().isEmpty() || !e->text().at(0).isPrint()) { if (cursorMoveKeyEvent(e)) ; else { QTextCursor cursor = textCursor(); bool cursorWithinSnippet = false; if (d->m_snippetOverlay->isVisible() && (e->key() == Qt::Key_Delete || e->key() == Qt::Key_Backspace)) { cursorWithinSnippet = d->snippetCheckCursor(cursor); } if (cursorWithinSnippet) cursor.beginEditBlock(); QPlainTextEdit::keyPressEvent(e); if (cursorWithinSnippet) { cursor.endEditBlock(); d->m_snippetOverlay->updateEquivalentSelections(textCursor()); } } } else if ((e->modifiers() & (Qt::ControlModifier|Qt::AltModifier)) != Qt::ControlModifier){ QTextCursor cursor = textCursor(); QString text = e->text(); const QString &autoText = d->m_autoCompleter->autoComplete(cursor, text); QChar electricChar; if (d->m_document->typingSettings().m_autoIndent) { foreach (QChar c, text) { if (d->m_indenter->isElectricCharacter(c)) { electricChar = c; break; } } } bool cursorWithinSnippet = false; if (d->m_snippetOverlay->isVisible()) cursorWithinSnippet = d->snippetCheckCursor(cursor); bool doEditBlock = !electricChar.isNull() || !autoText.isEmpty() || cursorWithinSnippet; if (doEditBlock) cursor.beginEditBlock(); if (inOverwriteMode) { if (!doEditBlock) cursor.beginEditBlock(); QTextBlock block = cursor.block(); int eolPos = block.position() + block.length() - 1; int selEndPos = qMin(cursor.position() + text.length(), eolPos); cursor.setPosition(selEndPos, QTextCursor::KeepAnchor); cursor.insertText(text); if (!doEditBlock) cursor.endEditBlock(); } else { cursor.insertText(text); } if (!autoText.isEmpty()) { int pos = cursor.position(); cursor.insertText(autoText); //Select the inserted text, to be able to re-indent the inserted text cursor.setPosition(pos, QTextCursor::KeepAnchor); } if (!electricChar.isNull() && d->m_autoCompleter->contextAllowsElectricCharacters(cursor)) indent(document(), cursor, electricChar); if (!autoText.isEmpty()) { if (d->m_document->typingSettings().m_autoIndent) reindent(document(), cursor); cursor.setPosition(autoText.length() == 1 ? cursor.position() : cursor.anchor()); } if (doEditBlock) { cursor.endEditBlock(); if (cursorWithinSnippet) d->m_snippetOverlay->updateEquivalentSelections(textCursor()); } setTextCursor(cursor); } skip_event: if (!ro && e->key() == Qt::Key_Delete && d->m_parenthesesMatchingEnabled) d->m_parenthesesMatchingTimer->start(50); if (!ro && d->m_contentsChanged && !e->text().isEmpty() && e->text().at(0).isPrint() && !inOverwriteMode) { d->m_codeAssistant->process(); } } void BaseTextEditorWidget::insertCodeSnippet(const QTextCursor &cursor_arg, const QString &snippet) { if ((snippet.count(Snippet::kVariableDelimiter) % 2) != 0) { qWarning() << "invalid snippet"; return; } QList selections; QTextCursor cursor = cursor_arg; cursor.beginEditBlock(); cursor.removeSelectedText(); const int startCursorPosition = cursor.position(); int pos = 0; QMap positions; while (pos < snippet.size()) { if (snippet.at(pos) != Snippet::kVariableDelimiter) { const int start = pos; do { ++pos; } while (pos < snippet.size() && snippet.at(pos) != Snippet::kVariableDelimiter); cursor.insertText(snippet.mid(start, pos - start)); } else { // the start of a place holder. const int start = ++pos; for (; pos < snippet.size(); ++pos) { if (snippet.at(pos) == Snippet::kVariableDelimiter) break; } Q_ASSERT(pos < snippet.size()); Q_ASSERT(snippet.at(pos) == Snippet::kVariableDelimiter); const QString textToInsert = snippet.mid(start, pos - start); int cursorPosition = cursor.position(); cursor.insertText(textToInsert); if (textToInsert.isEmpty()) { positions.insert(cursorPosition, 0); } else { positions.insert(cursorPosition, textToInsert.length()); } ++pos; } } QMapIterator it(positions); while (it.hasNext()) { it.next(); int length = it.value(); int position = it.key(); QTextCursor tc(document()); tc.setPosition(position); tc.setPosition(position + length, QTextCursor::KeepAnchor); QTextEdit::ExtraSelection selection; selection.cursor = tc; selection.format = (length ? d->m_occurrencesFormat : d->m_occurrenceRenameFormat); selections.append(selection); } cursor.setPosition(startCursorPosition, QTextCursor::KeepAnchor); indent(cursor.document(), cursor, QChar()); cursor.endEditBlock(); setExtraSelections(BaseTextEditorWidget::SnippetPlaceholderSelection, selections); if (! selections.isEmpty()) { const QTextEdit::ExtraSelection &selection = selections.first(); cursor = textCursor(); if (selection.cursor.hasSelection()) { cursor.setPosition(selection.cursor.selectionStart()); cursor.setPosition(selection.cursor.selectionEnd(), QTextCursor::KeepAnchor); } else { cursor.setPosition(selection.cursor.position()); } setTextCursor(cursor); } } void BaseTextEditorWidget::universalHelper() { // Test function for development. Place your new fangled experiment here to // give it proper scrutiny before pushing it onto others. } void BaseTextEditorWidget::setTextCursor(const QTextCursor &cursor) { // workaround for QTextControl bug bool selectionChange = cursor.hasSelection() || textCursor().hasSelection(); QTextCursor c = cursor; c.setVisualNavigation(true); QPlainTextEdit::setTextCursor(c); if (selectionChange) slotSelectionChanged(); } void BaseTextEditorWidget::gotoLine(int line, int column) { d->m_lastCursorChangeWasInteresting = false; // avoid adding the previous position to history const int blockNumber = line - 1; const QTextBlock &block = document()->findBlockByNumber(blockNumber); if (block.isValid()) { QTextCursor cursor(block); if (column > 0) { cursor.movePosition(QTextCursor::Right, QTextCursor::MoveAnchor, column); } else { int pos = cursor.position(); while (characterAt(pos).category() == QChar::Separator_Space) { ++pos; } cursor.setPosition(pos); } setTextCursor(cursor); centerCursor(); } saveCurrentCursorPositionForNavigation(); } int BaseTextEditorWidget::position(ITextEditor::PositionOperation posOp, int at) const { QTextCursor tc = textCursor(); if (at != -1) tc.setPosition(at); if (posOp == ITextEditor::Current) return tc.position(); switch (posOp) { case ITextEditor::EndOfLine: tc.movePosition(QTextCursor::EndOfLine); return tc.position(); case ITextEditor::StartOfLine: tc.movePosition(QTextCursor::StartOfLine); return tc.position(); case ITextEditor::Anchor: if (tc.hasSelection()) return tc.anchor(); break; case ITextEditor::EndOfDoc: tc.movePosition(QTextCursor::End); return tc.position(); default: break; } return -1; } void BaseTextEditorWidget::convertPosition(int pos, int *line, int *column) const { Convenience::convertPosition(document(), pos, line, column); } QChar BaseTextEditorWidget::characterAt(int pos) const { return document()->characterAt(pos); } bool BaseTextEditorWidget::event(QEvent *e) { d->m_contentsChanged = false; switch (e->type()) { case QEvent::ShortcutOverride: if (static_cast(e)->key() == Qt::Key_Escape && d->m_snippetOverlay->isVisible()) { e->accept(); return true; } e->ignore(); // we are a really nice citizen return true; break; default: break; } return QPlainTextEdit::event(e); } void BaseTextEditorWidget::duplicateFrom(BaseTextEditorWidget *widget) { if (this == widget) return; setDisplayName(widget->displayName()); d->m_revisionsVisible = widget->d->m_revisionsVisible; if (d->m_document == widget->d->m_document) return; d->setupDocumentSignals(widget->d->m_document); d->m_document = widget->d->m_document; } QString BaseTextEditorWidget::displayName() const { return d->m_displayName; } void BaseTextEditorWidget::setDisplayName(const QString &title) { d->m_displayName = title; emit changed(); } BaseTextDocument *BaseTextEditorWidget::baseTextDocument() const { return d->m_document; } void BaseTextEditorWidget::setBaseTextDocument(BaseTextDocument *doc) { if (doc) { d->setupDocumentSignals(doc); d->m_document = doc; } } void BaseTextEditorWidget::documentAboutToBeReloaded() { //memorize cursor position d->m_tempState = saveState(); // remove extra selections (loads of QTextCursor objects) for (int i = 0; i < NExtraSelectionKinds; ++i) d->m_extraSelections[i].clear(); QPlainTextEdit::setExtraSelections(QList()); // clear all overlays d->m_overlay->clear(); d->m_snippetOverlay->clear(); d->m_searchResultOverlay->clear(); d->m_refactorOverlay->clear(); } void BaseTextEditorWidget::documentReloaded() { // restore cursor position restoreState(d->m_tempState); updateCannotDecodeInfo(); } QByteArray BaseTextEditorWidget::saveState() const { QByteArray state; QDataStream stream(&state, QIODevice::WriteOnly); stream << 1; // version number stream << verticalScrollBar()->value(); stream << horizontalScrollBar()->value(); int line, column; convertPosition(textCursor().position(), &line, &column); stream << line; stream << column; // store code folding state QList foldedBlocks; QTextBlock block = document()->firstBlock(); while (block.isValid()) { if (block.userData() && static_cast(block.userData())->folded()) { int number = block.blockNumber(); foldedBlocks += number; } block = block.next(); } stream << foldedBlocks; return state; } bool BaseTextEditorWidget::restoreState(const QByteArray &state) { if (state.isEmpty()) { if (d->m_displaySettings.m_autoFoldFirstComment) d->foldLicenseHeader(); return false; } int version; int vval; int hval; int lval; int cval; QDataStream stream(state); stream >> version; stream >> vval; stream >> hval; stream >> lval; stream >> cval; if (version >= 1) { QList collapsedBlocks; stream >> collapsedBlocks; QTextDocument *doc = document(); bool layoutChanged = false; foreach(int blockNumber, collapsedBlocks) { QTextBlock block = doc->findBlockByNumber(qMax(0, blockNumber)); if (block.isValid()) { BaseTextDocumentLayout::doFoldOrUnfold(block, false); layoutChanged = true; } } if (layoutChanged) { BaseTextDocumentLayout *documentLayout = qobject_cast(doc->documentLayout()); QTC_ASSERT(documentLayout, return false); documentLayout->requestUpdate(); documentLayout->emitDocumentSizeChanged(); } } else { if (d->m_displaySettings.m_autoFoldFirstComment) d->foldLicenseHeader(); } d->m_lastCursorChangeWasInteresting = false; // avoid adding last position to history gotoLine(lval, cval); verticalScrollBar()->setValue(vval); horizontalScrollBar()->setValue(hval); saveCurrentCursorPositionForNavigation(); return true; } void BaseTextEditorWidget::setDefaultPath(const QString &defaultPath) { baseTextDocument()->setDefaultPath(defaultPath); } void BaseTextEditorWidget::setSuggestedFileName(const QString &suggestedFileName) { baseTextDocument()->setSuggestedFileName(suggestedFileName); } void BaseTextEditorWidget::setParenthesesMatchingEnabled(bool b) { d->m_parenthesesMatchingEnabled = b; } bool BaseTextEditorWidget::isParenthesesMatchingEnabled() const { return d->m_parenthesesMatchingEnabled; } void BaseTextEditorWidget::setHighlightCurrentLine(bool b) { d->m_highlightCurrentLine = b; updateCurrentLineHighlight(); } bool BaseTextEditorWidget::highlightCurrentLine() const { return d->m_highlightCurrentLine; } void BaseTextEditorWidget::setLineNumbersVisible(bool b) { d->m_lineNumbersVisible = b; slotUpdateExtraAreaWidth(); } bool BaseTextEditorWidget::lineNumbersVisible() const { return d->m_lineNumbersVisible; } void BaseTextEditorWidget::setMarksVisible(bool b) { d->m_marksVisible = b; slotUpdateExtraAreaWidth(); } bool BaseTextEditorWidget::marksVisible() const { return d->m_marksVisible; } void BaseTextEditorWidget::setRequestMarkEnabled(bool b) { d->m_requestMarkEnabled = b; } bool BaseTextEditorWidget::requestMarkEnabled() const { return d->m_requestMarkEnabled; } void BaseTextEditorWidget::setLineSeparatorsAllowed(bool b) { d->m_lineSeparatorsAllowed = b; } bool BaseTextEditorWidget::lineSeparatorsAllowed() const { return d->m_lineSeparatorsAllowed; } void BaseTextEditorWidget::updateCodeFoldingVisible() { const bool visible = d->m_codeFoldingSupported && d->m_displaySettings.m_displayFoldingMarkers; if (d->m_codeFoldingVisible != visible) { d->m_codeFoldingVisible = visible; slotUpdateExtraAreaWidth(); } } bool BaseTextEditorWidget::codeFoldingVisible() const { return d->m_codeFoldingVisible; } /** * Sets whether code folding is supported by the syntax highlighter. When not * supported (the default), this makes sure the code folding is not shown. * * Needs to be called before calling setCodeFoldingVisible. */ void BaseTextEditorWidget::setCodeFoldingSupported(bool b) { d->m_codeFoldingSupported = b; updateCodeFoldingVisible(); } bool BaseTextEditorWidget::codeFoldingSupported() const { return d->m_codeFoldingSupported; } void BaseTextEditorWidget::setMouseNavigationEnabled(bool b) { d->m_behaviorSettings.m_mouseNavigation = b; } bool BaseTextEditorWidget::mouseNavigationEnabled() const { return d->m_behaviorSettings.m_mouseNavigation; } void BaseTextEditorWidget::setScrollWheelZoomingEnabled(bool b) { d->m_behaviorSettings.m_scrollWheelZooming = b; } bool BaseTextEditorWidget::scrollWheelZoomingEnabled() const { return d->m_behaviorSettings.m_scrollWheelZooming; } void BaseTextEditorWidget::setConstrainTooltips(bool b) { d->m_behaviorSettings.m_constrainHoverTooltips = b; } bool BaseTextEditorWidget::constrainTooltips() const { return d->m_behaviorSettings.m_constrainHoverTooltips; } void BaseTextEditorWidget::setCamelCaseNavigationEnabled(bool b) { d->m_behaviorSettings.m_camelCaseNavigation = b; } bool BaseTextEditorWidget::camelCaseNavigationEnabled() const { return d->m_behaviorSettings.m_camelCaseNavigation; } void BaseTextEditorWidget::setRevisionsVisible(bool b) { d->m_revisionsVisible = b; slotUpdateExtraAreaWidth(); } bool BaseTextEditorWidget::revisionsVisible() const { return d->m_revisionsVisible; } void BaseTextEditorWidget::setVisibleWrapColumn(int column) { d->m_visibleWrapColumn = column; viewport()->update(); } int BaseTextEditorWidget::visibleWrapColumn() const { return d->m_visibleWrapColumn; } void BaseTextEditorWidget::setIndenter(Indenter *indenter) { // clear out existing code formatter data for (QTextBlock it = document()->begin(); it.isValid(); it = it.next()) { TextEditor::TextBlockUserData *userData = BaseTextDocumentLayout::testUserData(it); if (userData) userData->setCodeFormatterData(0); } d->m_indenter.reset(indenter); } Indenter *BaseTextEditorWidget::indenter() const { return d->m_indenter.data(); } void BaseTextEditorWidget::setAutoCompleter(AutoCompleter *autoCompleter) { d->m_autoCompleter.reset(autoCompleter); } AutoCompleter *BaseTextEditorWidget::autoCompleter() const { return d->m_autoCompleter.data(); } //--------- BaseTextEditorPrivate ----------- BaseTextEditorWidgetPrivate::BaseTextEditorWidgetPrivate() : m_lastScrollPos(-1), m_lineNumber(-1), q(0), m_contentsChanged(false), m_lastCursorChangeWasInteresting(false), m_document(new BaseTextDocument), m_parenthesesMatchingEnabled(false), m_updateTimer(0), m_formatRange(false), m_parenthesesMatchingTimer(0), m_extraArea(0), m_codeStylePreferences(0), extraAreaSelectionAnchorBlockNumber(-1), extraAreaToggleMarkBlockNumber(-1), extraAreaHighlightFoldedBlockNumber(-1), m_overlay(0), m_snippetOverlay(0), m_searchResultOverlay(0), m_refactorOverlay(0), visibleFoldedBlockNumber(-1), suggestedVisibleFoldedBlockNumber(-1), m_mouseOnFoldedMarker(false), m_marksVisible(false), m_codeFoldingVisible(false), m_codeFoldingSupported(false), m_revisionsVisible(false), m_lineNumbersVisible(true), m_highlightCurrentLine(true), m_requestMarkEnabled(true), m_lineSeparatorsAllowed(false), m_maybeFakeTooltipEvent(false), m_isCirculatingClipboard(false), m_visibleWrapColumn(0), m_linkPressed(false), m_delayedUpdateTimer(0), m_editor(0), m_actionHack(0), m_inBlockSelectionMode(false), m_moveLineUndoHack(false), m_findScopeVerticalBlockSelectionFirstColumn(-1), m_findScopeVerticalBlockSelectionLastColumn(-1), m_highlightBlocksTimer(0), m_codeAssistant(new CodeAssistant), m_assistRelevantContentAdded(false), m_cursorBlockNumber(-1), m_autoCompleter(new AutoCompleter), m_indenter(new Indenter) { } BaseTextEditorWidgetPrivate::~BaseTextEditorWidgetPrivate() { } void BaseTextEditorWidgetPrivate::setupDocumentSignals(BaseTextDocument *document) { BaseTextDocument *oldDocument = q->baseTextDocument(); if (oldDocument) { q->disconnect(oldDocument->document(), 0, q, 0); q->disconnect(oldDocument, 0, q, 0); } QTextDocument *doc = document->document(); BaseTextDocumentLayout *documentLayout = qobject_cast(doc->documentLayout()); if (!documentLayout) { QTextOption opt = doc->defaultTextOption(); opt.setTextDirection(Qt::LeftToRight); opt.setFlags(opt.flags() | QTextOption::IncludeTrailingSpaces | QTextOption::AddSpaceForLineAndParagraphSeparators ); doc->setDefaultTextOption(opt); documentLayout = new BaseTextDocumentLayout(doc); doc->setDocumentLayout(documentLayout); } q->setDocument(doc); q->setCursorWidth(2); // Applies to the document layout QObject::connect(documentLayout, SIGNAL(updateBlock(QTextBlock)), q, SLOT(slotUpdateBlockNotify(QTextBlock))); QObject::connect(q, SIGNAL(requestBlockUpdate(QTextBlock)), documentLayout, SIGNAL(updateBlock(QTextBlock))); QObject::connect(doc, SIGNAL(modificationChanged(bool)), q, SIGNAL(changed())); QObject::connect(doc, SIGNAL(contentsChange(int,int,int)), q, SLOT(editorContentsChange(int,int,int)), Qt::DirectConnection); QObject::connect(document, SIGNAL(changed()), q, SIGNAL(changed())); QObject::connect(document, SIGNAL(titleChanged(QString)), q, SLOT(setDisplayName(QString))); QObject::connect(document, SIGNAL(aboutToReload()), q, SLOT(documentAboutToBeReloaded())); QObject::connect(document, SIGNAL(reloaded()), q, SLOT(documentReloaded())); q->slotUpdateExtraAreaWidth(); } bool BaseTextEditorWidgetPrivate::snippetCheckCursor(const QTextCursor &cursor) { if (!m_snippetOverlay->isVisible() || m_snippetOverlay->isEmpty()) return false; QTextCursor start = cursor; start.setPosition(cursor.selectionStart()); QTextCursor end = cursor; end.setPosition(cursor.selectionEnd()); if (!m_snippetOverlay->hasCursorInSelection(start) || !m_snippetOverlay->hasCursorInSelection(end) || m_snippetOverlay->hasFirstSelectionBeginMoved()) { m_snippetOverlay->setVisible(false); m_snippetOverlay->clear(); return false; } return true; } void BaseTextEditorWidgetPrivate::snippetTabOrBacktab(bool forward) { if (!m_snippetOverlay->isVisible() || m_snippetOverlay->isEmpty()) return; QTextCursor cursor = q->textCursor(); OverlaySelection final; if (forward) { for (int i = 0; i < m_snippetOverlay->selections().count(); ++i){ const OverlaySelection &selection = m_snippetOverlay->selections().at(i); if (selection.m_cursor_begin.position() >= cursor.position() && selection.m_cursor_end.position() > cursor.position()) { final = selection; break; } } } else { for (int i = m_snippetOverlay->selections().count()-1; i >= 0; --i){ const OverlaySelection &selection = m_snippetOverlay->selections().at(i); if (selection.m_cursor_end.position() < cursor.position()) { final = selection; break; } } } if (final.m_cursor_begin.isNull()) final = forward ? m_snippetOverlay->selections().first() : m_snippetOverlay->selections().last(); if (final.m_cursor_begin.position() == final.m_cursor_end.position()) { // empty tab stop cursor.setPosition(final.m_cursor_end.position()); } else { cursor.setPosition(final.m_cursor_begin.position()); cursor.setPosition(final.m_cursor_end.position(), QTextCursor::KeepAnchor); } q->setTextCursor(cursor); } // Calculate global position for a tooltip considering the left extra area. QPoint BaseTextEditorWidget::toolTipPosition(const QTextCursor &c) const { const QPoint cursorPos = mapToGlobal(cursorRect(c).bottomRight() + QPoint(1,1)); return cursorPos + QPoint(d->m_extraArea->width(), #ifdef Q_WS_WIN -24 #else -16 #endif ); } void BaseTextEditorWidget::processTooltipRequest(const QTextCursor &c) { const QPoint toolTipPoint = toolTipPosition(c); bool handled = false; BaseTextEditor *ed = editor(); emit ed->tooltipOverrideRequested(ed, toolTipPoint, c.position(), &handled); if (!handled) emit ed->tooltipRequested(ed, toolTipPoint, c.position()); } bool BaseTextEditorWidget::viewportEvent(QEvent *event) { d->m_contentsChanged = false; if (event->type() == QEvent::ToolTip) { if (QApplication::keyboardModifiers() & Qt::ControlModifier || (!(QApplication::keyboardModifiers() & Qt::ShiftModifier) && d->m_behaviorSettings.m_constrainHoverTooltips)) { // Tooltips should be eaten when either control is pressed (so they don't get in the // way of code navigation) or if they are in constrained mode and shift is not pressed. return true; } const QHelpEvent *he = static_cast(event); const QPoint &pos = he->pos(); RefactorMarker refactorMarker = d->m_refactorOverlay->markerAt(pos); if (refactorMarker.isValid() && !refactorMarker.tooltip.isEmpty()) { ToolTip::instance()->show(he->globalPos(), TextContent(refactorMarker.tooltip), viewport(), refactorMarker.rect); return true; } processTooltipRequest(cursorForPosition(pos)); return true; } return QPlainTextEdit::viewportEvent(event); } void BaseTextEditorWidget::resizeEvent(QResizeEvent *e) { QPlainTextEdit::resizeEvent(e); QRect cr = rect(); d->m_extraArea->setGeometry( QStyle::visualRect(layoutDirection(), cr, QRect(cr.left(), cr.top(), extraAreaWidth(), cr.height()))); } QRect BaseTextEditorWidget::foldBox() { if (d->m_highlightBlocksInfo.isEmpty() || d->extraAreaHighlightFoldedBlockNumber < 0) return QRect(); QTextBlock begin = document()->findBlockByNumber(d->m_highlightBlocksInfo.open.last()); QTextBlock end = document()->findBlockByNumber(d->m_highlightBlocksInfo.close.first()); if (!begin.isValid() || !end.isValid()) return QRect(); QRectF br = blockBoundingGeometry(begin).translated(contentOffset()); QRectF er = blockBoundingGeometry(end).translated(contentOffset()); return QRect(d->m_extraArea->width() - foldBoxWidth(fontMetrics()), int(br.top()), foldBoxWidth(fontMetrics()), er.bottom() - br.top()); } QTextBlock BaseTextEditorWidget::foldedBlockAt(const QPoint &pos, QRect *box) const { QPointF offset(contentOffset()); QTextBlock block = firstVisibleBlock(); qreal top = blockBoundingGeometry(block).translated(offset).top(); qreal bottom = top + blockBoundingRect(block).height(); int viewportHeight = viewport()->height(); while (block.isValid() && top <= viewportHeight) { QTextBlock nextBlock = block.next(); if (block.isVisible() && bottom >= 0) { if (nextBlock.isValid() && !nextBlock.isVisible()) { QTextLayout *layout = block.layout(); QTextLine line = layout->lineAt(layout->lineCount()-1); QRectF lineRect = line.naturalTextRect().translated(offset.x(), top); lineRect.adjust(0, 0, -1, -1); QString replacement = QLatin1String(" {") + foldReplacementText(block) + QLatin1String("}; "); QRectF collapseRect(lineRect.right() + 12, lineRect.top(), fontMetrics().width(replacement), lineRect.height()); if (collapseRect.contains(pos)) { QTextBlock result = block; if (box) *box = collapseRect.toAlignedRect(); return result; } else { block = nextBlock; while (nextBlock.isValid() && !nextBlock.isVisible()) { block = nextBlock; nextBlock = block.next(); } } } } block = nextBlock; top = bottom; bottom = top + blockBoundingRect(block).height(); } return QTextBlock(); } void BaseTextEditorWidgetPrivate::highlightSearchResults(const QTextBlock &block, TextEditorOverlay *overlay) { if (m_searchExpr.isEmpty()) return; int blockPosition = block.position(); QTextCursor cursor = q->textCursor(); QString text = block.text(); text.replace(QChar::Nbsp, QLatin1Char(' ')); int idx = -1; int l = 1; while (idx < text.length()) { idx = m_searchExpr.indexIn(text, idx + l); if (idx < 0) break; l = m_searchExpr.matchedLength(); if (l == 0) break; if ((m_findFlags & Find::FindWholeWords) && ((idx && text.at(idx-1).isLetterOrNumber()) || (idx + l < text.length() && text.at(idx + l).isLetterOrNumber()))) continue; if (!q->inFindScope(blockPosition + idx, blockPosition + idx + l)) continue; overlay->addOverlaySelection(blockPosition + idx, blockPosition + idx + l, m_searchResultFormat.background().color().darker(120), QColor(), (idx == cursor.selectionStart() - blockPosition && idx + l == cursor.selectionEnd() - blockPosition)? TextEditorOverlay::DropShadow : 0); } } namespace TextEditor { namespace Internal { struct BlockSelectionData { int selectionIndex; int selectionStart; int selectionEnd; int firstColumn; int lastColumn; }; } } void BaseTextEditorWidgetPrivate::clearBlockSelection() { if (m_inBlockSelectionMode) { m_inBlockSelectionMode = false; m_blockSelection.clear(); QTextCursor cursor = q->textCursor(); cursor.clearSelection(); q->setTextCursor(cursor); } } QString BaseTextEditorWidgetPrivate::copyBlockSelection() { QString selection; QTextCursor cursor = q->textCursor(); if (!m_inBlockSelectionMode) return selection; const TabSettings &ts = q->tabSettings(); QTextBlock block = m_blockSelection.firstBlock.block(); QTextBlock lastBlock = m_blockSelection.lastBlock.block(); for (;;) { QString text = block.text(); int startOffset = 0; int startPos = ts.positionAtColumn(text, m_blockSelection.firstVisualColumn, &startOffset); int endOffset = 0; int endPos = ts.positionAtColumn(text, m_blockSelection.lastVisualColumn, &endOffset); if (startPos == endPos) { selection += QString(endOffset - startOffset, QLatin1Char(' ')); } else { if (startOffset < 0) selection += QString(-startOffset, QLatin1Char(' ')); if (endOffset < 0) --endPos; selection += text.mid(startPos, endPos - startPos); if (endOffset < 0) { selection += QString(ts.m_tabSize + endOffset, QLatin1Char(' ')); } else if (endOffset > 0) { selection += QString(endOffset, QLatin1Char(' ')); } } if (block == lastBlock) break; selection += QLatin1Char('\n'); block = block.next(); } return selection; } void BaseTextEditorWidgetPrivate::removeBlockSelection(const QString &text) { QTextCursor cursor = q->textCursor(); if (!cursor.hasSelection() || !m_inBlockSelectionMode) return; int cursorPosition = cursor.selectionStart(); cursor.clearSelection(); cursor.beginEditBlock(); const TabSettings &ts = q->tabSettings(); QTextBlock block = m_blockSelection.firstBlock.block(); QTextBlock lastBlock = m_blockSelection.lastBlock.block(); for (;;) { QString text = block.text(); int startOffset = 0; int startPos = ts.positionAtColumn(text, m_blockSelection.firstVisualColumn, &startOffset); int endOffset = 0; int endPos = ts.positionAtColumn(text, m_blockSelection.lastVisualColumn, &endOffset); cursor.setPosition(block.position() + startPos); cursor.setPosition(block.position() + endPos, QTextCursor::KeepAnchor); cursor.removeSelectedText(); if (startOffset < 0) cursor.insertText(QString(ts.m_tabSize + startOffset, QLatin1Char(' '))); if (endOffset < 0) cursor.insertText(QString(-endOffset, QLatin1Char(' '))); if (block == lastBlock) break; block = block.next(); } cursor.setPosition(cursorPosition); if (!text.isEmpty()) cursor.insertText(text); cursor.endEditBlock(); q->setTextCursor(cursor); } void BaseTextEditorWidgetPrivate::moveCursorVisible(bool ensureVisible) { QTextCursor cursor = q->textCursor(); if (!cursor.block().isVisible()) { cursor.setVisualNavigation(true); cursor.movePosition(QTextCursor::Up); q->setTextCursor(cursor); } if (ensureVisible) q->ensureCursorVisible(); } static QColor blendColors(const QColor &a, const QColor &b, int alpha) { return QColor((a.red() * (256 - alpha) + b.red() * alpha) / 256, (a.green() * (256 - alpha) + b.green() * alpha) / 256, (a.blue() * (256 - alpha) + b.blue() * alpha) / 256); } static QColor calcBlendColor(const QColor &baseColor, int level, int count) { QColor color80; QColor color90; if (baseColor.value() > 128) { const int f90 = 15; const int f80 = 30; color80.setRgb(qMax(0, baseColor.red() - f80), qMax(0, baseColor.green() - f80), qMax(0, baseColor.blue() - f80)); color90.setRgb(qMax(0, baseColor.red() - f90), qMax(0, baseColor.green() - f90), qMax(0, baseColor.blue() - f90)); } else { const int f90 = 20; const int f80 = 40; color80.setRgb(qMin(255, baseColor.red() + f80), qMin(255, baseColor.green() + f80), qMin(255, baseColor.blue() + f80)); color90.setRgb(qMin(255, baseColor.red() + f90), qMin(255, baseColor.green() + f90), qMin(255, baseColor.blue() + f90)); } if (level == count) return baseColor; if (level == 0) return color80; if (level == count - 1) return color90; const int blendFactor = level * (256 / (count - 2)); return blendColors(color80, color90, blendFactor); } void BaseTextEditorWidget::paintEvent(QPaintEvent *e) { /* Here comes an almost verbatim copy of QPlainTextEdit::paintEvent() so we can adjust the extra selections dynamically to indicate all search results. */ //begin QPlainTextEdit::paintEvent() QPainter painter(viewport()); QTextDocument *doc = document(); BaseTextDocumentLayout *documentLayout = qobject_cast(doc->documentLayout()); QTC_ASSERT(documentLayout, return); QPointF offset(contentOffset()); QTextBlock textCursorBlock = textCursor().block(); bool hasMainSelection = textCursor().hasSelection(); bool suppressSyntaxInIfdefedOutBlock = (d->m_ifdefedOutFormat.foreground() != palette().foreground()); QRect er = e->rect(); QRect viewportRect = viewport()->rect(); qreal lineX = 0; if (d->m_visibleWrapColumn > 0) { // Don't use QFontMetricsF::averageCharWidth here, due to it returning // a fractional size even when this is not supported by the platform. lineX = QFontMetricsF(font()).width(QLatin1Char('x')) * d->m_visibleWrapColumn + offset.x() + 4; if (lineX < viewportRect.width()) { const QBrush background = d->m_ifdefedOutFormat.background(); painter.fillRect(QRectF(lineX, er.top(), viewportRect.width() - lineX, er.height()), background); const QColor col = (palette().base().color().value() > 128) ? Qt::black : Qt::white; const QPen pen = painter.pen(); painter.setPen(blendColors(background.isOpaque() ? background.color() : palette().base().color(), col, 32)); painter.drawLine(QPointF(lineX, er.top()), QPointF(lineX, er.bottom())); painter.setPen(pen); } } // Set a brush origin so that the WaveUnderline knows where the wave started painter.setBrushOrigin(offset); // // keep right margin clean from full-width selection // int maxX = offset.x() + qMax((qreal)viewportRect.width(), documentLayout->documentSize().width()) // - doc->documentMargin(); // er.setRight(qMin(er.right(), maxX)); // painter.setClipRect(er); bool editable = !isReadOnly(); QTextBlock block = firstVisibleBlock(); QAbstractTextDocumentLayout::PaintContext context = getPaintContext(); if (!d->m_highlightBlocksInfo.isEmpty()) { const QColor baseColor = palette().base().color(); // extra pass for the block highlight const int margin = 5; QTextBlock blockFP = block; QPointF offsetFP = offset; while (blockFP.isValid()) { QRectF r = blockBoundingRect(blockFP).translated(offsetFP); int n = blockFP.blockNumber(); int depth = 0; foreach (int i, d->m_highlightBlocksInfo.open) if (n >= i) ++depth; foreach (int i, d->m_highlightBlocksInfo.close) if (n > i) --depth; int count = d->m_highlightBlocksInfo.count(); if (count) { for (int i = 0; i <= depth; ++i) { const QColor &blendedColor = calcBlendColor(baseColor, i, count); int vi = i > 0 ? d->m_highlightBlocksInfo.visualIndent.at(i-1) : 0; QRectF oneRect = r; oneRect.setWidth(viewport()->width()); oneRect.adjust(vi, 0, -8*i, 0); if (oneRect.left() >= oneRect.right()) continue; if (lineX > 0 && oneRect.left() < lineX && oneRect.right() > lineX) { QRectF otherRect = r; otherRect.setLeft(lineX + 1); otherRect.setRight(oneRect.right()); oneRect.setRight(lineX - 1); painter.fillRect(otherRect, blendedColor); } painter.fillRect(oneRect, blendedColor); } } offsetFP.ry() += r.height(); if (offsetFP.y() > viewportRect.height() + margin) break; blockFP = blockFP.next(); if (!blockFP.isVisible()) { // invisible blocks do have zero line count blockFP = doc->findBlockByLineNumber(blockFP.firstLineNumber()); } } } int blockSelectionIndex = -1; if (d->m_inBlockSelectionMode && context.selections.count() && context.selections.last().cursor == textCursor()) { blockSelectionIndex = context.selections.size()-1; context.selections[blockSelectionIndex].format.clearBackground(); } QTextBlock visibleCollapsedBlock; QPointF visibleCollapsedBlockOffset; QTextLayout *cursor_layout = 0; QPointF cursor_offset; int cursor_cpos = 0; QPen cursor_pen; d->m_searchResultOverlay->clear(); if (!d->m_searchExpr.isEmpty()) { // first pass for the search result overlays const int margin = 5; QTextBlock blockFP = block; QPointF offsetFP = offset; while (blockFP.isValid()) { QRectF r = blockBoundingRect(blockFP).translated(offsetFP); if (r.bottom() >= er.top() - margin && r.top() <= er.bottom() + margin) { d->highlightSearchResults(blockFP, d->m_searchResultOverlay); } offsetFP.ry() += r.height(); if (offsetFP.y() > viewportRect.height() + margin) break; blockFP = blockFP.next(); if (!blockFP.isVisible()) { // invisible blocks do have zero line count blockFP = doc->findBlockByLineNumber(blockFP.firstLineNumber()); } } } // end first pass { // extra pass for ifdefed out blocks QTextBlock blockIDO = block; QPointF offsetIDO = offset; while (blockIDO.isValid()) { QRectF r = blockBoundingRect(blockIDO).translated(offsetIDO); if (r.bottom() >= er.top() && r.top() <= er.bottom()) { if (BaseTextDocumentLayout::ifdefedOut(blockIDO)) { QRectF rr = r; rr.setRight(viewportRect.width() - offset.x()); if (lineX > 0) rr.setRight(qMin(lineX, rr.right())); painter.fillRect(rr, d->m_ifdefedOutFormat.background()); } } offsetIDO.ry() += r.height(); if (offsetIDO.y() > viewportRect.height()) break; blockIDO = blockIDO.next(); if (!blockIDO.isVisible()) { // invisible blocks do have zero line count blockIDO = doc->findBlockByLineNumber(blockIDO.firstLineNumber()); } } } // possible extra pass for the block selection find scope if (!d->m_findScopeStart.isNull() && d->m_findScopeVerticalBlockSelectionFirstColumn >= 0) { QTextBlock blockFS = block; QPointF offsetFS = offset; while (blockFS.isValid()) { QRectF r = blockBoundingRect(blockFS).translated(offsetFS); if (r.bottom() >= er.top() && r.top() <= er.bottom()) { if (blockFS.position() >= d->m_findScopeStart.block().position() && blockFS.position() <= d->m_findScopeEnd.block().position()) { QTextLayout *layout = blockFS.layout(); QString text = blockFS.text(); const TabSettings &ts = tabSettings(); qreal spacew = QFontMetricsF(font()).width(QLatin1Char(' ')); int offset = 0; int relativePos = ts.positionAtColumn(text, d->m_findScopeVerticalBlockSelectionFirstColumn, &offset); QTextLine line = layout->lineForTextPosition(relativePos); qreal x = line.cursorToX(relativePos) + offset * spacew; int eoffset = 0; int erelativePos = ts.positionAtColumn(text, d->m_findScopeVerticalBlockSelectionLastColumn, &eoffset); QTextLine eline = layout->lineForTextPosition(erelativePos); qreal ex = eline.cursorToX(erelativePos) + eoffset * spacew; QRectF rr = line.naturalTextRect(); rr.moveTop(rr.top() + r.top()); rr.setLeft(r.left() + x); if (line.lineNumber() == eline.lineNumber()) { rr.setRight(r.left() + ex); } painter.fillRect(rr, d->m_searchScopeFormat.background()); QColor lineCol = d->m_searchScopeFormat.foreground().color(); QPen pen = painter.pen(); painter.setPen(lineCol); if (blockFS == d->m_findScopeStart.block()) painter.drawLine(rr.topLeft(), rr.topRight()); if (blockFS == d->m_findScopeEnd.block()) painter.drawLine(rr.bottomLeft(), rr.bottomRight()); painter.drawLine(rr.topLeft(), rr.bottomLeft()); painter.drawLine(rr.topRight(), rr.bottomRight()); painter.setPen(pen); } } offsetFS.ry() += r.height(); if (offsetFS.y() > viewportRect.height()) break; blockFS = blockFS.next(); if (!blockFS.isVisible()) { // invisible blocks do have zero line count blockFS = doc->findBlockByLineNumber(blockFS.firstLineNumber()); } } } if (!d->m_findScopeStart.isNull() && d->m_findScopeVerticalBlockSelectionFirstColumn < 0) { TextEditorOverlay *overlay = new TextEditorOverlay(this); overlay->addOverlaySelection(d->m_findScopeStart.position(), d->m_findScopeEnd.position(), d->m_searchScopeFormat.foreground().color(), d->m_searchScopeFormat.background().color(), TextEditorOverlay::ExpandBegin); overlay->setAlpha(false); overlay->paint(&painter, e->rect()); delete overlay; } d->m_searchResultOverlay->fill(&painter, d->m_searchResultFormat.background().color(), e->rect()); while (block.isValid()) { QRectF r = blockBoundingRect(block).translated(offset); if (r.bottom() >= er.top() && r.top() <= er.bottom()) { QTextLayout *layout = block.layout(); QTextOption option = layout->textOption(); if (suppressSyntaxInIfdefedOutBlock && BaseTextDocumentLayout::ifdefedOut(block)) { option.setFlags(option.flags() | QTextOption::SuppressColors); painter.setPen(d->m_ifdefedOutFormat.foreground().color()); } else { option.setFlags(option.flags() & ~QTextOption::SuppressColors); painter.setPen(context.palette.text().color()); } layout->setTextOption(option); layout->setFont(doc->defaultFont()); // this really should be in qplaintextedit when creating the layout! int blpos = block.position(); int bllen = block.length(); QVector selections; QVector prioritySelections; for (int i = 0; i < context.selections.size(); ++i) { const QAbstractTextDocumentLayout::Selection &range = context.selections.at(i); const int selStart = range.cursor.selectionStart() - blpos; const int selEnd = range.cursor.selectionEnd() - blpos; if (selStart < bllen && selEnd >= 0 && selEnd >= selStart) { QTextLayout::FormatRange o; o.start = selStart; o.length = selEnd - selStart; o.format = range.format; if (i == blockSelectionIndex) { QString text = block.text(); const TabSettings &ts = tabSettings(); o.start = ts.positionAtColumn(text, d->m_blockSelection.firstVisualColumn); o.length = ts.positionAtColumn(text, d->m_blockSelection.lastVisualColumn) - o.start; } if ((hasMainSelection && i == context.selections.size()-1) || (o.format.foreground().style() == Qt::NoBrush && o.format.underlineStyle() != QTextCharFormat::NoUnderline && o.format.background() == Qt::NoBrush)) prioritySelections.append(o); else selections.append(o); } #if 0 // we disable fullwidth selection. It's only used for m_highlightCurrentLine which we // do differently now else if (!range.cursor.hasSelection() && range.format.hasProperty(QTextFormat::FullWidthSelection) && block.contains(range.cursor.position())) { // for full width selections we don't require an actual selection, just // a position to specify the line. that's more convenience in usage. QTextLayout::FormatRange o; QTextLine l = layout->lineForTextPosition(range.cursor.position() - blpos); o.start = l.textStart(); o.length = l.textLength(); if (o.start + o.length == bllen - 1) ++o.length; // include newline o.format = range.format; selections.append(o); } #endif } selections += prioritySelections; if (d->m_highlightCurrentLine && block == textCursorBlock) { QRectF rr = layout->lineForTextPosition(textCursor().positionInBlock()).rect(); rr.moveTop(rr.top() + r.top()); rr.setLeft(0); rr.setRight(viewportRect.width() - offset.x()); QColor color = d->m_currentLineFormat.background().color(); // set alpha, otherwise we cannot see block highlighting and find scope underneath color.setAlpha(128); painter.fillRect(rr, color); } QRectF blockSelectionCursorRect; if (d->m_inBlockSelectionMode && block.position() >= d->m_blockSelection.firstBlock.block().position() && block.position() <= d->m_blockSelection.lastBlock.block().position()) { QString text = block.text(); const TabSettings &ts = tabSettings(); qreal spacew = QFontMetricsF(font()).width(QLatin1Char(' ')); int offset = 0; int relativePos = ts.positionAtColumn(text, d->m_blockSelection.firstVisualColumn, &offset); QTextLine line = layout->lineForTextPosition(relativePos); qreal x = line.cursorToX(relativePos) + offset * spacew; int eoffset = 0; int erelativePos = ts.positionAtColumn(text, d->m_blockSelection.lastVisualColumn, &eoffset); QTextLine eline = layout->lineForTextPosition(erelativePos); qreal ex = eline.cursorToX(erelativePos) + eoffset * spacew; QRectF rr = line.naturalTextRect(); rr.moveTop(rr.top() + r.top()); rr.setLeft(r.left() + x); if (line.lineNumber() == eline.lineNumber()) { rr.setRight(r.left() + ex); } painter.fillRect(rr, palette().highlight()); if ((d->m_blockSelection.anchor == BaseTextBlockSelection::TopLeft && block == d->m_blockSelection.firstBlock.block()) || (d->m_blockSelection.anchor == BaseTextBlockSelection::BottomLeft && block == d->m_blockSelection.lastBlock.block()) ) { rr.setRight(rr.left()+2); blockSelectionCursorRect = rr; } for (int i = line.lineNumber() + 1; i < eline.lineNumber(); ++i) { rr = layout->lineAt(i).naturalTextRect(); rr.moveTop(rr.top() + r.top()); rr.setLeft(r.left() + x); painter.fillRect(rr, palette().highlight()); } rr = eline.naturalTextRect(); rr.moveTop(rr.top() + r.top()); rr.setRight(r.left() + ex); if (line.lineNumber() != eline.lineNumber()) painter.fillRect(rr, palette().highlight()); if ((d->m_blockSelection.anchor == BaseTextBlockSelection::TopRight && block == d->m_blockSelection.firstBlock.block()) || (d->m_blockSelection.anchor == BaseTextBlockSelection::BottomRight && block == d->m_blockSelection.lastBlock.block())) { rr.setLeft(rr.right()-2); blockSelectionCursorRect = rr; } } bool drawCursor = ((editable || true) // we want the cursor in read-only mode && context.cursorPosition >= blpos && context.cursorPosition < blpos + bllen); bool drawCursorAsBlock = drawCursor && overwriteMode() ; if (drawCursorAsBlock) { int relativePos = context.cursorPosition - blpos; bool doSelection = true; QTextLine line = layout->lineForTextPosition(relativePos); qreal x = line.cursorToX(relativePos); qreal w = 0; if (relativePos < line.textLength() - line.textStart()) { w = line.cursorToX(relativePos + 1) - x; if (doc->characterAt(context.cursorPosition) == QLatin1Char('\t')) { doSelection = false; qreal space = QFontMetricsF(layout->font()).width(QLatin1Char(' ')); if (w > space) { x += w-space; w = space; } } } else w = QFontMetrics(layout->font()).width(QLatin1Char(' ')); // in sync with QTextLine::draw() QRectF rr = line.rect(); rr.moveTop(rr.top() + r.top()); rr.moveLeft(r.left() + x); rr.setWidth(w); painter.fillRect(rr, palette().text()); if (doSelection) { QTextLayout::FormatRange o; o.start = relativePos; o.length = 1; o.format.setForeground(palette().base()); selections.append(o); } } layout->draw(&painter, offset, selections, er); if ((drawCursor && !drawCursorAsBlock) || (editable && context.cursorPosition < -1 && !layout->preeditAreaText().isEmpty())) { int cpos = context.cursorPosition; if (cpos < -1) cpos = layout->preeditAreaPosition() - (cpos + 2); else cpos -= blpos; cursor_layout = layout; cursor_offset = offset; cursor_cpos = cpos; cursor_pen = painter.pen(); } #ifndef Q_OS_MAC // no visible cursor on mac if (blockSelectionCursorRect.isValid()) painter.fillRect(blockSelectionCursorRect, palette().text()); #endif } offset.ry() += r.height(); if (offset.y() > viewportRect.height()) break; block = block.next(); if (!block.isVisible()) { if (block.blockNumber() == d->visibleFoldedBlockNumber) { visibleCollapsedBlock = block; visibleCollapsedBlockOffset = offset + QPointF(0,1); } // invisible blocks do have zero line count block = doc->findBlockByLineNumber(block.firstLineNumber()); } } painter.setPen(context.palette.text().color()); if (backgroundVisible() && !block.isValid() && offset.y() <= er.bottom() && (centerOnScroll() || verticalScrollBar()->maximum() == verticalScrollBar()->minimum())) { painter.fillRect(QRect(QPoint((int)er.left(), (int)offset.y()), er.bottomRight()), palette().background()); } //end QPlainTextEdit::paintEvent() offset = contentOffset(); block = firstVisibleBlock(); qreal top = blockBoundingGeometry(block).translated(offset).top(); qreal bottom = top + blockBoundingRect(block).height(); QTextCursor cursor = textCursor(); bool hasSelection = cursor.hasSelection(); int selectionStart = cursor.selectionStart(); int selectionEnd = cursor.selectionEnd(); while (block.isValid() && top <= e->rect().bottom()) { QTextBlock nextBlock = block.next(); QTextBlock nextVisibleBlock = nextBlock; if (!nextVisibleBlock.isVisible()) { // invisible blocks do have zero line count nextVisibleBlock = doc->findBlockByLineNumber(nextVisibleBlock.firstLineNumber()); // paranoia in case our code somewhere did not set the line count // of the invisible block to 0 while (nextVisibleBlock.isValid() && !nextVisibleBlock.isVisible()) nextVisibleBlock = nextVisibleBlock.next(); } if (block.isVisible() && bottom >= e->rect().top()) { if (d->m_displaySettings.m_visualizeWhitespace) { QTextLayout *layout = block.layout(); int lineCount = layout->lineCount(); if (lineCount >= 2 || !nextBlock.isValid()) { painter.save(); painter.setPen(Qt::lightGray); for (int i = 0; i < lineCount-1; ++i) { // paint line wrap indicator QTextLine line = layout->lineAt(i); QRectF lineRect = line.naturalTextRect().translated(offset.x(), top); QChar visualArrow((ushort)0x21b5); painter.drawText(QPointF(lineRect.right(), lineRect.top() + line.ascent()), visualArrow); } if (!nextBlock.isValid()) { // paint EOF symbol QTextLine line = layout->lineAt(lineCount-1); QRectF lineRect = line.naturalTextRect().translated(offset.x(), top); int h = 4; lineRect.adjust(0, 0, -1, -1); QPainterPath path; QPointF pos(lineRect.topRight() + QPointF(h+4, line.ascent())); path.moveTo(pos); path.lineTo(pos + QPointF(-h, -h)); path.lineTo(pos + QPointF(0, -2*h)); path.lineTo(pos + QPointF(h, -h)); path.closeSubpath(); painter.setBrush(painter.pen().color()); painter.drawPath(path); } painter.restore(); } } if (nextBlock.isValid() && !nextBlock.isVisible()) { bool selectThis = (hasSelection && nextBlock.position() >= selectionStart && nextBlock.position() < selectionEnd); if (selectThis) { painter.save(); painter.setBrush(palette().highlight()); } QTextLayout *layout = block.layout(); QTextLine line = layout->lineAt(layout->lineCount()-1); QRectF lineRect = line.naturalTextRect().translated(offset.x(), top); lineRect.adjust(0, 0, -1, -1); QString replacement = foldReplacementText(block); QString rectReplacement = QLatin1String(" {") + replacement + QLatin1String("}; "); QRectF collapseRect(lineRect.right() + 12, lineRect.top(), fontMetrics().width(rectReplacement), lineRect.height()); painter.setRenderHint(QPainter::Antialiasing, true); painter.translate(.5, .5); painter.drawRoundedRect(collapseRect.adjusted(0, 0, 0, -1), 3, 3); painter.setRenderHint(QPainter::Antialiasing, false); painter.translate(-.5, -.5); if (TextBlockUserData *nextBlockUserData = BaseTextDocumentLayout::testUserData(nextBlock)) { if (nextBlockUserData->foldingStartIncluded()) replacement.prepend(nextBlock.text().trimmed().left(1)); } block = nextVisibleBlock.previous(); if (!block.isValid()) block = doc->lastBlock(); if (TextBlockUserData *blockUserData = BaseTextDocumentLayout::testUserData(block)) { if (blockUserData->foldingEndIncluded()) { QString right = block.text().trimmed(); if (right.endsWith(QLatin1Char(';'))) { right.chop(1); right = right.trimmed(); replacement.append(right.right(right.endsWith(QLatin1Char('/')) ? 2 : 1)); replacement.append(QLatin1Char(';')); } else { replacement.append(right.right(right.endsWith(QLatin1Char('/')) ? 2 : 1)); } } } if (selectThis) painter.setPen(palette().highlightedText().color()); painter.drawText(collapseRect, Qt::AlignCenter, replacement); if (selectThis) painter.restore(); } } block = nextVisibleBlock; top = bottom; bottom = top + blockBoundingRect(block).height(); } if (d->m_animator && d->m_animator->isRunning()) { QTextCursor cursor = textCursor(); cursor.setPosition(d->m_animator->position()); d->m_animator->draw(&painter, cursorRect(cursor).topLeft()); } // draw the overlays, but only if we do not have a find scope, otherwise the // view becomes too noisy. if (d->m_findScopeStart.isNull()) { if (d->m_overlay->isVisible()) d->m_overlay->paint(&painter, e->rect()); if (d->m_snippetOverlay->isVisible()) d->m_snippetOverlay->paint(&painter, e->rect()); if (!d->m_refactorOverlay->isEmpty()) d->m_refactorOverlay->paint(&painter, e->rect()); } if (!d->m_searchResultOverlay->isEmpty()) { d->m_searchResultOverlay->paint(&painter, e->rect()); d->m_searchResultOverlay->clear(); } // draw the cursor last, on top of everything if (cursor_layout && !d->m_inBlockSelectionMode) { painter.setPen(cursor_pen); cursor_layout->drawCursor(&painter, cursor_offset, cursor_cpos, cursorWidth()); } if (visibleCollapsedBlock.isValid()) { drawCollapsedBlockPopup(painter, visibleCollapsedBlock, visibleCollapsedBlockOffset, er); } } void BaseTextEditorWidget::drawCollapsedBlockPopup(QPainter &painter, const QTextBlock &block, QPointF offset, const QRect &clip) { int margin = block.document()->documentMargin(); qreal maxWidth = 0; qreal blockHeight = 0; QTextBlock b = block; while (!b.isVisible()) { b.setVisible(true); // make sure block bounding rect works QRectF r = blockBoundingRect(b).translated(offset); QTextLayout *layout = b.layout(); for (int i = layout->lineCount()-1; i >= 0; --i) maxWidth = qMax(maxWidth, layout->lineAt(i).naturalTextWidth() + 2*margin); blockHeight += r.height(); b.setVisible(false); // restore previous state b.setLineCount(0); // restore 0 line count for invisible block b = b.next(); } painter.save(); painter.setRenderHint(QPainter::Antialiasing, true); painter.translate(.5, .5); QBrush brush = palette().base(); if (d->m_ifdefedOutFormat.hasProperty(QTextFormat::BackgroundBrush)) brush = d->m_ifdefedOutFormat.background(); painter.setBrush(brush); painter.drawRoundedRect(QRectF(offset.x(), offset.y(), maxWidth, blockHeight).adjusted(0, 0, 0, 0), 3, 3); painter.restore(); QTextBlock end = b; b = block; while (b != end) { b.setVisible(true); // make sure block bounding rect works QRectF r = blockBoundingRect(b).translated(offset); QTextLayout *layout = b.layout(); QVector selections; layout->draw(&painter, offset, selections, clip); b.setVisible(false); // restore previous state b.setLineCount(0); // restore 0 line count for invisible block offset.ry() += r.height(); b = b.next(); } } QWidget *BaseTextEditorWidget::extraArea() const { return d->m_extraArea; } int BaseTextEditorWidget::extraAreaWidth(int *markWidthPtr) const { BaseTextDocumentLayout *documentLayout = qobject_cast(document()->documentLayout()); if (!documentLayout) return 0; if (!d->m_marksVisible && documentLayout->hasMarks) d->m_marksVisible = true; int space = 0; const QFontMetrics fm(d->m_extraArea->fontMetrics()); if (d->m_lineNumbersVisible) { QFont fnt = d->m_extraArea->font(); // this works under the assumption that bold or italic // can only make a font wider fnt.setBold(d->m_currentLineNumberFormat.font().bold()); fnt.setItalic(d->m_currentLineNumberFormat.font().italic()); const QFontMetrics linefm(fnt); int digits = 2; int max = qMax(1, blockCount()); while (max >= 100) { max /= 10; ++digits; } space += linefm.width(QLatin1Char('9')) * digits; } int markWidth = 0; if (d->m_marksVisible) { markWidth += documentLayout->maxMarkWidthFactor * fm.lineSpacing() + 2; // if (documentLayout->doubleMarkCount) // markWidth += fm.lineSpacing() / 3; space += markWidth; } else { space += 2; } if (markWidthPtr) *markWidthPtr = markWidth; space += 4; if (d->m_codeFoldingVisible) space += foldBoxWidth(fm); return space; } void BaseTextEditorWidget::slotUpdateExtraAreaWidth() { if (isLeftToRight()) setViewportMargins(extraAreaWidth(), 0, 0, 0); else setViewportMargins(0, 0, extraAreaWidth(), 0); } static void drawRectBox(QPainter *painter, const QRect &rect, bool start, bool end, const QPalette &pal) { painter->save(); painter->setRenderHint(QPainter::Antialiasing, false); QRgb b = pal.base().color().rgb(); QRgb h = pal.highlight().color().rgb(); QColor c = Utils::StyleHelper::mergedColors(b,h, 50); QLinearGradient grad(rect.topLeft(), rect.topRight()); grad.setColorAt(0, c.lighter(110)); grad.setColorAt(1, c.lighter(130)); QColor outline = c; painter->fillRect(rect, grad); painter->setPen(outline); if (start) painter->drawLine(rect.topLeft() + QPoint(1, 0), rect.topRight() - QPoint(1, 0)); if (end) painter->drawLine(rect.bottomLeft() + QPoint(1, 0), rect.bottomRight() - QPoint(1, 0)); painter->drawLine(rect.topRight() + QPoint(0, start ? 1 : 0), rect.bottomRight() - QPoint(0, end ? 1 : 0)); painter->drawLine(rect.topLeft() + QPoint(0, start ? 1 : 0), rect.bottomLeft() - QPoint(0, end ? 1 : 0)); painter->restore(); } void BaseTextEditorWidget::extraAreaPaintEvent(QPaintEvent *e) { QTextDocument *doc = document(); BaseTextDocumentLayout *documentLayout = qobject_cast(doc->documentLayout()); QTC_ASSERT(documentLayout, return); int selStart = textCursor().selectionStart(); int selEnd = textCursor().selectionEnd(); QPalette pal = d->m_extraArea->palette(); pal.setCurrentColorGroup(QPalette::Active); QPainter painter(d->m_extraArea); const QFontMetrics fm(d->m_extraArea->font()); int fmLineSpacing = fm.lineSpacing(); int markWidth = 0; if (d->m_marksVisible) markWidth += fm.lineSpacing(); const int collapseColumnWidth = d->m_codeFoldingVisible ? foldBoxWidth(fm): 0; const int extraAreaWidth = d->m_extraArea->width() - collapseColumnWidth; painter.fillRect(e->rect(), pal.color(QPalette::Background)); QTextBlock block = firstVisibleBlock(); int blockNumber = block.blockNumber(); qreal top = blockBoundingGeometry(block).translated(contentOffset()).top(); qreal bottom = top; while (block.isValid() && top <= e->rect().bottom()) { top = bottom; const qreal height = blockBoundingRect(block).height(); bottom = top + height; QTextBlock nextBlock = block.next(); QTextBlock nextVisibleBlock = nextBlock; int nextVisibleBlockNumber = blockNumber + 1; if (!nextVisibleBlock.isVisible()) { // invisible blocks do have zero line count nextVisibleBlock = doc->findBlockByLineNumber(nextVisibleBlock.firstLineNumber()); nextVisibleBlockNumber = nextVisibleBlock.blockNumber(); } if (bottom < e->rect().top()) { block = nextVisibleBlock; blockNumber = nextVisibleBlockNumber; continue; } painter.setPen(pal.color(QPalette::Dark)); if (d->m_codeFoldingVisible || d->m_marksVisible) { painter.save(); painter.setRenderHint(QPainter::Antialiasing, false); if (TextBlockUserData *userData = static_cast(block.userData())) { if (d->m_marksVisible) { int xoffset = 0; TextMarks marks = userData->marks(); TextMarks::const_iterator it = marks.constBegin(); if (marks.size() > 3) { // We want the 3 with the highest priority so iterate from the back int count = 0; it = marks.constEnd() - 1; while (it != marks.constBegin()) { if ((*it)->visible()) ++count; if (count == 3) break; --it; } } TextMarks::const_iterator end = marks.constEnd(); for ( ; it != end; ++it) { ITextMark *mark = *it; if (!mark->visible()) continue; const int height = fmLineSpacing - 1; const int width = int(.5 + height * mark->widthFactor()); const QRect r(xoffset, top, width, height); mark->paint(&painter, r); xoffset += 2; } } } if (d->m_codeFoldingVisible) { int extraAreaHighlightFoldBlockNumber = -1; int extraAreaHighlightFoldEndBlockNumber = -1; bool endIsVisible = false; if (!d->m_highlightBlocksInfo.isEmpty()) { extraAreaHighlightFoldBlockNumber = d->m_highlightBlocksInfo.open.last(); extraAreaHighlightFoldEndBlockNumber = d->m_highlightBlocksInfo.close.first(); endIsVisible = doc->findBlockByNumber(extraAreaHighlightFoldEndBlockNumber).isVisible(); // QTextBlock before = doc->findBlockByNumber(extraAreaHighlightCollapseBlockNumber-1); // if (TextBlockUserData::hasCollapseAfter(before)) { // extraAreaHighlightCollapseBlockNumber--; // } } TextBlockUserData *nextBlockUserData = BaseTextDocumentLayout::testUserData(nextBlock); bool drawBox = nextBlockUserData && BaseTextDocumentLayout::foldingIndent(block) < nextBlockUserData->foldingIndent(); bool active = blockNumber == extraAreaHighlightFoldBlockNumber; bool drawStart = active; bool drawEnd = blockNumber == extraAreaHighlightFoldEndBlockNumber || (drawStart && !endIsVisible); bool hovered = blockNumber >= extraAreaHighlightFoldBlockNumber && blockNumber <= extraAreaHighlightFoldEndBlockNumber; int boxWidth = foldBoxWidth(fm); if (hovered) { int itop = qRound(top); int ibottom = qRound(bottom); QRect box = QRect(extraAreaWidth + 1, itop, boxWidth - 2, ibottom - itop); drawRectBox(&painter, box, drawStart, drawEnd, pal); } if (drawBox) { bool expanded = nextBlock.isVisible(); int size = boxWidth/4; QRect box(extraAreaWidth + size, top + size, 2 * (size) + 1, 2 * (size) + 1); drawFoldingMarker(&painter, pal, box, expanded, active, hovered); } } painter.restore(); } if (d->m_revisionsVisible && block.revision() != documentLayout->lastSaveRevision) { painter.save(); painter.setRenderHint(QPainter::Antialiasing, false); if (block.revision() < 0) painter.setPen(QPen(Qt::darkGreen, 2)); else painter.setPen(QPen(Qt::red, 2)); painter.drawLine(extraAreaWidth - 1, top, extraAreaWidth - 1, bottom - 1); painter.restore(); } if (d->m_lineNumbersVisible) { const QString &number = QString::number(blockNumber + 1); bool selected = ( (selStart < block.position() + block.length() && selEnd > block.position()) || (selStart == selEnd && selStart == block.position()) ); if (selected) { painter.save(); QFont f = painter.font(); f.setBold(d->m_currentLineNumberFormat.font().bold()); f.setItalic(d->m_currentLineNumberFormat.font().italic()); painter.setFont(f); painter.setPen(d->m_currentLineNumberFormat.foreground().color()); } painter.drawText(QRectF(markWidth, top, extraAreaWidth - markWidth - 4, height), Qt::AlignRight, number); if (selected) painter.restore(); } block = nextVisibleBlock; blockNumber = nextVisibleBlockNumber; } } void BaseTextEditorWidget::drawFoldingMarker(QPainter *painter, const QPalette &pal, const QRect &rect, bool expanded, bool active, bool hovered) const { Q_UNUSED(active) Q_UNUSED(hovered) QStyle *s = style(); if (ManhattanStyle *ms = qobject_cast(s)) s = ms->baseStyle(); if (!qstrcmp(s->metaObject()->className(), "OxygenStyle")) { painter->save(); painter->setPen(Qt::NoPen); int size = rect.size().width(); int sqsize = 2*(size/2); QColor textColor = pal.buttonText().color(); QColor brushColor = textColor; textColor.setAlpha(100); brushColor.setAlpha(100); QPolygon a; if (expanded) { // down arrow a.setPoints(3, 0, sqsize/3, sqsize/2, sqsize - sqsize/3, sqsize, sqsize/3); } else { // right arrow a.setPoints(3, sqsize - sqsize/3, sqsize/2, sqsize/2 - sqsize/3, 0, sqsize/2 - sqsize/3, sqsize); painter->setBrush(brushColor); } painter->translate(0.5, 0.5); painter->setRenderHint(QPainter::Antialiasing); painter->translate(rect.topLeft()); painter->setPen(textColor); painter->setBrush(textColor); painter->drawPolygon(a); painter->restore(); } else { QStyleOptionViewItemV2 opt; opt.rect = rect; opt.state = QStyle::State_Active | QStyle::State_Item | QStyle::State_Children; if (expanded) opt.state |= QStyle::State_Open; if (active) opt.state |= QStyle::State_MouseOver | QStyle::State_Enabled | QStyle::State_Selected; if (hovered) opt.palette.setBrush(QPalette::Window, pal.highlight()); // QGtkStyle needs a small correction to draw the marker in the right place if (!qstrcmp(s->metaObject()->className(), "QGtkStyle")) opt.rect.translate(-2, 0); else if (!qstrcmp(s->metaObject()->className(), "QMacStyle")) opt.rect.translate(-1, 0); s->drawPrimitive(QStyle::PE_IndicatorBranch, &opt, painter, this); } } void BaseTextEditorWidget::slotModificationChanged(bool m) { if (m) return; QTextDocument *doc = document(); BaseTextDocumentLayout *documentLayout = qobject_cast(doc->documentLayout()); QTC_ASSERT(documentLayout, return); int oldLastSaveRevision = documentLayout->lastSaveRevision; documentLayout->lastSaveRevision = doc->revision(); if (oldLastSaveRevision != documentLayout->lastSaveRevision) { QTextBlock block = doc->begin(); while (block.isValid()) { if (block.revision() < 0 || block.revision() != oldLastSaveRevision) { block.setRevision(-documentLayout->lastSaveRevision - 1); } else { block.setRevision(documentLayout->lastSaveRevision); } block = block.next(); } } d->m_extraArea->update(); } void BaseTextEditorWidget::slotUpdateRequest(const QRect &r, int dy) { if (dy) d->m_extraArea->scroll(0, dy); else if (r.width() > 4) { // wider than cursor width, not just cursor blinking d->m_extraArea->update(0, r.y(), d->m_extraArea->width(), r.height()); if (!d->m_searchExpr.isEmpty()) { const int m = d->m_searchResultOverlay->dropShadowWidth(); viewport()->update(r.adjusted(-m, -m, m, m)); } } if (r.contains(viewport()->rect())) slotUpdateExtraAreaWidth(); } void BaseTextEditorWidget::saveCurrentCursorPositionForNavigation() { d->m_lastCursorChangeWasInteresting = true; d->m_tempNavigationState = saveState(); } void BaseTextEditorWidget::updateCurrentLineHighlight() { QList extraSelections; if (d->m_highlightCurrentLine) { QTextEdit::ExtraSelection sel; sel.format.setBackground(d->m_currentLineFormat.background()); sel.format.setProperty(QTextFormat::FullWidthSelection, true); sel.cursor = textCursor(); sel.cursor.clearSelection(); extraSelections.append(sel); } setExtraSelections(CurrentLineSelection, extraSelections); // the extra area shows information for the entire current block, not just the currentline. // This is why we must force a bigger update region. int cursorBlockNumber = textCursor().blockNumber(); if (cursorBlockNumber != d->m_cursorBlockNumber) { QPointF offset = contentOffset(); QTextBlock block = document()->findBlockByNumber(d->m_cursorBlockNumber); if (block.isValid()) d->m_extraArea->update(blockBoundingGeometry(block).translated(offset).toAlignedRect()); block = document()->findBlockByNumber(cursorBlockNumber); if (block.isValid() && block.isVisible()) d->m_extraArea->update(blockBoundingGeometry(block).translated(offset).toAlignedRect()); d->m_cursorBlockNumber = cursorBlockNumber; } } void BaseTextEditorWidget::slotCursorPositionChanged() { #if 0 qDebug() << "block" << textCursor().blockNumber()+1 << "brace depth:" << BaseTextDocumentLayout::braceDepth(textCursor().block()) << "indent:" << BaseTextDocumentLayout::userData(textCursor().block())->foldingIndent(); #endif if (!d->m_contentsChanged && d->m_lastCursorChangeWasInteresting) { Core::EditorManager::instance()->addCurrentPositionToNavigationHistory(editor(), d->m_tempNavigationState); d->m_lastCursorChangeWasInteresting = false; } else if (d->m_contentsChanged) { saveCurrentCursorPositionForNavigation(); } updateHighlights(); } void BaseTextEditorWidget::updateHighlights() { if (d->m_parenthesesMatchingEnabled && hasFocus()) { // Delay update when no matching is displayed yet, to avoid flicker if (extraSelections(ParenthesesMatchingSelection).isEmpty() && d->m_animator == 0) { d->m_parenthesesMatchingTimer->start(50); } else { // use 0-timer, not direct call, to give the syntax highlighter a chance // to update the parantheses information d->m_parenthesesMatchingTimer->start(0); } } updateCurrentLineHighlight(); if (d->m_displaySettings.m_highlightBlocks) { QTextCursor cursor = textCursor(); d->extraAreaHighlightFoldedBlockNumber = cursor.blockNumber(); d->m_highlightBlocksTimer->start(100); } } void BaseTextEditorWidget::slotUpdateBlockNotify(const QTextBlock &block) { static bool blockRecursion = false; if (blockRecursion) return; blockRecursion = true; if (d->m_overlay->isVisible()) { /* an overlay might draw outside the block bounderies, force complete viewport update */ viewport()->update(); } else { if (block.previous().isValid() && block.userState() != block.previous().userState()) { /* The syntax highlighting state changes. This opens up for the possibility that the paragraph has braces that support code folding. In this case, do the save thing and also update the previous block, which might contain a fold box which now is invalid.*/ emit requestBlockUpdate(block.previous()); } if (!d->m_findScopeStart.isNull()) { if (block.position() < d->m_findScopeEnd.position() && block.position()+block.length() >= d->m_findScopeStart.position()) { QTextBlock b = block.document()->findBlock(d->m_findScopeStart.position()); do { emit requestBlockUpdate(b); b = b.next(); } while (b.isValid() && b.position() < d->m_findScopeEnd.position()); } } } blockRecursion = false; } void BaseTextEditorWidget::timerEvent(QTimerEvent *e) { if (e->timerId() == d->autoScrollTimer.timerId()) { const QPoint globalPos = QCursor::pos(); const QPoint pos = d->m_extraArea->mapFromGlobal(globalPos); QRect visible = d->m_extraArea->rect(); verticalScrollBar()->triggerAction( pos.y() < visible.center().y() ? QAbstractSlider::SliderSingleStepSub : QAbstractSlider::SliderSingleStepAdd); QMouseEvent ev(QEvent::MouseMove, pos, globalPos, Qt::LeftButton, Qt::LeftButton, Qt::NoModifier); extraAreaMouseEvent(&ev); int delta = qMax(pos.y() - visible.top(), visible.bottom() - pos.y()) - visible.height(); if (delta < 7) delta = 7; int timeout = 4900 / (delta * delta); d->autoScrollTimer.start(timeout, this); } else if (e->timerId() == d->foldedBlockTimer.timerId()) { d->visibleFoldedBlockNumber = d->suggestedVisibleFoldedBlockNumber; d->suggestedVisibleFoldedBlockNumber = -1; d->foldedBlockTimer.stop(); viewport()->update(); } QPlainTextEdit::timerEvent(e); } void BaseTextEditorWidgetPrivate::clearVisibleFoldedBlock() { if (suggestedVisibleFoldedBlockNumber) { suggestedVisibleFoldedBlockNumber = -1; foldedBlockTimer.stop(); } if (visibleFoldedBlockNumber >= 0) { visibleFoldedBlockNumber = -1; q->viewport()->update(); } } void BaseTextEditorWidget::mouseMoveEvent(QMouseEvent *e) { updateLink(e); if (e->buttons() == Qt::NoButton) { const QTextBlock collapsedBlock = foldedBlockAt(e->pos()); const int blockNumber = collapsedBlock.next().blockNumber(); if (blockNumber < 0) { d->clearVisibleFoldedBlock(); } else if (blockNumber != d->visibleFoldedBlockNumber) { d->suggestedVisibleFoldedBlockNumber = blockNumber; d->foldedBlockTimer.start(40, this); } const RefactorMarker refactorMarker = d->m_refactorOverlay->markerAt(e->pos()); // Update the mouse cursor if ((collapsedBlock.isValid() || refactorMarker.isValid()) && !d->m_mouseOnFoldedMarker) { d->m_mouseOnFoldedMarker = true; viewport()->setCursor(Qt::PointingHandCursor); } else if (!collapsedBlock.isValid() && !refactorMarker.isValid() && d->m_mouseOnFoldedMarker) { d->m_mouseOnFoldedMarker = false; viewport()->setCursor(Qt::IBeamCursor); } } else { QPlainTextEdit::mouseMoveEvent(e); if (e->modifiers() & Qt::AltModifier) { if (!d->m_inBlockSelectionMode) { d->m_blockSelection.fromSelection(tabSettings(), textCursor()); d->m_inBlockSelectionMode = true; } else { QTextCursor cursor = textCursor(); // get visual column int column = tabSettings().columnAt(cursor.block().text(), cursor.positionInBlock()); if (cursor.positionInBlock() == cursor.block().length()-1) { column += (e->pos().x() - cursorRect().center().x())/QFontMetricsF(font()).width(QLatin1Char(' ')); } d->m_blockSelection.moveAnchor(cursor.blockNumber(), column); setTextCursor(d->m_blockSelection.selection(tabSettings())); viewport()->update(); } } } if (viewport()->cursor().shape() == Qt::BlankCursor) viewport()->setCursor(Qt::IBeamCursor); } static bool handleForwardBackwardMouseButtons(QMouseEvent *e) { if (e->button() == Qt::XButton1) { Core::EditorManager::instance()->goBackInNavigationHistory(); return true; } if (e->button() == Qt::XButton2) { Core::EditorManager::instance()->goForwardInNavigationHistory(); return true; } return false; } void BaseTextEditorWidget::mousePressEvent(QMouseEvent *e) { if (e->button() == Qt::LeftButton) { d->clearBlockSelection(); // just in case, otherwise we might get strange drag and drop QTextBlock foldedBlock = foldedBlockAt(e->pos()); if (foldedBlock.isValid()) { toggleBlockVisible(foldedBlock); viewport()->setCursor(Qt::IBeamCursor); } RefactorMarker refactorMarker = d->m_refactorOverlay->markerAt(e->pos()); if (refactorMarker.isValid()) { emit refactorMarkerClicked(refactorMarker); } else { updateLink(e); if (d->m_currentLink.isValid()) d->m_linkPressed = true; } } else if (e->button() == Qt::RightButton) { int eventCursorPosition = cursorForPosition(e->pos()).position(); if (eventCursorPosition < textCursor().selectionStart() || eventCursorPosition > textCursor().selectionEnd()) { setTextCursor(cursorForPosition(e->pos())); } } #ifdef Q_OS_LINUX if (handleForwardBackwardMouseButtons(e)) return; #endif QPlainTextEdit::mousePressEvent(e); } void BaseTextEditorWidget::mouseReleaseEvent(QMouseEvent *e) { if (mouseNavigationEnabled() && d->m_linkPressed && e->modifiers() & Qt::ControlModifier && !(e->modifiers() & Qt::ShiftModifier) && e->button() == Qt::LeftButton ) { const QTextCursor cursor = cursorForPosition(e->pos()); if (openLink(findLinkAt(cursor))) { clearLink(); return; } } #ifndef Q_OS_LINUX if (handleForwardBackwardMouseButtons(e)) return; #endif QPlainTextEdit::mouseReleaseEvent(e); } void BaseTextEditorWidget::mouseDoubleClickEvent(QMouseEvent *e) { if (e->button() == Qt::LeftButton) { QTextCursor cursor = textCursor(); const int position = cursor.position(); if (TextBlockUserData::findPreviousOpenParenthesis(&cursor, false, true)) { if (position - cursor.position() == 1 && selectBlockUp()) return; } } QPlainTextEdit::mouseDoubleClickEvent(e); } void BaseTextEditorWidget::leaveEvent(QEvent *e) { // Clear link emulation when the mouse leaves the editor clearLink(); QPlainTextEdit::leaveEvent(e); } void BaseTextEditorWidget::keyReleaseEvent(QKeyEvent *e) { if (e->key() == Qt::Key_Control) { clearLink(); } else if (e->key() == Qt::Key_Shift && d->m_behaviorSettings.m_constrainHoverTooltips && ToolTip::instance()->isVisible()) { ToolTip::instance()->hide(); } else if (e->key() == Qt::Key_Alt && d->m_maybeFakeTooltipEvent) { d->m_maybeFakeTooltipEvent = false; processTooltipRequest(textCursor()); } QPlainTextEdit::keyReleaseEvent(e); } void BaseTextEditorWidget::dragEnterEvent(QDragEnterEvent *e) { // If the drag event contains URLs, we don't want to insert them as text if (e->mimeData()->hasUrls()) { e->ignore(); return; } QPlainTextEdit::dragEnterEvent(e); } void BaseTextEditorWidget::extraAreaLeaveEvent(QEvent *) { // fake missing mouse move event from Qt QMouseEvent me(QEvent::MouseMove, QPoint(-1, -1), Qt::NoButton, 0, 0); extraAreaMouseEvent(&me); } void BaseTextEditorWidget::extraAreaContextMenuEvent(QContextMenuEvent *e) { QTextCursor cursor = cursorForPosition(QPoint(0, e->pos().y())); if (d->m_marksVisible) { QMenu * contextMenu = new QMenu(this); emit editor()->markContextMenuRequested(editor(), cursor.blockNumber() + 1, contextMenu); if (!contextMenu->isEmpty()) contextMenu->exec(e->globalPos()); delete contextMenu; e->accept(); } } void BaseTextEditorWidget::extraAreaMouseEvent(QMouseEvent *e) { QTextCursor cursor = cursorForPosition(QPoint(0, e->pos().y())); int markWidth; extraAreaWidth(&markWidth); if (d->m_codeFoldingVisible && e->type() == QEvent::MouseMove && e->buttons() == 0) { // mouse tracking // Update which folder marker is highlighted const int highlightBlockNumber = d->extraAreaHighlightFoldedBlockNumber; d->extraAreaHighlightFoldedBlockNumber = -1; if (e->pos().x() > extraArea()->width() - foldBoxWidth(fontMetrics())) { d->extraAreaHighlightFoldedBlockNumber = cursor.blockNumber(); } else if (d->m_displaySettings.m_highlightBlocks) { QTextCursor cursor = textCursor(); d->extraAreaHighlightFoldedBlockNumber = cursor.blockNumber(); } if (highlightBlockNumber != d->extraAreaHighlightFoldedBlockNumber) d->m_highlightBlocksTimer->start(d->m_highlightBlocksInfo.isEmpty() ? 120 : 0); } // Set whether the mouse cursor is a hand or normal arrow if (e->type() == QEvent::MouseMove) { bool hand = (e->pos().x() <= markWidth); if (hand != (d->m_extraArea->cursor().shape() == Qt::PointingHandCursor)) d->m_extraArea->setCursor(hand ? Qt::PointingHandCursor : Qt::ArrowCursor); } if (e->type() == QEvent::MouseButtonPress || e->type() == QEvent::MouseButtonDblClick) { if (e->button() == Qt::LeftButton) { int boxWidth = foldBoxWidth(fontMetrics()); if (d->m_codeFoldingVisible && e->pos().x() > extraArea()->width() - boxWidth) { if (!cursor.block().next().isVisible()) { toggleBlockVisible(cursor.block()); d->moveCursorVisible(false); } else if (foldBox().contains(e->pos())) { cursor.setPosition( document()->findBlockByNumber(d->m_highlightBlocksInfo.open.last()).position() ); QTextBlock c = cursor.block(); toggleBlockVisible(c); d->moveCursorVisible(false); } } else if (d->m_lineNumbersVisible && e->pos().x() > markWidth) { QTextCursor selection = cursor; selection.setVisualNavigation(true); d->extraAreaSelectionAnchorBlockNumber = selection.blockNumber(); selection.movePosition(QTextCursor::EndOfBlock, QTextCursor::KeepAnchor); selection.movePosition(QTextCursor::Right, QTextCursor::KeepAnchor); setTextCursor(selection); } else { d->extraAreaToggleMarkBlockNumber = cursor.blockNumber(); } } } else if (d->extraAreaSelectionAnchorBlockNumber >= 0) { QTextCursor selection = cursor; selection.setVisualNavigation(true); if (e->type() == QEvent::MouseMove) { QTextBlock anchorBlock = document()->findBlockByNumber(d->extraAreaSelectionAnchorBlockNumber); selection.setPosition(anchorBlock.position()); if (cursor.blockNumber() < d->extraAreaSelectionAnchorBlockNumber) { selection.movePosition(QTextCursor::EndOfBlock); selection.movePosition(QTextCursor::Right); } selection.setPosition(cursor.block().position(), QTextCursor::KeepAnchor); if (cursor.blockNumber() >= d->extraAreaSelectionAnchorBlockNumber) { selection.movePosition(QTextCursor::EndOfBlock, QTextCursor::KeepAnchor); selection.movePosition(QTextCursor::Right, QTextCursor::KeepAnchor); } if (e->pos().y() >= 0 && e->pos().y() <= d->m_extraArea->height()) d->autoScrollTimer.stop(); else if (!d->autoScrollTimer.isActive()) d->autoScrollTimer.start(100, this); } else { d->autoScrollTimer.stop(); d->extraAreaSelectionAnchorBlockNumber = -1; return; } setTextCursor(selection); } else if (d->extraAreaToggleMarkBlockNumber >= 0 && d->m_marksVisible && d->m_requestMarkEnabled) { if (e->type() == QEvent::MouseButtonRelease && e->button() == Qt::LeftButton) { int n = d->extraAreaToggleMarkBlockNumber; d->extraAreaToggleMarkBlockNumber = -1; if (cursor.blockNumber() == n) { if (TextBlockUserData *data = static_cast(cursor.block().userData())) { foreach (ITextMark *mark, data->marks()) { if (mark->clickable()) { mark->clicked(); return; } } } int line = n + 1; ITextEditor::MarkRequestKind kind; if (QApplication::keyboardModifiers() & Qt::ShiftModifier) kind = ITextEditor::BookmarkRequest; else kind = ITextEditor::BreakpointRequest; emit editor()->markRequested(editor(), line, kind); } } } } void BaseTextEditorWidget::ensureCursorVisible() { QTextBlock block = textCursor().block(); if (!block.isVisible()) { while (!block.isVisible() && block.previous().isValid()) block = block.previous(); toggleBlockVisible(block); } QPlainTextEdit::ensureCursorVisible(); } void BaseTextEditorWidget::toggleBlockVisible(const QTextBlock &block) { BaseTextDocumentLayout *documentLayout = qobject_cast(document()->documentLayout()); QTC_ASSERT(documentLayout, return); bool visible = block.next().isVisible(); BaseTextDocumentLayout::doFoldOrUnfold(block, !visible); documentLayout->requestUpdate(); documentLayout->emitDocumentSizeChanged(); } const TabSettings &BaseTextEditorWidget::tabSettings() const { return d->m_document->tabSettings(); } void BaseTextEditorWidget::setLanguageSettingsId(const QString &settingsId) { d->m_tabSettingsId = settingsId; } QString BaseTextEditorWidget::languageSettingsId() const { return d->m_tabSettingsId; } void BaseTextEditorWidget::setCodeStyle(ICodeStylePreferences *preferences) { indenter()->setCodeStylePreferences(preferences); if (d->m_codeStylePreferences) { disconnect(d->m_codeStylePreferences, SIGNAL(currentTabSettingsChanged(TextEditor::TabSettings)), this, SLOT(setTabSettings(TextEditor::TabSettings))); disconnect(d->m_codeStylePreferences, SIGNAL(currentValueChanged(QVariant)), this, SLOT(slotCodeStyleSettingsChanged(QVariant))); disconnect(d->m_codeStylePreferences, SIGNAL(destroyed()), this, SLOT(onCodeStylePreferencesDestroyed())); } d->m_codeStylePreferences = preferences; if (d->m_codeStylePreferences) { connect(d->m_codeStylePreferences, SIGNAL(currentTabSettingsChanged(TextEditor::TabSettings)), this, SLOT(setTabSettings(TextEditor::TabSettings))); connect(d->m_codeStylePreferences, SIGNAL(currentValueChanged(QVariant)), this, SLOT(slotCodeStyleSettingsChanged(QVariant))); connect(d->m_codeStylePreferences, SIGNAL(destroyed()), this, SLOT(onCodeStylePreferencesDestroyed())); setTabSettings(d->m_codeStylePreferences->currentTabSettings()); slotCodeStyleSettingsChanged(d->m_codeStylePreferences->currentValue()); } } void BaseTextEditorWidget::onCodeStylePreferencesDestroyed() { if (sender() != d->m_codeStylePreferences) return; // avoid failing disconnects, m_codeStylePreferences has already been reduced to QObject d->m_codeStylePreferences = 0; setCodeStyle(TextEditorSettings::instance()->codeStyle(languageSettingsId())); } void BaseTextEditorWidget::slotCodeStyleSettingsChanged(const QVariant &) { } const DisplaySettings &BaseTextEditorWidget::displaySettings() const { return d->m_displaySettings; } void BaseTextEditorWidget::indentOrUnindent(bool doIndent) { const TextEditor::TabSettings &tabSettings = d->m_document->tabSettings(); QTextCursor cursor = textCursor(); maybeClearSomeExtraSelections(cursor); cursor.beginEditBlock(); if (cursor.hasSelection()) { // Indent or unindent the selected lines int pos = cursor.position(); int anchor = cursor.anchor(); int start = qMin(anchor, pos); int end = qMax(anchor, pos); QTextDocument *doc = document(); QTextBlock startBlock = doc->findBlock(start); QTextBlock endBlock = doc->findBlock(end-1).next(); if (startBlock.next() == endBlock && (start > startBlock.position() || end < endBlock.position() - 1)) { // Only one line partially selected. cursor.removeSelectedText(); } else { for (QTextBlock block = startBlock; block != endBlock; block = block.next()) { QString text = block.text(); int indentPosition = tabSettings.lineIndentPosition(text); if (!doIndent && !indentPosition) indentPosition = tabSettings.firstNonSpace(text); int targetColumn = tabSettings.indentedColumn(tabSettings.columnAt(text, indentPosition), doIndent); cursor.setPosition(block.position() + indentPosition); cursor.insertText(tabSettings.indentationString(0, targetColumn, block)); cursor.setPosition(block.position()); cursor.setPosition(block.position() + indentPosition, QTextCursor::KeepAnchor); cursor.removeSelectedText(); } cursor.endEditBlock(); return; } } // Indent or unindent at cursor position QTextBlock block = cursor.block(); QString text = block.text(); int indentPosition = cursor.positionInBlock(); int spaces = tabSettings.spacesLeftFromPosition(text, indentPosition); int startColumn = tabSettings.columnAt(text, indentPosition - spaces); int targetColumn = tabSettings.indentedColumn(tabSettings.columnAt(text, indentPosition), doIndent); cursor.setPosition(block.position() + indentPosition); cursor.setPosition(block.position() + indentPosition - spaces, QTextCursor::KeepAnchor); cursor.removeSelectedText(); cursor.insertText(tabSettings.indentationString(startColumn, targetColumn, block)); cursor.endEditBlock(); setTextCursor(cursor); } void BaseTextEditorWidget::handleHomeKey(bool anchor) { QTextCursor cursor = textCursor(); QTextCursor::MoveMode mode = QTextCursor::MoveAnchor; if (anchor) mode = QTextCursor::KeepAnchor; const int initpos = cursor.position(); int pos = cursor.block().position(); QChar character = characterAt(pos); const QLatin1Char tab = QLatin1Char('\t'); while (character == tab || character.category() == QChar::Separator_Space) { ++pos; if (pos == initpos) break; character = characterAt(pos); } // Go to the start of the block when we're already at the start of the text if (pos == initpos) pos = cursor.block().position(); cursor.setPosition(pos, mode); setTextCursor(cursor); } void BaseTextEditorWidget::handleBackspaceKey() { QTextCursor cursor = textCursor(); QTC_ASSERT(!cursor.hasSelection(), return); const int pos = cursor.position(); if (!pos) return; bool cursorWithinSnippet = false; if (d->m_snippetOverlay->isVisible()) { QTextCursor snippetCursor = cursor; snippetCursor.movePosition(QTextCursor::Left); cursorWithinSnippet = d->snippetCheckCursor(snippetCursor); } const TextEditor::TabSettings &tabSettings = d->m_document->tabSettings(); const TextEditor::TypingSettings &typingSettings = d->m_document->typingSettings(); if (typingSettings.m_autoIndent && d->m_autoCompleter->autoBackspace(cursor)) return; bool handled = false; if (typingSettings.m_smartBackspaceBehavior == TypingSettings::BackspaceNeverIndents) { if (cursorWithinSnippet) cursor.beginEditBlock(); cursor.deletePreviousChar(); handled = true; } else if (typingSettings.m_smartBackspaceBehavior == TypingSettings::BackspaceFollowsPreviousIndents) { QTextBlock currentBlock = cursor.block(); int positionInBlock = pos - currentBlock.position(); const QString blockText = currentBlock.text(); if (cursor.atBlockStart() || tabSettings.firstNonSpace(blockText) < positionInBlock) { if (cursorWithinSnippet) cursor.beginEditBlock(); cursor.deletePreviousChar(); handled = true; } else { if (cursorWithinSnippet) { d->m_snippetOverlay->clear(); cursorWithinSnippet = false; } int previousIndent = 0; const int indent = tabSettings.columnAt(blockText, positionInBlock); for (QTextBlock previousNonEmptyBlock = currentBlock.previous(); previousNonEmptyBlock.isValid(); previousNonEmptyBlock = previousNonEmptyBlock.previous()) { QString previousNonEmptyBlockText = previousNonEmptyBlock.text(); if (previousNonEmptyBlockText.trimmed().isEmpty()) continue; previousIndent = tabSettings.columnAt(previousNonEmptyBlockText, tabSettings.firstNonSpace(previousNonEmptyBlockText)); if (previousIndent < indent) { cursor.beginEditBlock(); cursor.setPosition(currentBlock.position(), QTextCursor::KeepAnchor); cursor.insertText(tabSettings.indentationString(previousNonEmptyBlockText)); cursor.endEditBlock(); handled = true; break; } } } } else if (typingSettings.m_smartBackspaceBehavior == TypingSettings::BackspaceUnindents) { const QChar &c = characterAt(pos - 1); if (!(c == QLatin1Char(' ') || c == QLatin1Char('\t'))) { if (cursorWithinSnippet) cursor.beginEditBlock(); cursor.deletePreviousChar(); } else { if (cursorWithinSnippet) { d->m_snippetOverlay->clear(); cursorWithinSnippet = false; } indentOrUnindent(false); } handled = true; } if (!handled) { if (cursorWithinSnippet) cursor.beginEditBlock(); cursor.deletePreviousChar(); } if (cursorWithinSnippet) { cursor.endEditBlock(); d->m_snippetOverlay->updateEquivalentSelections(cursor); } setTextCursor(cursor); } void BaseTextEditorWidget::wheelEvent(QWheelEvent *e) { d->clearVisibleFoldedBlock(); if (scrollWheelZoomingEnabled() && e->modifiers() & Qt::ControlModifier) { const int delta = e->delta(); if (delta < 0) zoomOut(); else if (delta > 0) zoomIn(); return; } QPlainTextEdit::wheelEvent(e); } void BaseTextEditorWidget::zoomIn(int range) { d->clearVisibleFoldedBlock(); emit requestFontZoom(range*10); } void BaseTextEditorWidget::zoomOut(int range) { zoomIn(-range); } void BaseTextEditorWidget::zoomReset() { emit requestZoomReset(); } void BaseTextEditorWidget::indentInsertedText(const QTextCursor &tc) { indent(tc.document(), tc, QChar::Null); } void BaseTextEditorWidget::indent(QTextDocument *doc, const QTextCursor &cursor, QChar typedChar) { maybeClearSomeExtraSelections(cursor); d->m_indenter->indent(doc, cursor, typedChar, tabSettings()); } void BaseTextEditorWidget::reindent(QTextDocument *doc, const QTextCursor &cursor) { maybeClearSomeExtraSelections(cursor); d->m_indenter->reindent(doc, cursor, tabSettings()); } BaseTextEditorWidget::Link BaseTextEditorWidget::findLinkAt(const QTextCursor &, bool) { return Link(); } bool BaseTextEditorWidget::openLink(const Link &link) { if (link.fileName.isEmpty()) return false; if (baseTextDocument()->fileName() == link.fileName) { Core::EditorManager *editorManager = Core::EditorManager::instance(); editorManager->addCurrentPositionToNavigationHistory(); gotoLine(link.line, link.column); setFocus(); return true; } return openEditorAt(link.fileName, link.line, link.column, Core::Id(), Core::EditorManager::IgnoreNavigationHistory | Core::EditorManager::ModeSwitch); } void BaseTextEditorWidget::updateLink(QMouseEvent *e) { bool linkFound = false; if (mouseNavigationEnabled() && e->modifiers() & Qt::ControlModifier) { // Link emulation behaviour for 'go to definition' const QTextCursor cursor = cursorForPosition(e->pos()); // Check that the mouse was actually on the text somewhere bool onText = cursorRect(cursor).right() >= e->x(); if (!onText) { QTextCursor nextPos = cursor; nextPos.movePosition(QTextCursor::Right); onText = cursorRect(nextPos).right() >= e->x(); } const Link link = findLinkAt(cursor, false); if (onText && link.isValid()) { showLink(link); linkFound = true; } } if (!linkFound) clearLink(); } void BaseTextEditorWidget::showLink(const Link &link) { if (d->m_currentLink == link) return; QTextEdit::ExtraSelection sel; sel.cursor = textCursor(); sel.cursor.setPosition(link.begin); sel.cursor.setPosition(link.end, QTextCursor::KeepAnchor); sel.format = d->m_linkFormat; sel.format.setFontUnderline(true); setExtraSelections(OtherSelection, QList() << sel); viewport()->setCursor(Qt::PointingHandCursor); d->m_currentLink = link; d->m_linkPressed = false; } void BaseTextEditorWidget::clearLink() { if (!d->m_currentLink.isValid()) return; setExtraSelections(OtherSelection, QList()); viewport()->setCursor(Qt::IBeamCursor); d->m_currentLink = Link(); d->m_linkPressed = false; } void BaseTextEditorWidget::markBlocksAsChanged(QList blockNumbers) { QTextBlock block = document()->begin(); while (block.isValid()) { if (block.revision() < 0) block.setRevision(-block.revision() - 1); block = block.next(); } foreach (const int blockNumber, blockNumbers) { QTextBlock block = document()->findBlockByNumber(blockNumber); if (block.isValid()) block.setRevision(-block.revision() - 1); } } void BaseTextEditorWidget::highlightSearchResults(const QString &txt, Find::FindFlags findFlags) { QString pattern = txt; // highlighting single characters only if you're searching for whole words if (pattern.size() < 2 && !(findFlags & Find::FindWholeWords)) pattern.clear(); if (d->m_searchExpr.pattern() == pattern) return; d->m_searchExpr.setPattern(pattern); d->m_searchExpr.setPatternSyntax((findFlags & Find::FindRegularExpression) ? QRegExp::RegExp : QRegExp::FixedString); d->m_searchExpr.setCaseSensitivity((findFlags & Find::FindCaseSensitively) ? Qt::CaseSensitive : Qt::CaseInsensitive); d->m_findFlags = findFlags; d->m_delayedUpdateTimer->start(50); } int BaseTextEditorWidget::verticalBlockSelectionFirstColumn() const { if (d->m_inBlockSelectionMode) return d->m_blockSelection.firstVisualColumn; return -1; } int BaseTextEditorWidget::verticalBlockSelectionLastColumn() const { if (d->m_inBlockSelectionMode) return d->m_blockSelection.lastVisualColumn; return -1; } QRegion BaseTextEditorWidget::translatedLineRegion(int lineStart, int lineEnd) const { QRegion region; for (int i = lineStart ; i <= lineEnd; i++) { QTextBlock block = document()->findBlockByNumber(i); QPoint topLeft = blockBoundingGeometry(block).translated(contentOffset()).topLeft().toPoint(); if (block.isValid()) { QTextLayout *layout = block.layout(); for (int i = 0; i < layout->lineCount();i++) { QTextLine line = layout->lineAt(i); region += line.naturalTextRect().translated(topLeft).toRect(); } } } return region; } void BaseTextEditorWidget::setFindScope(const QTextCursor &start, const QTextCursor &end, int verticalBlockSelectionFirstColumn, int verticalBlockSelectionLastColumn) { if (start != d->m_findScopeStart || end != d->m_findScopeEnd || verticalBlockSelectionFirstColumn != d->m_findScopeVerticalBlockSelectionFirstColumn || verticalBlockSelectionLastColumn != d->m_findScopeVerticalBlockSelectionLastColumn) { d->m_findScopeStart = start; d->m_findScopeEnd = end; d->m_findScopeVerticalBlockSelectionFirstColumn = verticalBlockSelectionFirstColumn; d->m_findScopeVerticalBlockSelectionLastColumn = verticalBlockSelectionLastColumn; viewport()->update(); } } void BaseTextEditorWidget::_q_animateUpdate(int position, QPointF lastPos, QRectF rect) { QTextCursor cursor(textCursor()); cursor.setPosition(position); viewport()->update(QRectF(cursorRect(cursor).topLeft() + rect.topLeft(), rect.size()).toAlignedRect()); if (!lastPos.isNull()) viewport()->update(QRectF(lastPos + rect.topLeft(), rect.size()).toAlignedRect()); } BaseTextEditorAnimator::BaseTextEditorAnimator(QObject *parent) :QObject(parent) { m_value = 0; m_timeline = new QTimeLine(256, this); m_timeline->setCurveShape(QTimeLine::SineCurve); connect(m_timeline, SIGNAL(valueChanged(qreal)), this, SLOT(step(qreal))); connect(m_timeline, SIGNAL(finished()), this, SLOT(deleteLater())); m_timeline->start(); } void BaseTextEditorAnimator::setData(QFont f, QPalette pal, const QString &text) { m_font = f; m_palette = pal; m_text = text; QFontMetrics fm(m_font); m_size = QSizeF(fm.width(m_text), fm.height()); } void BaseTextEditorAnimator::draw(QPainter *p, const QPointF &pos) { m_lastDrawPos = pos; p->setPen(m_palette.text().color()); QFont f = m_font; f.setPointSizeF(f.pointSizeF() * (1.0 + m_value/2)); QFontMetrics fm(f); int width = fm.width(m_text); QRectF r((m_size.width()-width)/2, (m_size.height() - fm.height())/2, width, fm.height()); r.translate(pos); p->fillRect(r, m_palette.base()); p->setFont(f); p->drawText(r, m_text); } bool BaseTextEditorAnimator::isRunning() const { return m_timeline->state() == QTimeLine::Running; } QRectF BaseTextEditorAnimator::rect() const { QFont f = m_font; f.setPointSizeF(f.pointSizeF() * (1.0 + m_value/2)); QFontMetrics fm(f); int width = fm.width(m_text); return QRectF((m_size.width()-width)/2, (m_size.height() - fm.height())/2, width, fm.height()); } void BaseTextEditorAnimator::step(qreal v) { QRectF before = rect(); m_value = v; QRectF after = rect(); emit updateRequest(m_position, m_lastDrawPos, before.united(after)); } void BaseTextEditorAnimator::finish() { m_timeline->stop(); step(0); deleteLater(); } void BaseTextEditorWidget::_q_matchParentheses() { if (isReadOnly()) return; QTextCursor backwardMatch = textCursor(); QTextCursor forwardMatch = textCursor(); const TextBlockUserData::MatchType backwardMatchType = TextBlockUserData::matchCursorBackward(&backwardMatch); const TextBlockUserData::MatchType forwardMatchType = TextBlockUserData::matchCursorForward(&forwardMatch); QList extraSelections; if (backwardMatchType == TextBlockUserData::NoMatch && forwardMatchType == TextBlockUserData::NoMatch) { setExtraSelections(ParenthesesMatchingSelection, extraSelections); // clear return; } int animatePosition = -1; if (backwardMatch.hasSelection()) { QTextEdit::ExtraSelection sel; if (backwardMatchType == TextBlockUserData::Mismatch) { sel.cursor = backwardMatch; sel.format = d->m_mismatchFormat; } else { if (d->m_displaySettings.m_animateMatchingParentheses) { animatePosition = backwardMatch.selectionStart(); } else if (d->m_formatRange) { sel.cursor = backwardMatch; sel.format = d->m_rangeFormat; extraSelections.append(sel); } sel.cursor = backwardMatch; sel.format = d->m_matchFormat; sel.cursor.setPosition(backwardMatch.selectionStart()); sel.cursor.movePosition(QTextCursor::NextCharacter, QTextCursor::KeepAnchor); extraSelections.append(sel); sel.cursor.setPosition(backwardMatch.selectionEnd()); sel.cursor.movePosition(QTextCursor::PreviousCharacter, QTextCursor::KeepAnchor); } extraSelections.append(sel); } if (forwardMatch.hasSelection()) { QTextEdit::ExtraSelection sel; if (forwardMatchType == TextBlockUserData::Mismatch) { sel.cursor = forwardMatch; sel.format = d->m_mismatchFormat; } else { if (d->m_displaySettings.m_animateMatchingParentheses) { animatePosition = forwardMatch.selectionEnd()-1; } else if (d->m_formatRange) { sel.cursor = forwardMatch; sel.format = d->m_rangeFormat; extraSelections.append(sel); } sel.cursor = forwardMatch; sel.format = d->m_matchFormat; sel.cursor.setPosition(forwardMatch.selectionStart()); sel.cursor.movePosition(QTextCursor::NextCharacter, QTextCursor::KeepAnchor); extraSelections.append(sel); sel.cursor.setPosition(forwardMatch.selectionEnd()); sel.cursor.movePosition(QTextCursor::PreviousCharacter, QTextCursor::KeepAnchor); } extraSelections.append(sel); } if (animatePosition >= 0) { foreach (const QTextEdit::ExtraSelection &sel, BaseTextEditorWidget::extraSelections(ParenthesesMatchingSelection)) { if (sel.cursor.selectionStart() == animatePosition || sel.cursor.selectionEnd() - 1 == animatePosition) { animatePosition = -1; break; } } } if (animatePosition >= 0) { if (d->m_animator) d->m_animator->finish(); // one animation is enough d->m_animator = new BaseTextEditorAnimator(this); d->m_animator->setPosition(animatePosition); QPalette pal; pal.setBrush(QPalette::Text, d->m_matchFormat.foreground()); pal.setBrush(QPalette::Base, d->m_rangeFormat.background()); d->m_animator->setData(font(), pal, characterAt(d->m_animator->position())); connect(d->m_animator, SIGNAL(updateRequest(int,QPointF,QRectF)), this, SLOT(_q_animateUpdate(int,QPointF,QRectF))); } setExtraSelections(ParenthesesMatchingSelection, extraSelections); } void BaseTextEditorWidget::_q_highlightBlocks() { BaseTextEditorPrivateHighlightBlocks highlightBlocksInfo; QTextBlock block; if (d->extraAreaHighlightFoldedBlockNumber >= 0) { block = document()->findBlockByNumber(d->extraAreaHighlightFoldedBlockNumber); if (block.isValid() && block.next().isValid() && BaseTextDocumentLayout::foldingIndent(block.next()) > BaseTextDocumentLayout::foldingIndent(block)) block = block.next(); } QTextBlock closeBlock = block; while (block.isValid()) { int foldingIndent = BaseTextDocumentLayout::foldingIndent(block); while (block.previous().isValid() && BaseTextDocumentLayout::foldingIndent(block) >= foldingIndent) block = block.previous(); int nextIndent = BaseTextDocumentLayout::foldingIndent(block); if (nextIndent == foldingIndent) break; highlightBlocksInfo.open.prepend(block.blockNumber()); while (closeBlock.next().isValid() && BaseTextDocumentLayout::foldingIndent(closeBlock.next()) >= foldingIndent ) closeBlock = closeBlock.next(); highlightBlocksInfo.close.append(closeBlock.blockNumber()); int visualIndent = qMin(d->visualIndent(block), d->visualIndent(closeBlock)); highlightBlocksInfo.visualIndent.prepend(visualIndent); } #if 0 if (block.isValid()) { QTextCursor cursor(block); if (d->extraAreaHighlightCollapseColumn >= 0) cursor.setPosition(cursor.position() + qMin(d->extraAreaHighlightCollapseColumn, block.length()-1)); QTextCursor closeCursor; bool firstRun = true; while (TextBlockUserData::findPreviousBlockOpenParenthesis(&cursor, firstRun)) { firstRun = false; highlightBlocksInfo.open.prepend(cursor.blockNumber()); int visualIndent = d->visualIndent(cursor.block()); if (closeCursor.isNull()) closeCursor = cursor; if (TextBlockUserData::findNextBlockClosingParenthesis(&closeCursor)) { highlightBlocksInfo.close.append(closeCursor.blockNumber()); visualIndent = qMin(visualIndent, d->visualIndent(closeCursor.block())); } highlightBlocksInfo.visualIndent.prepend(visualIndent); } } #endif if (d->m_highlightBlocksInfo != highlightBlocksInfo) { d->m_highlightBlocksInfo = highlightBlocksInfo; viewport()->update(); d->m_extraArea->update(); } } void BaseTextEditorWidget::setActionHack(QObject *hack) { d->m_actionHack = hack; } QObject *BaseTextEditorWidget::actionHack() const { return d->m_actionHack; } void BaseTextEditorWidget::changeEvent(QEvent *e) { QPlainTextEdit::changeEvent(e); if (e->type() == QEvent::ApplicationFontChange || e->type() == QEvent::FontChange) { if (d->m_extraArea) { QFont f = d->m_extraArea->font(); f.setPointSizeF(font().pointSizeF()); d->m_extraArea->setFont(f); slotUpdateExtraAreaWidth(); d->m_extraArea->update(); } } } void BaseTextEditorWidget::focusInEvent(QFocusEvent *e) { QPlainTextEdit::focusInEvent(e); updateHighlights(); } void BaseTextEditorWidget::focusOutEvent(QFocusEvent *e) { QPlainTextEdit::focusOutEvent(e); if (viewport()->cursor().shape() == Qt::BlankCursor) viewport()->setCursor(Qt::IBeamCursor); } void BaseTextEditorWidget::maybeSelectLine() { QTextCursor cursor = textCursor(); if (!cursor.hasSelection()) { const QTextBlock &block = cursor.block(); if (block.next().isValid()) { cursor.setPosition(block.position()); cursor.setPosition(block.next().position(), QTextCursor::KeepAnchor); } else { cursor.movePosition(QTextCursor::EndOfBlock); cursor.movePosition(QTextCursor::StartOfBlock, QTextCursor::KeepAnchor); cursor.movePosition(QTextCursor::PreviousCharacter, QTextCursor::KeepAnchor); } setTextCursor(cursor); } } // shift+del void BaseTextEditorWidget::cutLine() { maybeSelectLine(); cut(); } // ctrl+ins void BaseTextEditorWidget::copyLine() { QTextCursor prevCursor = textCursor(); maybeSelectLine(); copy(); setTextCursor(prevCursor); } void BaseTextEditorWidget::deleteLine() { maybeSelectLine(); textCursor().removeSelectedText(); } void BaseTextEditorWidget::deleteEndOfWord() { moveCursor(QTextCursor::EndOfWord, QTextCursor::KeepAnchor); textCursor().removeSelectedText(); setTextCursor(textCursor()); } void BaseTextEditorWidget::deleteEndOfWordCamelCase() { QTextCursor c = textCursor(); camelCaseRight(c, QTextCursor::KeepAnchor); c.removeSelectedText(); setTextCursor(c); } void BaseTextEditorWidget::deleteStartOfWord() { moveCursor(QTextCursor::StartOfWord, QTextCursor::KeepAnchor); textCursor().removeSelectedText(); setTextCursor(textCursor()); } void BaseTextEditorWidget::deleteStartOfWordCamelCase() { QTextCursor c = textCursor(); camelCaseLeft(c, QTextCursor::KeepAnchor); c.removeSelectedText(); setTextCursor(c); } void BaseTextEditorWidget::setExtraSelections(ExtraSelectionKind kind, const QList &selections) { if (selections.isEmpty() && d->m_extraSelections[kind].isEmpty()) return; d->m_extraSelections[kind] = selections; if (kind == CodeSemanticsSelection) { d->m_overlay->clear(); foreach (const QTextEdit::ExtraSelection &selection, d->m_extraSelections[kind]) { d->m_overlay->addOverlaySelection(selection.cursor, selection.format.background().color(), selection.format.background().color(), TextEditorOverlay::LockSize); } d->m_overlay->setVisible(!d->m_overlay->isEmpty()); } else if (kind == SnippetPlaceholderSelection) { d->m_snippetOverlay->clear(); foreach (const QTextEdit::ExtraSelection &selection, d->m_extraSelections[kind]) { d->m_snippetOverlay->addOverlaySelection(selection.cursor, selection.format.background().color(), selection.format.background().color(), TextEditorOverlay::ExpandBegin); } d->m_snippetOverlay->mapEquivalentSelections(); d->m_snippetOverlay->setVisible(!d->m_snippetOverlay->isEmpty()); } else { QList all; for (int i = 0; i < NExtraSelectionKinds; ++i) { if (i == CodeSemanticsSelection || i == SnippetPlaceholderSelection) continue; all += d->m_extraSelections[i]; } QPlainTextEdit::setExtraSelections(all); } } QList BaseTextEditorWidget::extraSelections(ExtraSelectionKind kind) const { return d->m_extraSelections[kind]; } void BaseTextEditorWidget::maybeClearSomeExtraSelections(const QTextCursor &cursor) { const int smallSelectionSize = 50 * 50; if (cursor.selectionEnd() - cursor.selectionStart() < smallSelectionSize) return; d->m_extraSelections[UndefinedSymbolSelection].clear(); d->m_extraSelections[ObjCSelection].clear(); d->m_extraSelections[CodeWarningsSelection].clear(); QList all; for (int i = 0; i < NExtraSelectionKinds; ++i) { if (i == CodeSemanticsSelection || i == SnippetPlaceholderSelection) continue; all += d->m_extraSelections[i]; } QPlainTextEdit::setExtraSelections(all); } QString BaseTextEditorWidget::extraSelectionTooltip(int pos) const { QList all; for (int i = 0; i < NExtraSelectionKinds; ++i) { const QList &sel = d->m_extraSelections[i]; for (int j = 0; j < sel.size(); ++j) { const QTextEdit::ExtraSelection &s = sel.at(j); if (s.cursor.selectionStart() <= pos && s.cursor.selectionEnd() >= pos && !s.format.toolTip().isEmpty()) return s.format.toolTip(); } } return QString(); } // the blocks list must be sorted void BaseTextEditorWidget::setIfdefedOutBlocks(const QList &blocks) { QTextDocument *doc = document(); BaseTextDocumentLayout *documentLayout = qobject_cast(doc->documentLayout()); QTC_ASSERT(documentLayout, return); bool needUpdate = false; QTextBlock block = doc->firstBlock(); int rangeNumber = 0; int braceDepthDelta = 0; while (block.isValid()) { bool cleared = false; bool set = false; if (rangeNumber < blocks.size()) { const BlockRange &range = blocks.at(rangeNumber); if (block.position() >= range.first && ((block.position() + block.length() - 1) <= range.last || !range.last)) { set = BaseTextDocumentLayout::setIfdefedOut(block); } else { cleared = BaseTextDocumentLayout::clearIfdefedOut(block); } if (block.contains(range.last)) ++rangeNumber; } else { cleared = BaseTextDocumentLayout::clearIfdefedOut(block); } if (cleared || set) { needUpdate = true; int delta = BaseTextDocumentLayout::braceDepthDelta(block); if (cleared) braceDepthDelta += delta; else if (set) braceDepthDelta -= delta; } if (braceDepthDelta) { BaseTextDocumentLayout::changeBraceDepth(block,braceDepthDelta); BaseTextDocumentLayout::changeFoldingIndent(block, braceDepthDelta); // ### C++ only, refactor! } block = block.next(); } if (needUpdate) documentLayout->requestUpdate(); } void BaseTextEditorWidget::format() { QTextCursor cursor = textCursor(); cursor.beginEditBlock(); indent(document(), cursor, QChar::Null); cursor.endEditBlock(); } void BaseTextEditorWidget::rewrapParagraph() { const int paragraphWidth = displaySettings().m_wrapColumn; const QRegExp anyLettersOrNumbers = QRegExp(QLatin1String("\\w")); const int tabSize = tabSettings().m_tabSize; QTextCursor cursor = textCursor(); cursor.beginEditBlock(); // Find start of paragraph. while (cursor.movePosition(QTextCursor::PreviousBlock, QTextCursor::MoveAnchor)) { QTextBlock block = cursor.block(); QString text = block.text(); // If this block is empty, move marker back to previous and terminate. if (!text.contains(anyLettersOrNumbers)) { cursor.movePosition(QTextCursor::NextBlock, QTextCursor::MoveAnchor); break; } } cursor.movePosition(QTextCursor::StartOfBlock, QTextCursor::MoveAnchor); // Find indent level of current block. int indentLevel = 0; QString text = cursor.block().text(); for (int i = 0; i < text.length(); i++) { const QChar ch = text.at(i); if (ch == QLatin1Char(' ')) indentLevel++; else if (ch == QLatin1Char('\t')) indentLevel += tabSize - (indentLevel % tabSize); else break; } // If there is a common prefix, it should be kept and expanded to all lines. // this allows nice reflowing of doxygen style comments. QTextCursor nextBlock = cursor; QString commonPrefix; if (nextBlock.movePosition(QTextCursor::NextBlock)) { QString nText = nextBlock.block().text(); int maxLength = qMin(text.length(), nText.length()); for (int i = 0; i < maxLength; ++i) { const QChar ch = text.at(i); if (ch != nText[i] || ch.isLetterOrNumber()) break; commonPrefix.append(ch); } } // Find end of paragraph. while (cursor.movePosition(QTextCursor::NextBlock, QTextCursor::KeepAnchor)) { QString text = cursor.block().text(); if (!text.contains(anyLettersOrNumbers)) break; } QString selectedText = cursor.selectedText(); // Preserve initial indent level.or common prefix. QString spacing; if (commonPrefix.isEmpty()) { spacing = tabSettings().indentationString(0, indentLevel, textCursor().block()); } else { spacing = commonPrefix; indentLevel = commonPrefix.length(); } int currentLength = indentLevel; QString result; result.append(spacing); // Remove existing instances of any common prefix from paragraph to // reflow. selectedText.remove(0, commonPrefix.length()); commonPrefix.prepend(QChar::ParagraphSeparator); selectedText.replace(commonPrefix, QLatin1String("\n")); // remove any repeated spaces, trim lines to PARAGRAPH_WIDTH width and // keep the same indentation level as first line in paragraph. QString currentWord; for (int i = 0; i < selectedText.length(); ++i) { QChar ch = selectedText.at(i); if (ch.isSpace()) { if (!currentWord.isEmpty()) { currentLength += currentWord.length() + 1; if (currentLength > paragraphWidth) { currentLength = currentWord.length() + 1 + indentLevel; result.chop(1); // remove trailing space result.append(QChar::ParagraphSeparator); result.append(spacing); } result.append(currentWord); result.append(QLatin1Char(' ')); currentWord.clear(); } continue; } currentWord.append(ch); } result.chop(1); result.append(QChar::ParagraphSeparator); cursor.insertText(result); cursor.endEditBlock(); } void BaseTextEditorWidget::unCommentSelection() { } void BaseTextEditorWidget::showEvent(QShowEvent* e) { if (!d->m_fontSettings.isEmpty()) { setFontSettings(d->m_fontSettings); d->m_fontSettings.clear(); } QPlainTextEdit::showEvent(e); } void BaseTextEditorWidget::setFontSettingsIfVisible(const TextEditor::FontSettings &fs) { if (!isVisible()) { d->m_fontSettings = fs; return; } setFontSettings(fs); } void BaseTextEditorWidget::setFontSettings(const TextEditor::FontSettings &fs) { const QTextCharFormat textFormat = fs.toTextCharFormat(QLatin1String(Constants::C_TEXT)); const QTextCharFormat selectionFormat = fs.toTextCharFormat(QLatin1String(Constants::C_SELECTION)); const QTextCharFormat lineNumberFormat = fs.toTextCharFormat(QLatin1String(Constants::C_LINE_NUMBER)); const QTextCharFormat searchResultFormat = fs.toTextCharFormat(QLatin1String(Constants::C_SEARCH_RESULT)); d->m_searchScopeFormat = fs.toTextCharFormat(QLatin1String(Constants::C_SEARCH_SCOPE)); const QTextCharFormat parenthesesFormat = fs.toTextCharFormat(QLatin1String(Constants::C_PARENTHESES)); d->m_currentLineFormat = fs.toTextCharFormat(QLatin1String(Constants::C_CURRENT_LINE)); d->m_currentLineNumberFormat = fs.toTextCharFormat(QLatin1String(Constants::C_CURRENT_LINE_NUMBER)); d->m_linkFormat = fs.toTextCharFormat(QLatin1String(TextEditor::Constants::C_LINK)); d->m_ifdefedOutFormat = fs.toTextCharFormat(QLatin1String(Constants::C_DISABLED_CODE)); QFont font(textFormat.font()); const QColor foreground = textFormat.foreground().color(); const QColor background = textFormat.background().color(); QPalette p = palette(); p.setColor(QPalette::Text, foreground); p.setColor(QPalette::Foreground, foreground); p.setColor(QPalette::Base, background); p.setColor(QPalette::Highlight, (selectionFormat.background().style() != Qt::NoBrush) ? selectionFormat.background().color() : QApplication::palette().color(QPalette::Highlight)); p.setBrush(QPalette::HighlightedText, selectionFormat.foreground()); p.setBrush(QPalette::Inactive, QPalette::Highlight, p.highlight()); p.setBrush(QPalette::Inactive, QPalette::HighlightedText, p.highlightedText()); setPalette(p); setFont(font); setTabSettings(d->m_document->tabSettings()); // update tabs, they depend on the font // Line numbers QPalette ep = d->m_extraArea->palette(); ep.setColor(QPalette::Dark, lineNumberFormat.foreground().color()); ep.setColor(QPalette::Background, lineNumberFormat.background().style() != Qt::NoBrush ? lineNumberFormat.background().color() : background); d->m_extraArea->setPalette(ep); // Search results d->m_searchResultFormat.setBackground(searchResultFormat.background()); // Matching braces d->m_matchFormat.setForeground(parenthesesFormat.foreground()); d->m_rangeFormat.setBackground(parenthesesFormat.background()); // snippests d->m_occurrencesFormat = fs.toTextCharFormat(QLatin1String(TextEditor::Constants::C_OCCURRENCES)); d->m_occurrencesFormat.clearForeground(); d->m_occurrenceRenameFormat = fs.toTextCharFormat(QLatin1String(TextEditor::Constants::C_OCCURRENCES_RENAME)); d->m_occurrenceRenameFormat.clearForeground(); slotUpdateExtraAreaWidth(); // Adjust to new font width updateCurrentLineHighlight(); // Make sure it takes the new color } void BaseTextEditorWidget::setTabSettings(const TabSettings &ts) { d->m_document->setTabSettings(ts); // Although the tab stop is stored as qreal the API from QPlainTextEdit only allows it // to be set as an int. A work around is to access directly the QTextOption. qreal charWidth = QFontMetricsF(font()).width(QLatin1Char(' ')); QTextOption option = document()->defaultTextOption(); option.setTabStop(charWidth * ts.m_tabSize); document()->setDefaultTextOption(option); } void BaseTextEditorWidget::setDisplaySettings(const DisplaySettings &ds) { setLineWrapMode(ds.m_textWrapping ? QPlainTextEdit::WidgetWidth : QPlainTextEdit::NoWrap); setLineNumbersVisible(ds.m_displayLineNumbers); setVisibleWrapColumn(ds.m_showWrapColumn ? ds.m_wrapColumn : 0); setHighlightCurrentLine(ds.m_highlightCurrentLine); setRevisionsVisible(ds.m_markTextChanges); setCenterOnScroll(ds.m_centerCursorOnScroll); if (d->m_displaySettings.m_visualizeWhitespace != ds.m_visualizeWhitespace) { if (SyntaxHighlighter *highlighter = baseTextDocument()->syntaxHighlighter()) highlighter->rehighlight(); QTextOption option = document()->defaultTextOption(); if (ds.m_visualizeWhitespace) option.setFlags(option.flags() | QTextOption::ShowTabsAndSpaces); else option.setFlags(option.flags() & ~QTextOption::ShowTabsAndSpaces); option.setFlags(option.flags() | QTextOption::AddSpaceForLineAndParagraphSeparators); document()->setDefaultTextOption(option); } d->m_displaySettings = ds; if (!ds.m_highlightBlocks) { d->extraAreaHighlightFoldedBlockNumber = -1; d->m_highlightBlocksInfo = BaseTextEditorPrivateHighlightBlocks(); } updateCodeFoldingVisible(); updateHighlights(); viewport()->update(); extraArea()->update(); } void BaseTextEditorWidget::setBehaviorSettings(const TextEditor::BehaviorSettings &bs) { d->m_behaviorSettings = bs; } void BaseTextEditorWidget::setTypingSettings(const TypingSettings &typingSettings) { d->m_document->setTypingSettings(typingSettings); } void BaseTextEditorWidget::setStorageSettings(const StorageSettings &storageSettings) { d->m_document->setStorageSettings(storageSettings); } void BaseTextEditorWidget::setCompletionSettings(const TextEditor::CompletionSettings &completionSettings) { d->m_autoCompleter->setAutoParenthesesEnabled(completionSettings.m_autoInsertBrackets); d->m_autoCompleter->setSurroundWithEnabled(completionSettings.m_autoInsertBrackets && completionSettings.m_surroundingAutoBrackets); } void BaseTextEditorWidget::setExtraEncodingSettings(const ExtraEncodingSettings &extraEncodingSettings) { d->m_document->setExtraEncodingSettings(extraEncodingSettings); } void BaseTextEditorWidget::fold() { QTextDocument *doc = document(); BaseTextDocumentLayout *documentLayout = qobject_cast(doc->documentLayout()); QTC_ASSERT(documentLayout, return); QTextBlock block = textCursor().block(); if (!(BaseTextDocumentLayout::canFold(block) && block.next().isVisible())) { // find the closest previous block which can fold int indent = BaseTextDocumentLayout::foldingIndent(block); while (block.isValid() && (BaseTextDocumentLayout::foldingIndent(block) >= indent || !block.isVisible())) block = block.previous(); } if (block.isValid()) { BaseTextDocumentLayout::doFoldOrUnfold(block, false); d->moveCursorVisible(); documentLayout->requestUpdate(); documentLayout->emitDocumentSizeChanged(); } } void BaseTextEditorWidget::unfold() { QTextDocument *doc = document(); BaseTextDocumentLayout *documentLayout = qobject_cast(doc->documentLayout()); QTC_ASSERT(documentLayout, return); QTextBlock block = textCursor().block(); while (block.isValid() && !block.isVisible()) block = block.previous(); BaseTextDocumentLayout::doFoldOrUnfold(block, true); d->moveCursorVisible(); documentLayout->requestUpdate(); documentLayout->emitDocumentSizeChanged(); } void BaseTextEditorWidget::unfoldAll() { QTextDocument *doc = document(); BaseTextDocumentLayout *documentLayout = qobject_cast(doc->documentLayout()); QTC_ASSERT(documentLayout, return); QTextBlock block = doc->firstBlock(); bool makeVisible = true; while (block.isValid()) { if (block.isVisible() && BaseTextDocumentLayout::canFold(block) && block.next().isVisible()) { makeVisible = false; break; } block = block.next(); } block = doc->firstBlock(); while (block.isValid()) { if (BaseTextDocumentLayout::canFold(block)) BaseTextDocumentLayout::doFoldOrUnfold(block, makeVisible); block = block.next(); } d->moveCursorVisible(); documentLayout->requestUpdate(); documentLayout->emitDocumentSizeChanged(); centerCursor(); } void BaseTextEditorWidget::setTextCodec(QTextCodec *codec) { baseTextDocument()->setCodec(codec); } QTextCodec *BaseTextEditorWidget::textCodec() const { // TODO: Fix all QTextCodec usages to be const *. return const_cast(baseTextDocument()->codec()); } void BaseTextEditorWidget::setReadOnly(bool b) { QPlainTextEdit::setReadOnly(b); if (b) setTextInteractionFlags(textInteractionFlags() | Qt::TextSelectableByKeyboard); } void BaseTextEditorWidget::cut() { if (d->m_inBlockSelectionMode) { copy(); d->removeBlockSelection(); return; } QPlainTextEdit::cut(); } void BaseTextEditorWidget::selectAll() { d->clearBlockSelection(); QPlainTextEdit::selectAll(); } void BaseTextEditorWidget::copy() { if (!textCursor().hasSelection()) return; QPlainTextEdit::copy(); const QMimeData *mimeData = QApplication::clipboard()->mimeData(); if (mimeData) { CircularClipboard *circularClipBoard = CircularClipboard::instance(); circularClipBoard->collect(duplicateMimeData(mimeData)); // We want the latest copied content to be the first one to appear on circular paste. circularClipBoard->toLastCollect(); } } void BaseTextEditorWidget::paste() { if (d->m_inBlockSelectionMode) { d->removeBlockSelection(); } QPlainTextEdit::paste(); } void BaseTextEditorWidget::circularPaste() { const QMimeData *mimeData = CircularClipboard::instance()->next(); if (!mimeData) return; QTextCursor cursor = textCursor(); if (!d->m_isCirculatingClipboard) { cursor.beginEditBlock(); d->m_isCirculatingClipboard = true; } else { cursor.joinPreviousEditBlock(); } const int selectionStart = qMin(cursor.position(), cursor.anchor()); insertFromMimeData(mimeData); cursor.setPosition(selectionStart, QTextCursor::KeepAnchor); cursor.endEditBlock(); setTextCursor(flippedCursor(cursor)); // We want to latest pasted content to replace the system's current clipboard. QPlainTextEdit::copy(); } QMimeData *BaseTextEditorWidget::createMimeDataFromSelection() const { if (d->m_inBlockSelectionMode) { QMimeData *mimeData = new QMimeData; QString text = d->copyBlockSelection(); mimeData->setData(QLatin1String(kVerticalTextBlockMimeType), text.toUtf8()); mimeData->setText(text); // for exchangeability return mimeData; } else if (textCursor().hasSelection()) { QTextCursor cursor = textCursor(); QMimeData *mimeData = new QMimeData; // Copy the selected text as plain text QString text = cursor.selectedText(); convertToPlainText(text); mimeData->setText(text); // Copy the selected text as HTML { // Create a new document from the selected text document fragment QTextDocument *tempDocument = new QTextDocument; QTextCursor tempCursor(tempDocument); tempCursor.insertFragment(cursor.selection()); // Apply the additional formats set by the syntax highlighter QTextBlock start = document()->findBlock(cursor.selectionStart()); QTextBlock end = document()->findBlock(cursor.selectionEnd()); end = end.next(); const int selectionStart = cursor.selectionStart(); const int endOfDocument = tempDocument->characterCount() - 1; for (QTextBlock current = start; current.isValid() && current != end; current = current.next()) { const QTextLayout *layout = current.layout(); foreach (const QTextLayout::FormatRange &range, layout->additionalFormats()) { const int start = current.position() + range.start - selectionStart; const int end = start + range.length; if (end <= 0 || start >= endOfDocument) continue; tempCursor.setPosition(qMax(start, 0)); tempCursor.setPosition(qMin(end, endOfDocument), QTextCursor::KeepAnchor); tempCursor.setCharFormat(range.format); } } // Reset the user states since they are not interesting for (QTextBlock block = tempDocument->begin(); block.isValid(); block = block.next()) block.setUserState(-1); // Make sure the text appears pre-formatted tempCursor.setPosition(0); tempCursor.movePosition(QTextCursor::End, QTextCursor::KeepAnchor); QTextBlockFormat blockFormat = tempCursor.blockFormat(); blockFormat.setNonBreakableLines(true); tempCursor.setBlockFormat(blockFormat); mimeData->setHtml(tempCursor.selection().toHtml()); delete tempDocument; } /* Try to figure out whether we are copying an entire block, and store the complete block including indentation in the qtcreator.blocktext mimetype. */ QTextCursor selstart = cursor; selstart.setPosition(cursor.selectionStart()); QTextCursor selend = cursor; selend.setPosition(cursor.selectionEnd()); const TabSettings &ts = d->m_document->tabSettings(); bool startOk = ts.cursorIsAtBeginningOfLine(selstart); bool multipleBlocks = (selend.block() != selstart.block()); if (startOk && multipleBlocks) { selstart.movePosition(QTextCursor::StartOfBlock); if (ts.cursorIsAtBeginningOfLine(selend)) selend.movePosition(QTextCursor::StartOfBlock); cursor.setPosition(selstart.position()); cursor.setPosition(selend.position(), QTextCursor::KeepAnchor); text = cursor.selectedText(); mimeData->setData(QLatin1String(kTextBlockMimeType), text.toUtf8()); } return mimeData; } return 0; } bool BaseTextEditorWidget::canInsertFromMimeData(const QMimeData *source) const { return QPlainTextEdit::canInsertFromMimeData(source); } void BaseTextEditorWidget::insertFromMimeData(const QMimeData *source) { if (isReadOnly()) return; if (source->hasFormat(QLatin1String(kVerticalTextBlockMimeType))) { QString text = QString::fromUtf8(source->data(QLatin1String(kVerticalTextBlockMimeType))); if (text.isEmpty()) return; if (d->m_codeAssistant->hasContext()) d->m_codeAssistant->destroyContext(); QStringList lines = text.split(QLatin1Char('\n')); QTextCursor cursor = textCursor(); cursor.beginEditBlock(); const TabSettings &ts = d->m_document->tabSettings(); int initialCursorPosition = cursor.position(); int column = ts.columnAt(cursor.block().text(), cursor.positionInBlock()); cursor.insertText(lines.first()); for (int i = 1; i < lines.count(); ++i) { QTextBlock next = cursor.block().next(); if (next.isValid()) { cursor.setPosition(next.position()); } else { cursor.movePosition(QTextCursor::EndOfBlock); cursor.insertBlock(); } int offset = 0; int position = ts.positionAtColumn(cursor.block().text(), column, &offset); cursor.setPosition(cursor.block().position() + position); if (offset < 0) { cursor.deleteChar(); cursor.insertText(QString(-offset, QLatin1Char(' '))); } else { cursor.insertText(QString(offset, QLatin1Char(' '))); } cursor.insertText(lines.at(i)); } cursor.setPosition(initialCursorPosition); cursor.endEditBlock(); setTextCursor(cursor); ensureCursorVisible(); if (d->m_snippetOverlay->isVisible() && lines.count() > 1) { d->m_snippetOverlay->hide(); d->m_snippetOverlay->clear(); } return; } QString text = source->text(); if (text.isEmpty()) return; if (d->m_codeAssistant->hasContext()) d->m_codeAssistant->destroyContext(); if (d->m_snippetOverlay->isVisible() && (text.contains(QLatin1Char('\n')) || text.contains(QLatin1Char('\t')))) { d->m_snippetOverlay->hide(); d->m_snippetOverlay->clear(); } const TabSettings &ts = d->m_document->tabSettings(); const TypingSettings &tps = d->m_document->typingSettings(); QTextCursor cursor = textCursor(); if (!tps.m_autoIndent) { cursor.beginEditBlock(); cursor.insertText(text); cursor.endEditBlock(); setTextCursor(cursor); return; } cursor.beginEditBlock(); cursor.removeSelectedText(); bool insertAtBeginningOfLine = ts.cursorIsAtBeginningOfLine(cursor); if (insertAtBeginningOfLine && source->hasFormat(QLatin1String(kTextBlockMimeType))) { text = QString::fromUtf8(source->data(QLatin1String(kTextBlockMimeType))); if (text.isEmpty()) return; } int reindentBlockStart = cursor.blockNumber() + (insertAtBeginningOfLine?0:1); bool hasFinalNewline = (text.endsWith(QLatin1Char('\n')) || text.endsWith(QChar::ParagraphSeparator) || text.endsWith(QLatin1Char('\r'))); if (insertAtBeginningOfLine && hasFinalNewline) // since we'll add a final newline, preserve current line's indentation cursor.setPosition(cursor.block().position()); int cursorPosition = cursor.position(); cursor.insertText(text); int reindentBlockEnd = cursor.blockNumber() - (hasFinalNewline?1:0); if (reindentBlockStart < reindentBlockEnd || (reindentBlockStart == reindentBlockEnd && (!insertAtBeginningOfLine || hasFinalNewline))) { if (insertAtBeginningOfLine && !hasFinalNewline) { QTextCursor unnecessaryWhitespace = cursor; unnecessaryWhitespace.setPosition(cursorPosition); unnecessaryWhitespace.movePosition(QTextCursor::StartOfBlock, QTextCursor::KeepAnchor); unnecessaryWhitespace.removeSelectedText(); } QTextCursor c = cursor; c.setPosition(cursor.document()->findBlockByNumber(reindentBlockStart).position()); c.setPosition(cursor.document()->findBlockByNumber(reindentBlockEnd).position(), QTextCursor::KeepAnchor); reindent(document(), c); } cursor.endEditBlock(); setTextCursor(cursor); } QMimeData *BaseTextEditorWidget::duplicateMimeData(const QMimeData *source) const { Q_ASSERT(source); QMimeData *mimeData = new QMimeData; mimeData->setText(source->text()); mimeData->setHtml(source->html()); if (source->hasFormat(QLatin1String(kVerticalTextBlockMimeType))) { mimeData->setData(QLatin1String(kVerticalTextBlockMimeType), source->data(QLatin1String(kVerticalTextBlockMimeType))); } else if (source->hasFormat(QLatin1String(kTextBlockMimeType))) { mimeData->setData(QLatin1String(kTextBlockMimeType), source->data(QLatin1String(kTextBlockMimeType))); } return mimeData; } void BaseTextEditorWidget::appendStandardContextMenuActions(QMenu *menu) { menu->addSeparator(); Core::ActionManager *am = Core::ICore::actionManager(); QAction *a = am->command(Core::Constants::CUT)->action(); if (a && a->isEnabled()) menu->addAction(a); a = am->command(Core::Constants::COPY)->action(); if (a && a->isEnabled()) menu->addAction(a); a = am->command(Core::Constants::PASTE)->action(); if (a && a->isEnabled()) menu->addAction(a); a = am->command(Constants::CIRCULAR_PASTE)->action(); if (a && a->isEnabled()) menu->addAction(a); } BaseTextEditor::BaseTextEditor(BaseTextEditorWidget *editor) : e(editor) { setWidget(e); using namespace Find; Aggregation::Aggregate *aggregate = new Aggregation::Aggregate; BaseTextFind *baseTextFind = new BaseTextFind(editor); connect(baseTextFind, SIGNAL(highlightAll(QString,Find::FindFlags)), editor, SLOT(highlightSearchResults(QString,Find::FindFlags))); connect(baseTextFind, SIGNAL(findScopeChanged(QTextCursor,QTextCursor,int,int)), editor, SLOT(setFindScope(QTextCursor,QTextCursor,int,int))); aggregate->add(baseTextFind); aggregate->add(editor); m_cursorPositionLabel = new Utils::LineColumnLabel; m_stretchWidget = new QWidget; m_stretchWidget->setSizePolicy(QSizePolicy::Expanding, QSizePolicy::Preferred); m_toolBar = new QToolBar; m_toolBar->setSizePolicy(QSizePolicy::MinimumExpanding, QSizePolicy::Minimum); m_toolBar->addWidget(m_stretchWidget); m_cursorPositionLabelAction = m_toolBar->addWidget(m_cursorPositionLabel); connect(editor, SIGNAL(cursorPositionChanged()), this, SLOT(updateCursorPosition())); } BaseTextEditor::~BaseTextEditor() { delete m_toolBar; delete e; } QWidget *BaseTextEditor::toolBar() { return m_toolBar; } void BaseTextEditor::insertExtraToolBarWidget(BaseTextEditor::Side side, QWidget *widget) { if (widget->sizePolicy().horizontalPolicy() & QSizePolicy::ExpandFlag) { if (m_stretchWidget) m_stretchWidget->deleteLater(); m_stretchWidget = 0; } if (side == Right) m_toolBar->insertWidget(m_cursorPositionLabelAction, widget); else m_toolBar->insertWidget(m_toolBar->actions().first(), widget); } int BaseTextEditor::find(const QString &) const { return 0; } int BaseTextEditor::currentLine() const { return e->textCursor().blockNumber() + 1; } int BaseTextEditor::currentColumn() const { QTextCursor cursor = e->textCursor(); return cursor.position() - cursor.block().position() + 1; } int BaseTextEditor::columnCount() const { return e->columnCount(); } int BaseTextEditor::rowCount() const { return e->rowCount(); } QRect BaseTextEditor::cursorRect(int pos) const { QTextCursor tc = e->textCursor(); if (pos >= 0) tc.setPosition(pos); QRect result = e->cursorRect(tc); result.moveTo(e->viewport()->mapToGlobal(result.topLeft())); return result; } QString BaseTextEditor::contents() const { return e->toPlainText(); } QString BaseTextEditor::selectedText() const { if (e->textCursor().hasSelection()) return e->textCursor().selectedText(); return QString(); } QString BaseTextEditor::textAt(int pos, int length) const { return Convenience::textAt(e->textCursor(), pos, length); } void BaseTextEditor::remove(int length) { QTextCursor tc = e->textCursor(); tc.setPosition(tc.position() + length, QTextCursor::KeepAnchor); tc.removeSelectedText(); } void BaseTextEditor::insert(const QString &string) { QTextCursor tc = e->textCursor(); tc.insertText(string); } void BaseTextEditor::replace(int length, const QString &string) { QTextCursor tc = e->textCursor(); tc.setPosition(tc.position() + length, QTextCursor::KeepAnchor); tc.insertText(string); } void BaseTextEditor::setCursorPosition(int pos) { QTextCursor tc = e->textCursor(); tc.setPosition(pos); e->setTextCursor(tc); } void BaseTextEditor::select(int toPos) { QTextCursor tc = e->textCursor(); tc.setPosition(toPos, QTextCursor::KeepAnchor); e->setTextCursor(tc); } void BaseTextEditor::updateCursorPosition() { const QTextCursor cursor = e->textCursor(); const QTextBlock block = cursor.block(); const int line = block.blockNumber() + 1; const int column = cursor.position() - block.position(); m_cursorPositionLabel->setText(tr("Line: %1, Col: %2").arg(line).arg(e->tabSettings().columnAt(block.text(), column)+1), tr("Line: 9999, Col: 999")); m_contextHelpId.clear(); if (!block.isVisible()) e->ensureCursorVisible(); } QString BaseTextEditor::contextHelpId() const { if (m_contextHelpId.isEmpty()) emit const_cast(this)->contextHelpIdRequested(e->editor(), e->textCursor().position()); return m_contextHelpId; } Internal::RefactorMarkers BaseTextEditorWidget::refactorMarkers() const { return d->m_refactorOverlay->markers(); } void BaseTextEditorWidget::setRefactorMarkers(const Internal::RefactorMarkers &markers) { foreach (const RefactorMarker &marker, d->m_refactorOverlay->markers()) requestBlockUpdate(marker.cursor.block()); d->m_refactorOverlay->setMarkers(markers); foreach (const RefactorMarker &marker, markers) requestBlockUpdate(marker.cursor.block()); } void BaseTextEditorWidget::doFoo() { #ifdef DO_FOO qDebug() << Q_FUNC_INFO; RefactorMarkers markers = d->m_refactorOverlay->markers(); RefactorMarker marker; marker.tooltip = "Hello World"; marker.cursor = textCursor(); markers += marker; setRefactorMarkers(markers); #endif } void Internal::BaseTextBlockSelection::moveAnchor(int blockNumber, int visualColumn) { if (visualColumn >= 0) { if (anchor % 2) { lastVisualColumn = visualColumn; if (lastVisualColumn < firstVisualColumn) { qSwap(firstVisualColumn, lastVisualColumn); anchor = (Anchor) (anchor - 1); } } else { firstVisualColumn = visualColumn; if (firstVisualColumn > lastVisualColumn) { qSwap(firstVisualColumn, lastVisualColumn); anchor = (Anchor) (anchor + 1); } } } if (blockNumber >= 0 && blockNumber < firstBlock.document()->blockCount()) { if (anchor <= TopRight) { firstBlock.setPosition(firstBlock.document()->findBlockByNumber(blockNumber).position()); if (firstBlock.blockNumber() > lastBlock.blockNumber()) { qSwap(firstBlock, lastBlock); anchor = (Anchor) (anchor + 2); } } else { lastBlock.setPosition(firstBlock.document()->findBlockByNumber(blockNumber).position()); if (lastBlock.blockNumber() < firstBlock.blockNumber()) { qSwap(firstBlock, lastBlock); anchor = (Anchor) (anchor - 2); } } } firstBlock.movePosition(QTextCursor::StartOfBlock); lastBlock.movePosition(QTextCursor::EndOfBlock); } QTextCursor Internal::BaseTextBlockSelection::selection(const TabSettings &ts) const { QTextCursor cursor = firstBlock; if (anchor <= TopRight) { cursor.setPosition(lastBlock.block().position() + ts.positionAtColumn(lastBlock.block().text(), lastVisualColumn)); cursor.setPosition(firstBlock.block().position() + ts.positionAtColumn(firstBlock.block().text(), firstVisualColumn), QTextCursor::KeepAnchor); } else { cursor.setPosition(firstBlock.block().position() + ts.positionAtColumn(firstBlock.block().text(), firstVisualColumn)); cursor.setPosition(lastBlock.block().position() + ts.positionAtColumn(lastBlock.block().text(), lastVisualColumn), QTextCursor::KeepAnchor); } return cursor; } void Internal::BaseTextBlockSelection::fromSelection(const TabSettings &ts, const QTextCursor &selection) { firstBlock = selection; firstBlock.setPosition(selection.selectionStart()); firstVisualColumn = ts.columnAt(firstBlock.block().text(), firstBlock.positionInBlock()); lastBlock = selection; lastBlock.setPosition(selection.selectionEnd()); lastVisualColumn = ts.columnAt(lastBlock.block().text(), lastBlock.positionInBlock()); if (selection.anchor() > selection.position()) anchor = TopLeft; else anchor = BottomRight; firstBlock.movePosition(QTextCursor::StartOfBlock); lastBlock.movePosition(QTextCursor::EndOfBlock); } bool BaseTextEditorWidget::inFindScope(const QTextCursor &cursor) { if (cursor.isNull()) return false; return inFindScope(cursor.selectionStart(), cursor.selectionEnd()); } bool BaseTextEditorWidget::inFindScope(int selectionStart, int selectionEnd) { if (d->m_findScopeStart.isNull()) return true; // no scope, everything is included if (selectionStart < d->m_findScopeStart.position()) return false; if (selectionEnd > d->m_findScopeEnd.position()) return false; if (d->m_findScopeVerticalBlockSelectionFirstColumn < 0) return true; QTextBlock block = document()->findBlock(selectionStart); if (block != document()->findBlock(selectionEnd)) return false; QString text = block.text(); const TabSettings &ts = tabSettings(); int startPosition = ts.positionAtColumn(text, d->m_findScopeVerticalBlockSelectionFirstColumn); int endPosition = ts.positionAtColumn(text, d->m_findScopeVerticalBlockSelectionLastColumn); if (selectionStart - block.position() < startPosition) return false; if (selectionEnd - block.position() > endPosition) return false; return true; } void BaseTextEditorWidget::setBlockSelection(bool on) { if (d->m_inBlockSelectionMode != on) { d->m_inBlockSelectionMode = on; if (on) d->m_blockSelection.fromSelection(tabSettings(), textCursor()); } viewport()->update(); } bool BaseTextEditorWidget::hasBlockSelection() const { return d->m_inBlockSelectionMode; } void BaseTextEditorWidget::handleBlockSelection(int diff_row, int diff_col) { if (!d->m_inBlockSelectionMode) { d->m_blockSelection.fromSelection(tabSettings(), textCursor()); d->m_inBlockSelectionMode = true; } d->m_blockSelection.moveAnchor(d->m_blockSelection.anchorBlockNumber() + diff_row, d->m_blockSelection.anchorColumnNumber() + diff_col); setTextCursor(d->m_blockSelection.selection(tabSettings())); viewport()->update(); // ### TODO ensure horizontal visibility // const bool rtl = q->isRightToLeft(); // if (cr.left() < visible.left() || cr.right() > visible.right()) { // int x = cr.center().x() + horizontalOffset() - visible.width()/2; // hbar->setValue(rtl ? hbar->maximum() - x : x); // } } int BaseTextEditorWidget::columnCount() const { QFontMetricsF fm(font()); return viewport()->rect().width() / fm.width(QLatin1Char('x')); } int BaseTextEditorWidget::rowCount() const { QFontMetricsF fm(font()); return viewport()->rect().height() / fm.lineSpacing(); } /** Helper method to transform a selected text. If nothing is selected at the moment the word under the cursor is used. The type of the transformation is determined by the method pointer given. @param method pointer to the QString method to use for the transformation @see uppercaseSelection, lowercaseSelection */ void BaseTextEditorWidget::transformSelection(Internal::TransformationMethod method) { QTextCursor cursor = textCursor(); int pos = cursor.position(); int anchor = cursor.anchor(); if (!cursor.hasSelection()) { // if nothing is selected, select the word over the cursor cursor.select(QTextCursor::WordUnderCursor); } QString text = cursor.selectedText(); QString transformedText = (text.*method)(); if (transformedText == text) { // if the transformation does not do anything to the selection, do no create an undo step return; } cursor.insertText(transformedText); // (re)select the changed text // Note: this assumes the transformation did not change the length, cursor.setPosition(anchor); cursor.setPosition(pos, QTextCursor::KeepAnchor); setTextCursor(cursor); } void BaseTextEditorWidget::inSnippetMode(bool *active) { *active = d->m_snippetOverlay->isVisible(); } void BaseTextEditorWidget::invokeAssist(AssistKind kind, IAssistProvider *provider) { bool previousMode = overwriteMode(); setOverwriteMode(false); ensureCursorVisible(); d->m_codeAssistant->invoke(kind, provider); setOverwriteMode(previousMode); } IAssistInterface *BaseTextEditorWidget::createAssistInterface(AssistKind kind, AssistReason reason) const { Q_UNUSED(kind); return new DefaultAssistInterface(document(), position(), d->m_document, reason); } QString TextEditor::BaseTextEditorWidget::foldReplacementText(const QTextBlock &) const { return QLatin1String("..."); }