/**************************************************************************** ** ** Copyright (C) 2013 Digia Plc and/or its subsidiary(-ies). ** Contact: http://www.qt-project.org/legal ** ** This file is part of Qt Creator. ** ** Commercial License Usage ** Licensees holding valid commercial Qt licenses may use this file in ** accordance with the commercial license agreement provided with the ** Software or, alternatively, in accordance with the terms contained in ** a written agreement between you and Digia. For licensing terms and ** conditions see http://qt.digia.com/licensing. For further information ** use the contact form at http://qt.digia.com/contact-us. ** ** GNU Lesser General Public License Usage ** Alternatively, 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, Digia gives you certain additional ** rights. These rights are described in the Digia Qt LGPL Exception ** version 1.1, included in the file LGPL_EXCEPTION.txt in this package. ** ****************************************************************************/ // // ATTENTION: // // 1 Please do not add any direct dependencies to other Qt Creator code here. // Instead emit signals and let the FakeVimPlugin channel the information to // Qt Creator. The idea is to keep this file here in a "clean" state that // allows easy reuse with any QTextEdit or QPlainTextEdit derived class. // // 2 There are a few auto tests located in ../../../tests/auto/fakevim. // Commands that are covered there are marked as "// tested" below. // // 3 Some conventions: // // Use 1 based line numbers and 0 based column numbers. Even though // the 1 based line are not nice it matches vim's and QTextEdit's 'line' // concepts. // // Do not pass QTextCursor etc around unless really needed. Convert // early to line/column. // // A QTextCursor is always between characters, whereas vi's cursor is always // over a character. FakeVim interprets the QTextCursor to be over the character // to the right of the QTextCursor's position(). // // A current "region of interest" // spans between anchor(), (i.e. the character below anchor()), and // position(). The character below position() is not included // if the last movement command was exclusive (MoveExclusive). // #include "fakevimhandler.h" #include "fakevimactions.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 //#define DEBUG_KEY 1 #if DEBUG_KEY # define KEY_DEBUG(s) qDebug() << s #else # define KEY_DEBUG(s) #endif //#define DEBUG_UNDO 1 #if DEBUG_UNDO # define UNDO_DEBUG(s) qDebug() << << revision() << s #else # define UNDO_DEBUG(s) #endif using namespace Utils; #ifdef FAKEVIM_STANDALONE using namespace FakeVim::Internal::Utils; #endif namespace FakeVim { namespace Internal { /////////////////////////////////////////////////////////////////////// // // FakeVimHandler // /////////////////////////////////////////////////////////////////////// #define StartOfLine QTextCursor::StartOfLine #define EndOfLine QTextCursor::EndOfLine #define MoveAnchor QTextCursor::MoveAnchor #define KeepAnchor QTextCursor::KeepAnchor #define Up QTextCursor::Up #define Down QTextCursor::Down #define Right QTextCursor::Right #define Left QTextCursor::Left #define EndOfDocument QTextCursor::End #define StartOfDocument QTextCursor::Start #define NextBlock QTextCursor::NextBlock #define ParagraphSeparator QChar::ParagraphSeparator #define EDITOR(s) (m_textedit ? m_textedit->s : m_plaintextedit->s) #define MetaModifier // Use HostOsInfo::controlModifier() instead #define ControlModifier // Use HostOsInfo::controlModifier() instead typedef QLatin1String _; /* Clipboard MIME types used by Vim. */ static const QString vimMimeText = _("_VIM_TEXT"); static const QString vimMimeTextEncoded = _("_VIMENC_TEXT"); using namespace Qt; /*! A \e Mode represents one of the basic modes of operation of FakeVim. */ enum Mode { InsertMode, ReplaceMode, CommandMode, ExMode }; /*! A \e SubMode is used for things that require one more data item and are 'nested' behind a \l Mode. */ enum SubMode { NoSubMode, ChangeSubMode, // Used for c DeleteSubMode, // Used for d FilterSubMode, // Used for ! IndentSubMode, // Used for = RegisterSubMode, // Used for " ShiftLeftSubMode, // Used for < ShiftRightSubMode, // Used for > InvertCaseSubMode, // Used for g~ DownCaseSubMode, // Used for gu UpCaseSubMode, // Used for gU WindowSubMode, // Used for Ctrl-w YankSubMode, // Used for y ZSubMode, // Used for z CapitalZSubMode, // Used for Z ReplaceSubMode, // Used for r MacroRecordSubMode, // Used for q MacroExecuteSubMode // Used for @ }; /*! A \e SubSubMode is used for things that require one more data item and are 'nested' behind a \l SubMode. */ enum SubSubMode { NoSubSubMode, FtSubSubMode, // Used for f, F, t, T. MarkSubSubMode, // Used for m. BackTickSubSubMode, // Used for `. TickSubSubMode, // Used for '. TextObjectSubSubMode, // Used for thing like iw, aW, as etc. ZSubSubMode, // Used for zj, zk OpenSquareSubSubMode, // Used for [{, {(, [z CloseSquareSubSubMode, // Used for ]}, ]), ]z SearchSubSubMode }; enum VisualMode { NoVisualMode, VisualCharMode, VisualLineMode, VisualBlockMode }; enum MoveType { MoveExclusive, MoveInclusive, MoveLineWise }; /*! \enum RangeMode The \e RangeMode serves as a means to define how the "Range" between the \l cursor and the \l anchor position is to be interpreted. \value RangeCharMode Entered by pressing \key v. The range includes all characters between cursor and anchor. \value RangeLineMode Entered by pressing \key V. The range includes all lines between the line of the cursor and the line of the anchor. \value RangeLineModeExclusice Like \l RangeLineMode, but keeps one newline when deleting. \value RangeBlockMode Entered by pressing \key Ctrl-v. The range includes all characters with line and column coordinates between line and columns coordinates of cursor and anchor. \value RangeBlockAndTailMode Like \l RangeBlockMode, but also includes all characters in the affected lines up to the end of these lines. */ enum EventResult { EventHandled, EventUnhandled, EventCancelled, // Event is handled but a sub mode was cancelled. EventPassedToCore }; struct CursorPosition { CursorPosition() : line(-1), column(-1) {} CursorPosition(int block, int column) : line(block), column(column) {} explicit CursorPosition(const QTextCursor &tc) : line(tc.block().blockNumber()), column(tc.positionInBlock()) {} CursorPosition(const QTextDocument *document, int position) { QTextBlock block = document->findBlock(position); line = block.blockNumber(); column = position - block.position(); } bool isValid() const { return line >= 0 && column >= 0; } bool operator>(const CursorPosition &other) const { return line > other.line || column > other.column; } bool operator==(const CursorPosition &other) const { return line == other.line && column == other.column; } bool operator!=(const CursorPosition &other) const { return !operator==(other); } int line; // Line in document (from 0, folded lines included). int column; // Position on line. }; struct Mark { Mark(const CursorPosition &pos = CursorPosition(), const QString &fileName = QString()) : position(pos), fileName(fileName) {} bool isValid() const { return position.isValid(); } bool isLocal(const QString &localFileName) const { return fileName.isEmpty() || fileName == localFileName; } CursorPosition position; QString fileName; }; typedef QHash Marks; typedef QHashIterator MarksIterator; struct State { State() : revision(-1), position(), marks(), lastVisualMode(NoVisualMode), lastVisualModeInverted(false) {} State(int revision, const CursorPosition &position, const Marks &marks, VisualMode lastVisualMode, bool lastVisualModeInverted) : revision(revision), position(position), marks(marks), lastVisualMode(lastVisualMode), lastVisualModeInverted(lastVisualModeInverted) {} bool isValid() const { return position.isValid(); } int revision; CursorPosition position; Marks marks; VisualMode lastVisualMode; bool lastVisualModeInverted; }; struct Column { Column(int p, int l) : physical(p), logical(l) {} int physical; // Number of characters in the data. int logical; // Column on screen. }; QDebug operator<<(QDebug ts, const Column &col) { return ts << "(p: " << col.physical << ", l: " << col.logical << ")"; } struct Register { Register() : rangemode(RangeCharMode) {} Register(const QString &c) : contents(c), rangemode(RangeCharMode) {} Register(const QString &c, RangeMode m) : contents(c), rangemode(m) {} QString contents; RangeMode rangemode; }; QDebug operator<<(QDebug ts, const Register ®) { return ts << reg.contents; } struct SearchData { SearchData() { forward = true; highlightMatches = true; } QString needle; bool forward; bool highlightMatches; }; // If string begins with given prefix remove it with trailing spaces and return true. static bool eatString(const char *prefix, QString *str) { if (!str->startsWith(_(prefix))) return false; *str = str->mid(strlen(prefix)).trimmed(); return true; } static QRegExp vimPatternToQtPattern(QString needle, bool ignoreCaseOption, bool smartCaseOption) { /* Transformations (Vim regexp -> QRegExp): * \a -> [A-Za-z] * \A -> [^A-Za-z] * \h -> [A-Za-z_] * \H -> [^A-Za-z_] * \l -> [a-z] * \L -> [^a-z] * \o -> [0-7] * \O -> [^0-7] * \u -> [A-Z] * \U -> [^A-Z] * \x -> [0-9A-Fa-f] * \X -> [^0-9A-Fa-f] * * \< -> \b * \> -> \b * [] -> \[\] * \= -> ? * * (...) <-> \(...\) * {...} <-> \{...\} * | <-> \| * ? <-> \? * + <-> \+ * \{...} -> {...} * * \c - set ignorecase for rest * \C - set noignorecase for rest */ // FIXME: Option smartcase should be used only if search was typed by user. bool ignorecase = ignoreCaseOption && !(smartCaseOption && needle.contains(QRegExp(_("[A-Z]")))); QString pattern; pattern.reserve(2 * needle.size()); bool escape = false; bool brace = false; bool embraced = false; bool range = false; bool curly = false; foreach (const QChar &c, needle) { if (brace) { brace = false; if (c == QLatin1Char(']')) { pattern.append(_("\\[\\]")); continue; } pattern.append(QLatin1Char('[')); escape = true; embraced = true; } if (embraced) { if (range) { QChar c2 = pattern[pattern.size() - 2]; pattern.remove(pattern.size() - 2, 2); pattern.append(c2.toUpper() + QLatin1Char('-') + c.toUpper()); pattern.append(c2.toLower() + QLatin1Char('-') + c.toLower()); range = false; } else if (escape) { escape = false; pattern.append(c); } else if (c == QLatin1Char('\\')) { escape = true; } else if (c == QLatin1Char(']')) { pattern.append(QLatin1Char(']')); embraced = false; } else if (c == QLatin1Char('-')) { range = ignorecase && pattern[pattern.size() - 1].isLetter(); pattern.append(QLatin1Char('-')); } else if (c.isLetter() && ignorecase) { pattern.append(c.toLower()).append(c.toUpper()); } else { pattern.append(c); } } else if (QString::fromLatin1("(){}+|?").indexOf(c) != -1) { if (c == QLatin1Char('{')) { curly = escape; } else if (c == QLatin1Char('}') && curly) { curly = false; escape = true; } if (escape) escape = false; else pattern.append(QLatin1Char('\\')); pattern.append(c); } else if (escape) { // escape expression escape = false; if (c == QLatin1Char('<') || c == QLatin1Char('>')) pattern.append(_("\\b")); else if (c == QLatin1Char('a')) pattern.append(_("[a-zA-Z]")); else if (c == QLatin1Char('A')) pattern.append(_("[^a-zA-Z]")); else if (c == QLatin1Char('h')) pattern.append(_("[A-Za-z_]")); else if (c == QLatin1Char('H')) pattern.append(_("[^A-Za-z_]")); else if (c == QLatin1Char('c') || c == QLatin1Char('C')) ignorecase = (c == QLatin1Char('c')); else if (c == QLatin1Char('l')) pattern.append(_("[a-z]")); else if (c == QLatin1Char('L')) pattern.append(_("[^a-z]")); else if (c == QLatin1Char('o')) pattern.append(_("[0-7]")); else if (c == QLatin1Char('O')) pattern.append(_("[^0-7]")); else if (c == QLatin1Char('u')) pattern.append(_("[A-Z]")); else if (c == QLatin1Char('U')) pattern.append(_("[^A-Z]")); else if (c == QLatin1Char('x')) pattern.append(_("[0-9A-Fa-f]")); else if (c == QLatin1Char('X')) pattern.append(_("[^0-9A-Fa-f]")); else if (c == QLatin1Char('=')) pattern.append(_("?")); else pattern.append(QLatin1Char('\\') + c); } else { // unescaped expression if (c == QLatin1Char('\\')) escape = true; else if (c == QLatin1Char('[')) brace = true; else if (c.isLetter() && ignorecase) pattern.append(QLatin1Char('[') + c.toLower() + c.toUpper() + QLatin1Char(']')); else pattern.append(c); } } if (escape) pattern.append(QLatin1Char('\\')); else if (brace) pattern.append(QLatin1Char('[')); return QRegExp(pattern); } static bool afterEndOfLine(const QTextDocument *doc, int position) { return doc->characterAt(position) == ParagraphSeparator && doc->findBlock(position).length() > 1; } static void searchForward(QTextCursor *tc, QRegExp &needleExp, int *repeat) { const QTextDocument *doc = tc->document(); const int startPos = tc->position(); // Search from beginning of line so that matched text is the same. tc->movePosition(StartOfLine); // forward to current position *tc = doc->find(needleExp, *tc); while (!tc->isNull() && tc->anchor() < startPos) { if (!tc->hasSelection()) tc->movePosition(Right); if (tc->atBlockEnd()) tc->movePosition(NextBlock); *tc = doc->find(needleExp, *tc); } if (tc->isNull()) return; --*repeat; while (*repeat > 0) { if (!tc->hasSelection()) tc->movePosition(Right); if (tc->atBlockEnd()) tc->movePosition(NextBlock); *tc = doc->find(needleExp, *tc); if (tc->isNull()) return; --*repeat; } if (!tc->isNull() && afterEndOfLine(doc, tc->anchor())) tc->movePosition(Left); } static void searchBackward(QTextCursor *tc, QRegExp &needleExp, int *repeat) { // Search from beginning of line so that matched text is the same. QTextBlock block = tc->block(); QString line = block.text(); int i = line.indexOf(needleExp, 0); while (i != -1 && i < tc->positionInBlock()) { --*repeat; i = line.indexOf(needleExp, i + qMax(1, needleExp.matchedLength())); if (i == line.size()) i = -1; } if (i == tc->positionInBlock()) --*repeat; while (*repeat > 0) { block = block.previous(); if (!block.isValid()) break; line = block.text(); i = line.indexOf(needleExp, 0); while (i != -1) { --*repeat; i = line.indexOf(needleExp, i + qMax(1, needleExp.matchedLength())); if (i == line.size()) i = -1; } } if (!block.isValid()) { *tc = QTextCursor(); return; } i = line.indexOf(needleExp, 0); while (*repeat < 0) { i = line.indexOf(needleExp, i + qMax(1, needleExp.matchedLength())); ++*repeat; } tc->setPosition(block.position() + i); } // Commands [[, [] static void bracketSearchBackward(QTextCursor *tc, const QString &needleExp, int repeat) { QRegExp re(needleExp); QTextCursor tc2 = *tc; tc2.setPosition(tc2.position() - 1); searchBackward(&tc2, re, &repeat); if (repeat <= 1) tc->setPosition(tc2.isNull() ? 0 : tc2.position(), KeepAnchor); } // Commands ][, ]] // When ]] is used after an operator, then also stops below a '}' in the first column. static void bracketSearchForward(QTextCursor *tc, const QString &needleExp, int repeat, bool searchWithCommand) { QRegExp re(searchWithCommand ? QString(_("^\\}|^\\{")) : needleExp); QTextCursor tc2 = *tc; tc2.setPosition(tc2.position() + 1); searchForward(&tc2, re, &repeat); if (repeat <= 1) { if (tc2.isNull()) { tc->setPosition(tc->document()->characterCount() - 1, KeepAnchor); } else { tc->setPosition(tc2.position() - 1, KeepAnchor); if (searchWithCommand && tc->document()->characterAt(tc->position()).unicode() == '}') { QTextBlock block = tc->block().next(); if (block.isValid()) tc->setPosition(block.position(), KeepAnchor); } } } } static bool substituteText(QString *text, QRegExp &pattern, const QString &replacement, bool global) { bool substituted = false; int pos = 0; while (true) { pos = pattern.indexIn(*text, pos, QRegExp::CaretAtZero); if (pos == -1) break; substituted = true; QString matched = text->mid(pos, pattern.cap(0).size()); QString repl; bool escape = false; // insert captured texts for (int i = 0; i < replacement.size(); ++i) { const QChar &c = replacement[i]; if (escape) { escape = false; if (c.isDigit()) { if (c.digitValue() <= pattern.captureCount()) repl += pattern.cap(c.digitValue()); } else { repl += c; } } else { if (c == QLatin1Char('\\')) escape = true; else if (c == QLatin1Char('&')) repl += pattern.cap(0); else repl += c; } } text->replace(pos, matched.size(), repl); pos += qMax(1, repl.size()); if (pos >= text->size() || !global) break; } return substituted; } static int findUnescaped(QChar c, const QString &line, int from) { for (int i = from; i < line.size(); ++i) { if (line.at(i) == c && (i == 0 || line.at(i - 1) != QLatin1Char('\\'))) return i; } return -1; } static void setClipboardData(const QString &content, RangeMode mode, QClipboard::Mode clipboardMode) { QClipboard *clipboard = QApplication::clipboard(); char vimRangeMode = mode; QByteArray bytes1; bytes1.append(vimRangeMode); bytes1.append(content.toUtf8()); QByteArray bytes2; bytes2.append(vimRangeMode); bytes2.append("utf-8"); bytes2.append('\0'); bytes2.append(content.toUtf8()); QMimeData *data = new QMimeData; data->setText(content); data->setData(vimMimeText, bytes1); data->setData(vimMimeTextEncoded, bytes2); clipboard->setMimeData(data, clipboardMode); } static const QMap &vimKeyNames() { static QMap k; if (!k.isEmpty()) return k; // FIXME: Should be value of mapleader. k.insert(_("LEADER"), Key_Backslash); k.insert(_("SPACE"), Key_Space); k.insert(_("TAB"), Key_Tab); k.insert(_("NL"), Key_Return); k.insert(_("NEWLINE"), Key_Return); k.insert(_("LINEFEED"), Key_Return); k.insert(_("LF"), Key_Return); k.insert(_("CR"), Key_Return); k.insert(_("RETURN"), Key_Return); k.insert(_("ENTER"), Key_Return); k.insert(_("BS"), Key_Backspace); k.insert(_("BACKSPACE"), Key_Backspace); k.insert(_("ESC"), Key_Escape); k.insert(_("BAR"), Key_Bar); k.insert(_("BSLASH"), Key_Backslash); k.insert(_("DEL"), Key_Delete); k.insert(_("DELETE"), Key_Delete); k.insert(_("KDEL"), Key_Delete); k.insert(_("UP"), Key_Up); k.insert(_("DOWN"), Key_Down); k.insert(_("LEFT"), Key_Left); k.insert(_("RIGHT"), Key_Right); k.insert(_("LT"), Key_Less); k.insert(_("GT"), Key_Greater); k.insert(_("F1"), Key_F1); k.insert(_("F2"), Key_F2); k.insert(_("F3"), Key_F3); k.insert(_("F4"), Key_F4); k.insert(_("F5"), Key_F5); k.insert(_("F6"), Key_F6); k.insert(_("F7"), Key_F7); k.insert(_("F8"), Key_F8); k.insert(_("F9"), Key_F9); k.insert(_("F10"), Key_F10); k.insert(_("F11"), Key_F11); k.insert(_("F12"), Key_F12); k.insert(_("F13"), Key_F13); k.insert(_("F14"), Key_F14); k.insert(_("F15"), Key_F15); k.insert(_("F16"), Key_F16); k.insert(_("F17"), Key_F17); k.insert(_("F18"), Key_F18); k.insert(_("F19"), Key_F19); k.insert(_("F20"), Key_F20); k.insert(_("F21"), Key_F21); k.insert(_("F22"), Key_F22); k.insert(_("F23"), Key_F23); k.insert(_("F24"), Key_F24); k.insert(_("F25"), Key_F25); k.insert(_("F26"), Key_F26); k.insert(_("F27"), Key_F27); k.insert(_("F28"), Key_F28); k.insert(_("F29"), Key_F29); k.insert(_("F30"), Key_F30); k.insert(_("F31"), Key_F31); k.insert(_("F32"), Key_F32); k.insert(_("F33"), Key_F33); k.insert(_("F34"), Key_F34); k.insert(_("F35"), Key_F35); k.insert(_("INSERT"), Key_Insert); k.insert(_("INS"), Key_Insert); k.insert(_("KINSERT"), Key_Insert); k.insert(_("HOME"), Key_Home); k.insert(_("END"), Key_End); k.insert(_("PAGEUP"), Key_PageUp); k.insert(_("PAGEDOWN"), Key_PageDown); k.insert(_("KPLUS"), Key_Plus); k.insert(_("KMINUS"), Key_Minus); k.insert(_("KDIVIDE"), Key_Slash); k.insert(_("KMULTIPLY"), Key_Asterisk); k.insert(_("KENTER"), Key_Enter); k.insert(_("KPOINT"), Key_Period); return k; } static bool isOnlyControlModifier(const Qt::KeyboardModifiers &mods) { return (mods ^ HostOsInfo::controlModifier()) == Qt::NoModifier; } Range::Range() : beginPos(-1), endPos(-1), rangemode(RangeCharMode) {} Range::Range(int b, int e, RangeMode m) : beginPos(qMin(b, e)), endPos(qMax(b, e)), rangemode(m) {} QString Range::toString() const { return QString::fromLatin1("%1-%2 (mode: %3)").arg(beginPos).arg(endPos) .arg(rangemode); } QDebug operator<<(QDebug ts, const Range &range) { return ts << '[' << range.beginPos << ',' << range.endPos << ']'; } ExCommand::ExCommand(const QString &c, const QString &a, const Range &r) : cmd(c), hasBang(false), args(a), range(r), count(1) {} bool ExCommand::matches(const QString &min, const QString &full) const { return cmd.startsWith(min) && full.startsWith(cmd); } QDebug operator<<(QDebug ts, const ExCommand &cmd) { return ts << cmd.cmd << ' ' << cmd.args << ' ' << cmd.range; } QDebug operator<<(QDebug ts, const QList &sels) { foreach (const QTextEdit::ExtraSelection &sel, sels) ts << "SEL: " << sel.cursor.anchor() << sel.cursor.position(); return ts; } QString quoteUnprintable(const QString &ba) { QString res; for (int i = 0, n = ba.size(); i != n; ++i) { const QChar c = ba.at(i); const int cc = c.unicode(); if (c.isPrint()) res += c; else if (cc == QLatin1Char('\n')) res += _(""); else res += QString::fromLatin1("\\x%1").arg(c.unicode(), 2, 16, QLatin1Char('0')); } return res; } static bool startsWithWhitespace(const QString &str, int col) { QTC_ASSERT(str.size() >= col, return false); for (int i = 0; i < col; ++i) { uint u = str.at(i).unicode(); if (u != QLatin1Char(' ') && u != QLatin1Char('\t')) return false; } return true; } inline QString msgMarkNotSet(const QString &text) { return FakeVimHandler::tr("Mark '%1' not set.").arg(text); } class Input { public: // Remove some extra "information" on Mac. static Qt::KeyboardModifiers cleanModifier(Qt::KeyboardModifiers m) { return m & ~Qt::KeypadModifier; } Input() : m_key(0), m_xkey(0), m_modifiers(0) {} explicit Input(QChar x) : m_key(x.unicode()), m_xkey(x.unicode()), m_modifiers(0), m_text(x) { if (x.isUpper()) m_modifiers = Qt::ShiftModifier; else if (x.isLower()) m_key = x.toUpper().unicode(); } Input(int k, Qt::KeyboardModifiers m, const QString &t = QString()) : m_key(k), m_modifiers(cleanModifier(m)), m_text(t) { if (m_text.size() == 1) { QChar x = m_text.at(0); // On Mac, QKeyEvent::text() returns non-empty strings for // cursor keys. This breaks some of the logic later on // relying on text() being empty for "special" keys. // FIXME: Check the real conditions. if (x.unicode() < ' ') m_text.clear(); else if (x.isLetter()) m_key = x.toUpper().unicode(); } // Set text only if input is ascii key without control modifier. if (m_text.isEmpty() && k >= 0 && k <= 0x7f && (m & HostOsInfo::controlModifier()) == 0) { QChar c = QChar::fromLatin1(k); m_text = QString((m & ShiftModifier) != 0 ? c.toUpper() : c.toLower()); } // m_xkey is only a cache. m_xkey = (m_text.size() == 1 ? m_text.at(0).unicode() : m_key); } bool isValid() const { return m_key != 0 || !m_text.isNull(); } bool isDigit() const { return m_xkey >= '0' && m_xkey <= '9'; } bool isKey(int c) const { return !m_modifiers && m_key == c; } bool isBackspace() const { return m_key == Key_Backspace || isControl('h'); } bool isReturn() const { return m_key == QLatin1Char('\n') || m_key == Key_Return || m_key == Key_Enter; } bool isEscape() const { return isKey(Key_Escape) || isKey(27) || isControl('c') || isControl(Key_BracketLeft); } bool is(int c) const { return m_xkey == c && !isControl(); } bool isControl() const { return isOnlyControlModifier(m_modifiers); } bool isControl(int c) const { return isControl() && (m_xkey == c || m_xkey + 32 == c || m_xkey + 64 == c || m_xkey + 96 == c); } bool isShift() const { return m_modifiers & Qt::ShiftModifier; } bool isShift(int c) const { return isShift() && m_xkey == c; } bool operator<(const Input &a) const { if (m_key != a.m_key) return m_key < a.m_key; // Text for some mapped key cannot be determined (e.g. ) so if text is not set for // one of compared keys ignore it. if (!m_text.isEmpty() && !a.m_text.isEmpty()) return m_text < a.m_text; return m_modifiers < a.m_modifiers; } bool operator==(const Input &a) const { return !(*this < a || a < *this); } bool operator!=(const Input &a) const { return !operator==(a); } QString text() const { return m_text; } QChar asChar() const { return (m_text.size() == 1 ? m_text.at(0) : QChar()); } int key() const { return m_key; } Qt::KeyboardModifiers modifiers() const { return m_modifiers; } // Return raw character for macro recording or dot command. QChar raw() const { if (m_key == Key_Tab) return QLatin1Char('\t'); if (m_key == Key_Return) return QLatin1Char('\n'); if (m_key == Key_Escape) return QChar(27); return m_xkey; } QString toString() const { QString key = vimKeyNames().key(m_key); bool namedKey = !key.isEmpty(); if (!namedKey) { if (m_xkey == '<') key = _(""); else if (m_xkey == '>') key = _(""); else key = QChar(m_xkey); } bool shift = isShift(); bool ctrl = isControl(); if (shift) key.prepend(_("S-")); if (ctrl) key.prepend(_("C-")); if (namedKey || shift || ctrl) { key.prepend(QLatin1Char('<')); key.append(QLatin1Char('>')); } return key; } QDebug dump(QDebug ts) const { return ts << m_key << '-' << m_modifiers << '-' << quoteUnprintable(m_text); } private: int m_key; int m_xkey; Qt::KeyboardModifiers m_modifiers; QString m_text; }; // mapping to (do nothing) static const Input Nop(-1, Qt::KeyboardModifiers(-1), QString()); QDebug operator<<(QDebug ts, const Input &input) { return input.dump(ts); } class Inputs : public QVector { public: Inputs() : m_noremap(true), m_silent(false) {} explicit Inputs(const QString &str, bool noremap = true, bool silent = false) : m_noremap(noremap), m_silent(silent) { parseFrom(str); squeeze(); } bool noremap() const { return m_noremap; } bool silent() const { return m_silent; } private: void parseFrom(const QString &str); bool m_noremap; bool m_silent; }; static Input parseVimKeyName(const QString &keyName) { if (keyName.length() == 1) return Input(keyName.at(0)); const QStringList keys = keyName.split(QLatin1Char('-')); const int len = keys.length(); if (len == 1 && keys.at(0).toUpper() == _("NOP")) return Nop; Qt::KeyboardModifiers mods = NoModifier; for (int i = 0; i < len - 1; ++i) { const QString &key = keys[i].toUpper(); if (key == _("S")) mods |= Qt::ShiftModifier; else if (key == _("C")) mods |= HostOsInfo::controlModifier(); else return Input(); } if (!keys.isEmpty()) { const QString key = keys.last(); if (key.length() == 1) { // simple character QChar c = key.at(0).toUpper(); return Input(c.unicode(), mods); } // find key name QMap::ConstIterator it = vimKeyNames().constFind(key.toUpper()); if (it != vimKeyNames().end()) return Input(*it, mods); } return Input(); } void Inputs::parseFrom(const QString &str) { const int n = str.size(); for (int i = 0; i < n; ++i) { ushort c = str.at(i).unicode(); if (c == '<') { int j = str.indexOf(QLatin1Char('>'), i); Input input; if (j != -1) { const QString key = str.mid(i+1, j - i - 1); if (!key.contains(QLatin1Char('<'))) input = parseVimKeyName(key); } if (input.isValid()) { append(input); i = j; } else { append(Input(c)); } } else { append(Input(c)); } } } class History { public: History() : m_items(QString()), m_index(0) {} void append(const QString &item); const QString &move(const QStringRef &prefix, int skip); const QString ¤t() const { return m_items[m_index]; } const QStringList &items() const { return m_items; } void restart() { m_index = m_items.size() - 1; } private: // Last item is always empty or current search prefix. QStringList m_items; int m_index; }; void History::append(const QString &item) { if (item.isEmpty()) return; m_items.pop_back(); m_items.removeAll(item); m_items << item << QString(); restart(); } const QString &History::move(const QStringRef &prefix, int skip) { if (!current().startsWith(prefix)) restart(); if (m_items.last() != prefix) m_items[m_items.size() - 1] = prefix.toString(); int i = m_index + skip; if (!prefix.isEmpty()) for (; i >= 0 && i < m_items.size() && !m_items[i].startsWith(prefix); i += skip) ; if (i >= 0 && i < m_items.size()) m_index = i; return current(); } // Command line buffer with prompt (i.e. :, / or ? characters), text contents and cursor position. class CommandBuffer { public: CommandBuffer() : m_pos(0), m_anchor(0), m_userPos(0), m_historyAutoSave(true) {} void setPrompt(const QChar &prompt) { m_prompt = prompt; } void setContents(const QString &s) { m_buffer = s; m_anchor = m_pos = s.size(); } void setContents(const QString &s, int pos, int anchor = -1) { m_buffer = s; m_pos = m_userPos = pos; m_anchor = anchor >= 0 ? anchor : pos; } QStringRef userContents() const { return m_buffer.leftRef(m_userPos); } const QChar &prompt() const { return m_prompt; } const QString &contents() const { return m_buffer; } bool isEmpty() const { return m_buffer.isEmpty(); } int cursorPos() const { return m_pos; } int anchorPos() const { return m_anchor; } bool hasSelection() const { return m_pos != m_anchor; } void insertChar(QChar c) { m_buffer.insert(m_pos++, c); m_anchor = m_userPos = m_pos; } void insertText(const QString &s) { m_buffer.insert(m_pos, s); m_anchor = m_userPos = m_pos = m_pos + s.size(); } void deleteChar() { if (m_pos) m_buffer.remove(--m_pos, 1); m_anchor = m_userPos = m_pos; } void moveLeft() { if (m_pos) m_userPos = --m_pos; } void moveRight() { if (m_pos < m_buffer.size()) m_userPos = ++m_pos; } void moveStart() { m_userPos = m_pos = 0; } void moveEnd() { m_userPos = m_pos = m_buffer.size(); } void setHistoryAutoSave(bool autoSave) { m_historyAutoSave = autoSave; } void historyDown() { setContents(m_history.move(userContents(), 1)); } void historyUp() { setContents(m_history.move(userContents(), -1)); } const QStringList &historyItems() const { return m_history.items(); } void historyPush(const QString &item = QString()) { m_history.append(item.isNull() ? contents() : item); } void clear() { if (m_historyAutoSave) historyPush(); m_buffer.clear(); m_anchor = m_userPos = m_pos = 0; } QString display() const { QString msg(m_prompt); for (int i = 0; i != m_buffer.size(); ++i) { const QChar c = m_buffer.at(i); if (c.unicode() < 32) { msg += QLatin1Char('^'); msg += QChar(c.unicode() + 64); } else { msg += c; } } return msg; } void deleteSelected() { if (m_pos < m_anchor) { m_buffer.remove(m_pos, m_anchor - m_pos); m_anchor = m_pos; } else { m_buffer.remove(m_anchor, m_pos - m_anchor); m_pos = m_anchor; } } bool handleInput(const Input &input) { if (input.isShift(Key_Left)) { moveLeft(); } else if (input.isShift(Key_Right)) { moveRight(); } else if (input.isShift(Key_Home)) { moveStart(); } else if (input.isShift(Key_End)) { moveEnd(); } else if (input.isKey(Key_Left)) { moveLeft(); m_anchor = m_pos; } else if (input.isKey(Key_Right)) { moveRight(); m_anchor = m_pos; } else if (input.isKey(Key_Home)) { moveStart(); m_anchor = m_pos; } else if (input.isKey(Key_End)) { moveEnd(); m_anchor = m_pos; } else if (input.isKey(Key_Up) || input.isKey(Key_PageUp)) { historyUp(); } else if (input.isKey(Key_Down) || input.isKey(Key_PageDown)) { historyDown(); } else if (input.isKey(Key_Delete)) { if (hasSelection()) { deleteSelected(); } else { if (m_pos < m_buffer.size()) m_buffer.remove(m_pos, 1); else deleteChar(); } } else if (!input.text().isEmpty()) { if (hasSelection()) deleteSelected(); insertText(input.text()); } else { return false; } return true; } private: QString m_buffer; QChar m_prompt; History m_history; int m_pos; int m_anchor; int m_userPos; // last position of inserted text (for retrieving history items) bool m_historyAutoSave; // store items to history on clear()? }; // Mappings for a specific mode (trie structure) class ModeMapping : public QMap { public: const Inputs &value() const { return m_value; } void setValue(const Inputs &value) { m_value = value; } private: Inputs m_value; }; // Mappings for all modes typedef QHash Mappings; // Iterator for mappings class MappingsIterator : public QVector { public: MappingsIterator(Mappings *mappings, char mode = -1, const Inputs &inputs = Inputs()) : m_parent(mappings) , m_lastValid(-1) , m_mode(0) { reset(mode); walk(inputs); } // Reset iterator state. Keep previous mode if 0. void reset(char mode = 0) { clear(); m_lastValid = -1; m_currentInputs.clear(); if (mode != 0) { m_mode = mode; if (mode != -1) m_modeMapping = m_parent->find(mode); } } bool isValid() const { return !empty(); } // Return true if mapping can be extended. bool canExtend() const { return isValid() && !last()->empty(); } // Return true if this mapping can be used. bool isComplete() const { return m_lastValid != -1; } // Return size of current map. int mapLength() const { return m_lastValid + 1; } bool walk(const Input &input) { m_currentInputs.append(input); if (m_modeMapping == m_parent->end()) return false; ModeMapping::Iterator it; if (isValid()) { it = last()->find(input); if (it == last()->end()) return false; } else { it = m_modeMapping->find(input); if (it == m_modeMapping->end()) return false; } if (!it->value().isEmpty()) m_lastValid = size(); append(it); return true; } bool walk(const Inputs &inputs) { foreach (const Input &input, inputs) { if (!walk(input)) return false; } return true; } // Return current mapped value. Iterator must be valid. const Inputs &inputs() const { return at(m_lastValid)->value(); } void remove() { if (isValid()) { if (canExtend()) { last()->setValue(Inputs()); } else { if (size() > 1) { while (last()->empty()) { at(size() - 2)->erase(last()); pop_back(); if (size() == 1 || !last()->value().isEmpty()) break; } if (last()->empty() && last()->value().isEmpty()) m_modeMapping->erase(last()); } else if (last()->empty() && !last()->value().isEmpty()) { m_modeMapping->erase(last()); } } } } void setInputs(const Inputs &key, const Inputs &inputs, bool unique = false) { ModeMapping *current = &(*m_parent)[m_mode]; foreach (const Input &input, key) current = &(*current)[input]; if (!unique || current->value().isEmpty()) current->setValue(inputs); } const Inputs ¤tInputs() const { return m_currentInputs; } private: Mappings *m_parent; Mappings::Iterator m_modeMapping; int m_lastValid; char m_mode; Inputs m_currentInputs; }; // state of current mapping struct MappingState { MappingState() : noremap(false), silent(false) {} MappingState(bool noremap, bool silent) : noremap(noremap), silent(silent) {} bool noremap; bool silent; }; class FakeVimHandler::Private : public QObject { Q_OBJECT public: Private(FakeVimHandler *parent, QWidget *widget); EventResult handleEvent(QKeyEvent *ev); bool wantsOverride(QKeyEvent *ev); bool parseExCommmand(QString *line, ExCommand *cmd); bool parseLineRange(QString *line, ExCommand *cmd); int parseLineAddress(QString *cmd); void parseRangeCount(const QString &line, Range *range) const; void handleCommand(const QString &cmd); // Sets m_tc + handleExCommand void handleExCommand(const QString &cmd); void installEventFilter(); void removeEventFilter(); void passShortcuts(bool enable); void setupWidget(); void restoreWidget(int tabSize); friend class FakeVimHandler; void init(); void focus(); // Call before any FakeVim processing (import cursor position from editor) void enterFakeVim(); // Call after any FakeVim processing // (if needUpdate is true, export cursor position to editor and scroll) void leaveFakeVim(bool needUpdate = true); EventResult handleKey(const Input &input); EventResult handleDefaultKey(const Input &input); EventResult handleCurrentMapAsDefault(); void prependInputs(const QVector &inputs); // Handle inputs. void prependMapping(const Inputs &inputs); // Handle inputs as mapping. bool expandCompleteMapping(); // Return false if current mapping is not complete. bool extendMapping(const Input &input); // Return false if no suitable mappig found. void endMapping(); bool canHandleMapping(); void clearPendingInput(); void waitForMapping(); EventResult stopWaitForMapping(bool hasInput); EventResult handleInsertOrReplaceMode(const Input &); void handleInsertMode(const Input &); void handleReplaceMode(const Input &); EventResult handleCommandMode(const Input &); // return true only if input in current mode and sub-mode was correctly handled bool handleEscape(); bool handleNoSubMode(const Input &); bool handleChangeDeleteSubModes(const Input &); bool handleReplaceSubMode(const Input &); bool handleFilterSubMode(const Input &); bool handleRegisterSubMode(const Input &); bool handleShiftSubMode(const Input &); bool handleChangeCaseSubMode(const Input &); bool handleWindowSubMode(const Input &); bool handleYankSubMode(const Input &); bool handleZSubMode(const Input &); bool handleCapitalZSubMode(const Input &); bool handleMacroRecordSubMode(const Input &); bool handleMacroExecuteSubMode(const Input &); bool handleCount(const Input &); // Handle count for commands (return false if input isn't count). bool handleMovement(const Input &); EventResult handleExMode(const Input &); EventResult handleSearchSubSubMode(const Input &); bool handleCommandSubSubMode(const Input &); void fixSelection(); // Fix selection according to current range, move and command modes. bool finishSearch(); void finishMovement(const QString &dotCommandMovement = QString()); void resetCommandMode(); void clearCommandMode(); QTextCursor search(const SearchData &sd, int startPos, int count, bool showMessages); void search(const SearchData &sd, bool showMessages = true); bool searchNext(bool forward = true); void searchBalanced(bool forward, QChar needle, QChar other); void highlightMatches(const QString &needle); void stopIncrementalFind(); void updateFind(bool isComplete); void resetCount(); bool isInputCount(const Input &) const; // Return true if input can be used as count for commands. int mvCount() const { return qMax(1, g.mvcount); } int opCount() const { return qMax(1, g.opcount); } int count() const { return mvCount() * opCount(); } QTextBlock block() const { return m_cursor.block(); } int leftDist() const { return position() - block().position(); } int rightDist() const { return block().length() - leftDist() - (isVisualCharMode() ? 0 : 1); } bool atBlockStart() const { return m_cursor.atBlockStart(); } bool atBlockEnd() const { return m_cursor.atBlockEnd(); } bool atEndOfLine() const { return atBlockEnd() && block().length() > 1; } bool atDocumentEnd() const { return position() >= lastPositionInDocument(true); } bool atDocumentStart() const { return m_cursor.atStart(); } bool atEmptyLine(const QTextCursor &tc = QTextCursor()) const; bool atBoundary(bool end, bool simple, bool onlyWords = false, const QTextCursor &tc = QTextCursor()) const; bool atWordBoundary(bool end, bool simple, const QTextCursor &tc = QTextCursor()) const; bool atWordStart(bool simple, const QTextCursor &tc = QTextCursor()) const; bool atWordEnd(bool simple, const QTextCursor &tc = QTextCursor()) const; bool isFirstNonBlankOnLine(int pos); int lastPositionInDocument(bool ignoreMode = false) const; // Returns last valid position in doc. int firstPositionInLine(int line, bool onlyVisibleLines = true) const; // 1 based line, 0 based pos int lastPositionInLine(int line, bool onlyVisibleLines = true) const; // 1 based line, 0 based pos int lineForPosition(int pos) const; // 1 based line, 0 based pos QString lineContents(int line) const; // 1 based line QString textAt(int from, int to) const; void setLineContents(int line, const QString &contents); // 1 based line int blockBoundary(const QString &left, const QString &right, bool end, int count) const; // end or start position of current code block int lineNumber(const QTextBlock &block) const; QTextBlock nextLine(const QTextBlock &block) const; // following line (respects wrapped parts) QTextBlock previousLine(const QTextBlock &block) const; // previous line (respects wrapped parts) int linesOnScreen() const; int linesInDocument() const; // The following use all zero-based counting. int cursorLineOnScreen() const; int cursorLine() const; int cursorBlockNumber() const; // "." address int physicalCursorColumn() const; // as stored in the data int logicalCursorColumn() const; // as visible on screen int physicalToLogicalColumn(int physical, const QString &text) const; int logicalToPhysicalColumn(int logical, const QString &text) const; int windowScrollOffset() const; // return scrolloffset but max half the current window height Column cursorColumn() const; // as visible on screen void updateFirstVisibleLine(); int firstVisibleLine() const; int lastVisibleLine() const; int lineOnTop(int count = 1) const; // [count]-th line from top reachable without scrolling int lineOnBottom(int count = 1) const; // [count]-th line from bottom reachable without scrolling void scrollToLine(int line); void scrollUp(int count); void scrollDown(int count) { scrollUp(-count); } void updateScrollOffset(); void alignViewportToCursor(Qt::AlignmentFlag align, int line = -1, bool moveToNonBlank = false); int lineToBlockNumber(int line) const; void setCursorPosition(const CursorPosition &p); void setCursorPosition(QTextCursor *tc, const CursorPosition &p); // Helper functions for indenting/ bool isElectricCharacter(QChar c) const; void indentSelectedText(QChar lastTyped = QChar()); void indentText(const Range &range, QChar lastTyped = QChar()); void shiftRegionLeft(int repeat = 1); void shiftRegionRight(int repeat = 1); void moveToFirstNonBlankOnLine(); void moveToFirstNonBlankOnLine(QTextCursor *tc); void moveToTargetColumn(); void setTargetColumn() { m_targetColumn = logicalCursorColumn(); m_visualTargetColumn = m_targetColumn; //qDebug() << "TARGET: " << m_targetColumn; } void moveToMatchingParanthesis(); void moveToBoundary(bool simple, bool forward = true); void moveToNextBoundary(bool end, int count, bool simple, bool forward); void moveToNextBoundaryStart(int count, bool simple, bool forward = true); void moveToNextBoundaryEnd(int count, bool simple, bool forward = true); void moveToBoundaryStart(int count, bool simple, bool forward = true); void moveToBoundaryEnd(int count, bool simple, bool forward = true); void moveToNextWord(bool end, int count, bool simple, bool forward, bool emptyLines); void moveToNextWordStart(int count, bool simple, bool forward = true, bool emptyLines = true); void moveToNextWordEnd(int count, bool simple, bool forward = true, bool emptyLines = true); void moveToWordStart(int count, bool simple, bool forward = true, bool emptyLines = true); void moveToWordEnd(int count, bool simple, bool forward = true, bool emptyLines = true); // Convenience wrappers to reduce line noise. void moveToStartOfLine(); void moveToEndOfLine(); void moveBehindEndOfLine(); void moveUp(int n = 1) { moveDown(-n); } void moveDown(int n = 1); void movePageDown(int count = 1); void movePageUp(int count = 1) { movePageDown(-count); } void dump(const char *msg) const { qDebug() << msg << "POS: " << anchor() << position() << "EXT: " << m_oldExternalAnchor << m_oldExternalPosition << "INT: " << m_oldInternalAnchor << m_oldInternalPosition << "VISUAL: " << g.visualMode; } void moveRight(int n = 1) { //dump("RIGHT 1"); if (isVisualCharMode()) { const QTextBlock currentBlock = block(); const int max = currentBlock.position() + currentBlock.length() - 1; const int pos = position() + n; setPosition(qMin(pos, max)); } else { m_cursor.movePosition(Right, KeepAnchor, n); } if (atEndOfLine()) emit q->fold(1, false); //dump("RIGHT 2"); } void moveLeft(int n = 1) { m_cursor.movePosition(Left, KeepAnchor, n); } void setAnchor() { m_cursor.setPosition(position(), MoveAnchor); } void setAnchor(int position) { m_cursor.setPosition(position, KeepAnchor); } void setPosition(int position) { m_cursor.setPosition(position, KeepAnchor); } void setAnchorAndPosition(int anchor, int position) { m_cursor.setPosition(anchor, MoveAnchor); m_cursor.setPosition(position, KeepAnchor); } // Set cursor in text editor widget. void commitCursor() { if (editor()) EDITOR(setTextCursor(m_cursor)); } // Values to save when starting FakeVim processing. int m_firstVisibleLine; QTextCursor m_cursor; bool moveToPreviousParagraph(int count) { return moveToNextParagraph(-count); } bool moveToNextParagraph(int count); bool handleFfTt(QString key); void initVisualInsertMode(QChar command); void enterReplaceMode(); void enterInsertMode(); void enterInsertOrReplaceMode(Mode mode); void enterCommandMode(Mode returnToMode = CommandMode); void enterExMode(const QString &contents = QString()); void showMessage(MessageLevel level, const QString &msg); void clearMessage() { showMessage(MessageInfo, QString()); } void notImplementedYet(); void updateMiniBuffer(); void updateSelection(); void updateHighlights(); void updateCursorShape(); QWidget *editor() const; QTextDocument *document() const { return EDITOR(document()); } QChar characterAtCursor() const { return document()->characterAt(position()); } int m_editBlockLevel; // current level of edit blocks void joinPreviousEditBlock(); void beginEditBlock(bool largeEditBlock = false); void beginLargeEditBlock() { beginEditBlock(true); } void endEditBlock(); void breakEditBlock() { m_breakEditBlock = true; } Q_SLOT void onContentsChanged(int position, int charsRemoved, int charsAdded); Q_SLOT void onUndoCommandAdded(); bool isInsertMode() const { return g.mode == InsertMode || g.mode == ReplaceMode; } // Waiting for movement operator. bool isOperatorPending() const { return g.submode == ChangeSubMode || g.submode == DeleteSubMode || g.submode == FilterSubMode || g.submode == IndentSubMode || g.submode == ShiftLeftSubMode || g.submode == ShiftRightSubMode || g.submode == InvertCaseSubMode || g.submode == DownCaseSubMode || g.submode == UpCaseSubMode || g.submode == YankSubMode; } bool isVisualMode() const { return g.visualMode != NoVisualMode; } bool isNoVisualMode() const { return g.visualMode == NoVisualMode; } bool isVisualCharMode() const { return g.visualMode == VisualCharMode; } bool isVisualLineMode() const { return g.visualMode == VisualLineMode; } bool isVisualBlockMode() const { return g.visualMode == VisualBlockMode; } char currentModeCode() const; void updateEditor(); void selectTextObject(bool simple, bool inner); void selectWordTextObject(bool inner); void selectWORDTextObject(bool inner); void selectSentenceTextObject(bool inner); void selectParagraphTextObject(bool inner); bool changeNumberTextObject(int count); // return true only if cursor is in a block delimited with correct characters bool selectBlockTextObject(bool inner, char left, char right); bool selectQuotedStringTextObject(bool inner, const QString "e); Q_SLOT void importSelection(); void exportSelection(); void commitInsertState(); void invalidateInsertState(); bool isInsertStateValid() const; void clearLastInsertion(); void ensureCursorVisible(); void insertInInsertMode(const QString &text); // Macro recording bool startRecording(const Input &input); void record(const Input &input); void stopRecording(); bool executeRegister(int register); public: QTextEdit *m_textedit; QPlainTextEdit *m_plaintextedit; bool m_wasReadOnly; // saves read-only state of document bool m_inFakeVim; // true if currently processing a key press or a command FakeVimHandler *q; int m_oldExternalPosition; // copy from last event to check for external changes int m_oldExternalAnchor; int m_oldInternalPosition; // copy from last event to check for external changes int m_oldInternalAnchor; int m_oldPosition; // FIXME: Merge with above. int m_register; bool m_visualBlockInsert; // Insert state to get last inserted text. struct InsertState { int pos1; int pos2; int backspaces; int deletes; QSet spaces; bool insertingSpaces; QString textBeforeCursor; bool newLineBefore; bool newLineAfter; } m_insertState; bool m_fakeEnd; bool m_anchorPastEnd; bool m_positionPastEnd; // '$' & 'l' in visual mode can move past eol QString m_currentFileName; int m_findStartPosition; QString m_lastInsertion; bool m_breakEditBlock; int anchor() const { return m_cursor.anchor(); } int position() const { return m_cursor.position(); } struct TransformationData { TransformationData(const QString &s, const QVariant &d) : from(s), extraData(d) {} QString from; QString to; QVariant extraData; }; typedef void (Private::*Transformation)(TransformationData *td); void transformText(const Range &range, Transformation transformation, const QVariant &extraData = QVariant()); void insertText(QTextCursor &tc, const QString &text); void insertText(const Register ®); void removeText(const Range &range); void removeTransform(TransformationData *td); void invertCase(const Range &range); void invertCaseTransform(TransformationData *td); void upCase(const Range &range); void upCaseTransform(TransformationData *td); void downCase(const Range &range); void downCaseTransform(TransformationData *td); void replaceText(const Range &range, const QString &str); void replaceByStringTransform(TransformationData *td); void replaceByCharTransform(TransformationData *td); QString selectText(const Range &range) const; void setCurrentRange(const Range &range); Range currentRange() const { return Range(position(), anchor(), g.rangemode); } void yankText(const Range &range, int toregister = '"'); void pasteText(bool afterCursor); void joinLines(int count, bool preserveSpace = false); void insertNewLine(); bool handleInsertInEditor(const Input &input); bool passEventToEditor(QEvent &event); // Pass event to editor widget without filtering. Returns true if event was processed. // undo handling int revision() const { return document()->availableUndoSteps(); } void undoRedo(bool undo); void undo(); void redo(); void pushUndoState(bool overwrite = true); // revision -> state QStack m_undo; QStack m_redo; State m_undoState; int m_lastRevision; // extra data for '.' void replay(const QString &text, int repeat = 1); void setDotCommand(const QString &cmd) { g.dotCommand = cmd; } void setDotCommand(const QString &cmd, int n) { g.dotCommand = cmd.arg(n); } QString visualDotCommand() const; // visual modes void toggleVisualMode(VisualMode visualMode); void leaveVisualMode(); VisualMode m_lastVisualMode; bool m_lastVisualModeInverted; // marks Mark mark(QChar code) const; void setMark(QChar code, CursorPosition position); // jump to valid mark return true if mark is valid and local bool jumpToMark(QChar mark, bool backTickMode); // update marks on undo/redo void updateMarks(const Marks &newMarks); Marks m_marks; // local marks // vi style configuration QVariant config(int code) const { return theFakeVimSetting(code)->value(); } bool hasConfig(int code) const { return config(code).toBool(); } bool hasConfig(int code, const char *value) const // FIXME { return config(code).toString().contains(_(value)); } int m_targetColumn; // -1 if past end of line int m_visualTargetColumn; // 'l' can move past eol in visual mode only // auto-indent QString tabExpand(int len) const; Column indentation(const QString &line) const; void insertAutomaticIndentation(bool goingDown, bool forceAutoIndent = false); // number of autoindented characters void handleStartOfLine(); // register handling QString registerContents(int reg) const; void setRegister(int reg, const QString &contents, RangeMode mode); RangeMode registerRangeMode(int reg) const; void getRegisterType(int reg, bool *isClipboard, bool *isSelection) const; void recordJump(int position = -1); void jump(int distance); QStack m_jumpListUndo; QStack m_jumpListRedo; CursorPosition m_lastChangePosition; QList m_extraSelections; QTextCursor m_searchCursor; int m_searchStartPosition; int m_searchFromScreenLine; QString m_highlighted; // currently highlighted text bool handleExCommandHelper(ExCommand &cmd); // Returns success. bool handleExPluginCommand(const ExCommand &cmd); // Handled by plugin? bool handleExBangCommand(const ExCommand &cmd); bool handleExYankDeleteCommand(const ExCommand &cmd); bool handleExChangeCommand(const ExCommand &cmd); bool handleExMoveCommand(const ExCommand &cmd); bool handleExJoinCommand(const ExCommand &cmd); bool handleExGotoCommand(const ExCommand &cmd); bool handleExHistoryCommand(const ExCommand &cmd); bool handleExRegisterCommand(const ExCommand &cmd); bool handleExMapCommand(const ExCommand &cmd); bool handleExNohlsearchCommand(const ExCommand &cmd); bool handleExNormalCommand(const ExCommand &cmd); bool handleExReadCommand(const ExCommand &cmd); bool handleExUndoRedoCommand(const ExCommand &cmd); bool handleExSetCommand(const ExCommand &cmd); bool handleExShiftCommand(const ExCommand &cmd); bool handleExSourceCommand(const ExCommand &cmd); bool handleExSubstituteCommand(const ExCommand &cmd); bool handleExWriteCommand(const ExCommand &cmd); bool handleExEchoCommand(const ExCommand &cmd); void timerEvent(QTimerEvent *ev); void setupCharClass(); int charClass(QChar c, bool simple) const; signed char m_charClass[256]; bool m_ctrlVActive; void miniBufferTextEdited(const QString &text, int cursorPos, int anchorPos); // Data shared among all editors. static struct GlobalData { GlobalData() : passing(false) , mode(CommandMode) , submode(NoSubMode) , subsubmode(NoSubSubMode) , visualMode(NoVisualMode) , mvcount(0) , opcount(0) , movetype(MoveInclusive) , rangemode(RangeCharMode) , gflag(false) , mappings() , currentMap(&mappings) , inputTimer(-1) , mapDepth(0) , currentMessageLevel(MessageInfo) , lastSearchForward(false) , highlightsCleared(false) , findPending(false) , returnToMode(CommandMode) , currentRegister(0) , lastExecutedRegister(0) { commandBuffer.setPrompt(QLatin1Char(':')); } // Current state. bool passing; // let the core see the next event Mode mode; SubMode submode; SubSubMode subsubmode; Input subsubdata; VisualMode visualMode; // [count] for current command, 0 if no [count] available int mvcount; int opcount; MoveType movetype; RangeMode rangemode; bool gflag; // whether current command started with 'g' // Extra data for ';'. Input semicolonType; // 'f', 'F', 't', 'T' QString semicolonKey; // Repetition. QString dotCommand; QHash registers; // All mappings. Mappings mappings; // Input. QList pendingInput; MappingsIterator currentMap; int inputTimer; QStack mapStates; int mapDepth; // Command line buffers. CommandBuffer commandBuffer; CommandBuffer searchBuffer; // Current mini buffer message. QString currentMessage; MessageLevel currentMessageLevel; QString currentCommand; // Search state. QString lastSearch; // last search expression as entered by user QString lastNeedle; // last search expression translated with vimPatternToQtPattern() bool lastSearchForward; // last search command was '/' or '*' bool highlightsCleared; // ':nohlsearch' command is active until next search bool findPending; // currently searching using external tool (until editor is focused again) // Last substitution command. QString lastSubstituteFlags; QString lastSubstitutePattern; QString lastSubstituteReplacement; // Global marks. Marks marks; // Return to insert/replace mode after single command (). Mode returnToMode; // Currently recorded macro (not recording if null string). QString recording; int currentRegister; int lastExecutedRegister; } g; }; FakeVimHandler::Private::GlobalData FakeVimHandler::Private::g; FakeVimHandler::Private::Private(FakeVimHandler *parent, QWidget *widget) { q = parent; m_textedit = qobject_cast(widget); m_plaintextedit = qobject_cast(widget); init(); if (editor()) { connect(EDITOR(document()), SIGNAL(contentsChange(int,int,int)), SLOT(onContentsChanged(int,int,int))); connect(EDITOR(document()), SIGNAL(undoCommandAdded()), SLOT(onUndoCommandAdded())); m_lastRevision = revision(); } } void FakeVimHandler::Private::init() { m_inFakeVim = false; m_findStartPosition = -1; m_visualBlockInsert = false; m_fakeEnd = false; m_positionPastEnd = false; m_anchorPastEnd = false; m_register = '"'; m_lastVisualMode = NoVisualMode; m_lastVisualModeInverted = false; m_targetColumn = 0; m_visualTargetColumn = 0; m_ctrlVActive = false; m_oldInternalAnchor = -1; m_oldInternalPosition = -1; m_oldExternalAnchor = -1; m_oldExternalPosition = -1; m_oldPosition = -1; m_insertState = InsertState(); m_breakEditBlock = false; m_searchStartPosition = 0; m_searchFromScreenLine = 0; m_editBlockLevel = 0; m_firstVisibleLine = 0; setupCharClass(); } void FakeVimHandler::Private::focus() { enterFakeVim(); stopIncrementalFind(); if (!isInsertMode()) { if (g.subsubmode == SearchSubSubMode) { setPosition(m_searchStartPosition); scrollToLine(m_searchFromScreenLine); setTargetColumn(); } else { leaveVisualMode(); } bool exitCommandLine = (g.subsubmode == SearchSubSubMode || g.mode == ExMode); resetCommandMode(); if (exitCommandLine) updateMiniBuffer(); } updateCursorShape(); if (g.mode != CommandMode) updateMiniBuffer(); updateHighlights(); leaveFakeVim(); } void FakeVimHandler::Private::enterFakeVim() { QTC_ASSERT(!m_inFakeVim, qDebug() << "enterFakeVim() shouldn't be called recursively!"; return); m_cursor = EDITOR(textCursor()); if (m_cursor.isNull()) m_cursor = QTextCursor(document()); m_inFakeVim = true; removeEventFilter(); updateFirstVisibleLine(); importSelection(); // Position changed externally, e.g. by code completion. if (position() != m_oldPosition) { // record external jump to different line if (m_oldPosition != -1 && lineForPosition(m_oldPosition) != lineForPosition(position())) recordJump(m_oldPosition); setTargetColumn(); if (atEndOfLine() && !isVisualMode() && !isInsertMode()) moveLeft(); } if (m_fakeEnd) moveRight(); } void FakeVimHandler::Private::leaveFakeVim(bool needUpdate) { QTC_ASSERT(m_inFakeVim, qDebug() << "enterFakeVim() not called before leaveFakeVim()!"; return); // The command might have destroyed the editor. if (m_textedit || m_plaintextedit) { // We fake vi-style end-of-line behaviour m_fakeEnd = atEndOfLine() && g.mode == CommandMode && !isVisualBlockMode() && !isVisualCharMode(); //QTC_ASSERT(g.mode == InsertMode || g.mode == ReplaceMode // || !atBlockEnd() || block().length() <= 1, // qDebug() << "Cursor at EOL after key handler"); if (m_fakeEnd) moveLeft(); m_oldPosition = position(); if (hasConfig(ConfigShowMarks)) updateSelection(); exportSelection(); updateCursorShape(); if (needUpdate) { commitCursor(); // Move cursor line to middle of screen if it's not visible. const int line = cursorLine(); if (line < firstVisibleLine() || line > firstVisibleLine() + linesOnScreen()) scrollToLine(qMax(0, line - linesOnScreen() / 2)); else scrollToLine(firstVisibleLine()); updateScrollOffset(); } installEventFilter(); } m_inFakeVim = false; } bool FakeVimHandler::Private::wantsOverride(QKeyEvent *ev) { const int key = ev->key(); const Qt::KeyboardModifiers mods = ev->modifiers(); KEY_DEBUG("SHORTCUT OVERRIDE" << key << " PASSING: " << g.passing); if (key == Key_Escape) { if (g.subsubmode == SearchSubSubMode) return true; // Not sure this feels good. People often hit Esc several times. if (isNoVisualMode() && g.mode == CommandMode && g.submode == NoSubMode && g.currentCommand.isEmpty() && g.returnToMode == CommandMode) return false; return true; } // We are interested in overriding most Ctrl key combinations. if (isOnlyControlModifier(mods) && !config(ConfigPassControlKey).toBool() && ((key >= Key_A && key <= Key_Z && key != Key_K) || key == Key_BracketLeft || key == Key_BracketRight)) { // Ctrl-K is special as it is the Core's default notion of Locator if (g.passing) { KEY_DEBUG(" PASSING CTRL KEY"); // We get called twice on the same key //g.passing = false; return false; } KEY_DEBUG(" NOT PASSING CTRL KEY"); //updateMiniBuffer(); return true; } // Let other shortcuts trigger. return false; } EventResult FakeVimHandler::Private::handleEvent(QKeyEvent *ev) { const int key = ev->key(); const Qt::KeyboardModifiers mods = ev->modifiers(); if (key == Key_Shift || key == Key_Alt || key == Key_Control || key == Key_Alt || key == Key_AltGr || key == Key_Meta) { KEY_DEBUG("PLAIN MODIFIER"); return EventUnhandled; } if (g.passing) { passShortcuts(false); KEY_DEBUG("PASSING PLAIN KEY..." << ev->key() << ev->text()); //if (input.is(',')) { // use ',,' to leave, too. // qDebug() << "FINISHED..."; // return EventHandled; //} g.passing = false; updateMiniBuffer(); KEY_DEBUG(" PASS TO CORE"); return EventPassedToCore; } #ifndef FAKEVIM_STANDALONE bool inSnippetMode = false; QMetaObject::invokeMethod(editor(), "inSnippetMode", Q_ARG(bool *, &inSnippetMode)); if (inSnippetMode) return EventPassedToCore; #endif // Fake "End of line" //m_tc = m_cursor; //bool hasBlock = false; //emit q->requestHasBlockSelection(&hasBlock); //qDebug() << "IMPORT BLOCK 2:" << hasBlock; //if (0 && hasBlock) { // (pos > anc) ? --pos : --anc; //if ((mods & RealControlModifier) != 0) { // if (key >= Key_A && key <= Key_Z) // key = shift(key); // make it lower case // key = control(key); //} else if (key >= Key_A && key <= Key_Z && (mods & Qt::ShiftModifier) == 0) { // key = shift(key); //} //QTC_ASSERT(g.mode == InsertMode || g.mode == ReplaceMode // || !atBlockEnd() || block().length() <= 1, // qDebug() << "Cursor at EOL before key handler"); enterFakeVim(); EventResult result = handleKey(Input(key, mods, ev->text())); leaveFakeVim(result == EventHandled); return result; } void FakeVimHandler::Private::installEventFilter() { EDITOR(viewport()->installEventFilter(q)); EDITOR(installEventFilter(q)); } void FakeVimHandler::Private::removeEventFilter() { EDITOR(viewport()->removeEventFilter(q)); EDITOR(removeEventFilter(q)); } void FakeVimHandler::Private::setupWidget() { enterFakeVim(); resetCommandMode(); m_wasReadOnly = EDITOR(isReadOnly()); updateEditor(); importSelection(); updateMiniBuffer(); updateCursorShape(); recordJump(); setTargetColumn(); if (atEndOfLine() && !isVisualMode() && !isInsertMode()) moveLeft(); leaveFakeVim(); } void FakeVimHandler::Private::exportSelection() { int pos = position(); int anc = isVisualMode() ? anchor() : position(); m_oldInternalPosition = pos; m_oldInternalAnchor = anc; if (isVisualMode()) { if (g.visualMode == VisualBlockMode) { const int col1 = anc - document()->findBlock(anc).position(); const int col2 = pos - document()->findBlock(pos).position(); if (col1 > col2) ++anc; else ++pos; setAnchorAndPosition(anc, pos); commitCursor(); emit q->requestSetBlockSelection(false); emit q->requestSetBlockSelection(true); } else if (g.visualMode == VisualLineMode) { const int posLine = lineForPosition(pos); const int ancLine = lineForPosition(anc); if (anc < pos) { pos = lastPositionInLine(posLine); anc = firstPositionInLine(ancLine); } else { pos = firstPositionInLine(posLine); anc = lastPositionInLine(ancLine) + 1; } // putting cursor on folded line will unfold the line, so move the cursor a bit if (!document()->findBlock(pos).isVisible()) ++pos; setAnchorAndPosition(anc, pos); } else if (g.visualMode == VisualCharMode) { if (anc > pos) ++anc; } else { QTC_CHECK(false); } setAnchorAndPosition(anc, pos); setMark(QLatin1Char('<'), mark(QLatin1Char('<')).position); setMark(QLatin1Char('>'), mark(QLatin1Char('>')).position); } else { if (g.subsubmode == SearchSubSubMode && !m_searchCursor.isNull()) m_cursor = m_searchCursor; else setAnchorAndPosition(pos, pos); } m_oldExternalPosition = position(); m_oldExternalAnchor = anchor(); } void FakeVimHandler::Private::commitInsertState() { if (!isInsertStateValid()) return; // Get raw inserted text. m_lastInsertion = textAt(m_insertState.pos1, m_insertState.pos2); // Escape special characters and spaces inserted by user (not by auto-indentation). for (int i = m_lastInsertion.size() - 1; i >= 0; --i) { const int pos = m_insertState.pos1 + i; const ushort c = document()->characterAt(pos).unicode(); if (c == '<') m_lastInsertion.replace(i, 1, _("")); else if ((c == ' ' || c == '\t') && m_insertState.spaces.contains(pos)) m_lastInsertion.replace(i, 1, _(c == ' ' ? "" : "")); } // Remove unnecessary backspaces. while (m_insertState.backspaces > 0 && !m_lastInsertion.isEmpty() && m_lastInsertion[0].isSpace()) --m_insertState.backspaces; // backspaces in front of inserted text m_lastInsertion.prepend(QString(_("")).repeated(m_insertState.backspaces)); // deletes after inserted text m_lastInsertion.prepend(QString(_("")).repeated(m_insertState.deletes)); // Remove indentation. m_lastInsertion.replace(QRegExp(_("(^|\n)[\\t ]+")), _("\\1")); } void FakeVimHandler::Private::invalidateInsertState() { m_oldPosition = position(); m_insertState.pos1 = -1; m_insertState.pos2 = m_oldPosition; m_insertState.backspaces = 0; m_insertState.deletes = 0; m_insertState.spaces.clear(); m_insertState.insertingSpaces = false; m_insertState.textBeforeCursor = textAt(document()->findBlock(m_oldPosition).position(), m_oldPosition); m_insertState.newLineBefore = false; m_insertState.newLineAfter = false; } bool FakeVimHandler::Private::isInsertStateValid() const { return m_insertState.pos1 != -1; } void FakeVimHandler::Private::clearLastInsertion() { invalidateInsertState(); m_lastInsertion.clear(); m_insertState.pos1 = m_insertState.pos2; } void FakeVimHandler::Private::ensureCursorVisible() { int pos = position(); int anc = isVisualMode() ? anchor() : position(); // fix selection so it is outside folded block int start = qMin(pos, anc); int end = qMax(pos, anc) + 1; QTextBlock block = document()->findBlock(start); QTextBlock block2 = document()->findBlock(end); if (!block.isVisible() || !block2.isVisible()) { // FIXME: Moving cursor left/right or unfolding block immediately after block is folded // should restore cursor position inside block. // Changing cursor position after folding is not Vim behavior so at least record the jump. if (block.isValid() && !block.isVisible()) recordJump(); pos = start; while (block.isValid() && !block.isVisible()) block = block.previous(); if (block.isValid()) pos = block.position() + qMin(m_targetColumn, block.length() - 2); if (isVisualMode()) { anc = end; while (block2.isValid() && !block2.isVisible()) { anc = block2.position() + block2.length() - 2; block2 = block2.next(); } } setAnchorAndPosition(anc, pos); } } void FakeVimHandler::Private::importSelection() { bool hasBlock = false; emit q->requestHasBlockSelection(&hasBlock); if (position() == m_oldExternalPosition && anchor() == m_oldExternalAnchor) { // Undo drawing correction. setAnchorAndPosition(m_oldInternalAnchor, m_oldInternalPosition); } else { // Import new selection. Qt::KeyboardModifiers mods = QApplication::keyboardModifiers(); if (m_cursor.hasSelection()) { if (mods & HostOsInfo::controlModifier()) g.visualMode = VisualBlockMode; else if (mods & Qt::AltModifier) g.visualMode = VisualBlockMode; else if (mods & Qt::ShiftModifier) g.visualMode = VisualLineMode; else g.visualMode = VisualCharMode; m_lastVisualMode = g.visualMode; } else { g.visualMode = NoVisualMode; } } } void FakeVimHandler::Private::updateEditor() { const int charWidth = QFontMetrics(EDITOR(font())).width(QLatin1Char(' ')); EDITOR(setTabStopWidth(charWidth * config(ConfigTabStop).toInt())); setupCharClass(); } void FakeVimHandler::Private::restoreWidget(int tabSize) { //clearMessage(); //updateMiniBuffer(); //EDITOR(removeEventFilter(q)); //EDITOR(setReadOnly(m_wasReadOnly)); const int charWidth = QFontMetrics(EDITOR(font())).width(QLatin1Char(' ')); EDITOR(setTabStopWidth(charWidth * tabSize)); g.visualMode = NoVisualMode; // Force "ordinary" cursor. EDITOR(setOverwriteMode(false)); updateSelection(); updateHighlights(); } EventResult FakeVimHandler::Private::handleKey(const Input &input) { KEY_DEBUG("HANDLE INPUT: " << input << " MODE: " << mode); bool hasInput = input.isValid(); // Waiting on input to complete mapping? EventResult r = stopWaitForMapping(hasInput); if (hasInput) { record(input); g.pendingInput.append(input); } // Process pending input. // Note: Pending input is global state and can be extended by: // 1. handling a user input (though handleKey() is not called recursively), // 2. expanding a user mapping or // 3. executing a register. while (!g.pendingInput.isEmpty() && r == EventHandled) { const Input in = g.pendingInput.takeFirst(); // invalid input is used to pop mapping state if (!in.isValid()) { endMapping(); } else { // Handle user mapping. if (canHandleMapping()) { if (extendMapping(in)) { if (!hasInput || !g.currentMap.canExtend()) expandCompleteMapping(); } else if (!expandCompleteMapping()) { r = handleCurrentMapAsDefault(); } } else { r = handleDefaultKey(in); } } } if (g.currentMap.canExtend()) { waitForMapping(); return EventHandled; } if (r != EventHandled) clearPendingInput(); return r; } EventResult FakeVimHandler::Private::handleDefaultKey(const Input &input) { if (input == Nop) return EventHandled; else if (g.subsubmode == SearchSubSubMode) return handleSearchSubSubMode(input); else if (g.mode == CommandMode) return handleCommandMode(input); else if (g.mode == InsertMode || g.mode == ReplaceMode) return handleInsertOrReplaceMode(input); else if (g.mode == ExMode) return handleExMode(input); return EventUnhandled; } EventResult FakeVimHandler::Private::handleCurrentMapAsDefault() { // If mapping has failed take the first input from it and try default command. const Inputs &inputs = g.currentMap.currentInputs(); Input in = inputs.front(); if (inputs.size() > 1) prependInputs(inputs.mid(1)); g.currentMap.reset(); return handleDefaultKey(in); } void FakeVimHandler::Private::prependInputs(const QVector &inputs) { for (int i = inputs.size() - 1; i >= 0; --i) g.pendingInput.prepend(inputs[i]); } void FakeVimHandler::Private::prependMapping(const Inputs &inputs) { // FIXME: Implement Vim option maxmapdepth (default value is 1000). if (g.mapDepth >= 1000) { const int i = qMax(0, g.pendingInput.lastIndexOf(Input())); QList inputs = g.pendingInput.mid(i); clearPendingInput(); g.pendingInput.append(inputs); showMessage(MessageError, tr("Recursive mapping")); updateMiniBuffer(); return; } ++g.mapDepth; g.pendingInput.prepend(Input()); prependInputs(inputs); g.mapStates << MappingState(inputs.noremap(), inputs.silent()); g.commandBuffer.setHistoryAutoSave(false); beginLargeEditBlock(); } bool FakeVimHandler::Private::expandCompleteMapping() { if (!g.currentMap.isComplete()) return false; const Inputs &inputs = g.currentMap.inputs(); int usedInputs = g.currentMap.mapLength(); prependInputs(g.currentMap.currentInputs().mid(usedInputs)); prependMapping(inputs); g.currentMap.reset(); return true; } bool FakeVimHandler::Private::extendMapping(const Input &input) { if (!g.currentMap.isValid()) g.currentMap.reset(currentModeCode()); return g.currentMap.walk(input); } void FakeVimHandler::Private::endMapping() { if (!g.currentMap.canExtend()) --g.mapDepth; if (g.mapStates.isEmpty()) return; g.mapStates.pop_back(); endEditBlock(); if (g.mapStates.isEmpty()) g.commandBuffer.setHistoryAutoSave(true); updateMiniBuffer(); } bool FakeVimHandler::Private::canHandleMapping() { // Don't handle user mapping in sub-modes that cannot be followed by movement and in "noremap". return g.subsubmode == NoSubSubMode && g.submode != RegisterSubMode && g.submode != WindowSubMode && g.submode != ZSubMode && g.submode != CapitalZSubMode && g.submode != ReplaceSubMode && g.submode != MacroRecordSubMode && g.submode != MacroExecuteSubMode && (g.mapStates.isEmpty() || !g.mapStates.last().noremap); } void FakeVimHandler::Private::clearPendingInput() { // Clear pending input on interrupt or bad mapping. g.pendingInput.clear(); g.mapStates.clear(); g.mapDepth = 0; // Clear all started edit blocks. while (m_editBlockLevel > 0) endEditBlock(); } void FakeVimHandler::Private::waitForMapping() { g.currentCommand.clear(); foreach (const Input &input, g.currentMap.currentInputs()) g.currentCommand.append(input.toString()); updateMiniBuffer(); // wait for user to press any key or trigger complete mapping after interval g.inputTimer = startTimer(1000); } EventResult FakeVimHandler::Private::stopWaitForMapping(bool hasInput) { if (g.inputTimer != -1) { killTimer(g.inputTimer); g.inputTimer = -1; g.currentCommand.clear(); if (!hasInput && !expandCompleteMapping()) { // Cannot complete mapping so handle the first input from it as default command. return handleCurrentMapAsDefault(); } } return EventHandled; } void FakeVimHandler::Private::timerEvent(QTimerEvent *ev) { if (ev->timerId() == g.inputTimer) { enterFakeVim(); EventResult result = handleKey(Input()); leaveFakeVim(result == EventHandled); } } void FakeVimHandler::Private::stopIncrementalFind() { if (g.findPending) { g.findPending = false; setAnchorAndPosition(m_findStartPosition, m_cursor.selectionStart()); finishMovement(); setAnchor(); } } void FakeVimHandler::Private::updateFind(bool isComplete) { if (!isComplete && !hasConfig(ConfigIncSearch)) return; g.currentMessage.clear(); const QString &needle = g.searchBuffer.contents(); if (isComplete) { setPosition(m_searchStartPosition); if (!needle.isEmpty()) recordJump(); } SearchData sd; sd.needle = needle; sd.forward = g.lastSearchForward; sd.highlightMatches = isComplete; search(sd, isComplete); } void FakeVimHandler::Private::resetCount() { g.mvcount = 0; g.opcount = 0; } bool FakeVimHandler::Private::isInputCount(const Input &input) const { return input.isDigit() && (!input.is('0') || g.mvcount > 0); } bool FakeVimHandler::Private::atEmptyLine(const QTextCursor &tc) const { if (tc.isNull()) return atEmptyLine(m_cursor); return tc.block().length() == 1; } bool FakeVimHandler::Private::atBoundary(bool end, bool simple, bool onlyWords, const QTextCursor &tc) const { if (tc.isNull()) return atBoundary(end, simple, onlyWords, m_cursor); if (atEmptyLine(tc)) return true; int pos = tc.position(); QChar c1 = document()->characterAt(pos); QChar c2 = document()->characterAt(pos + (end ? 1 : -1)); int thisClass = charClass(c1, simple); return (!onlyWords || thisClass != 0) && (c2.isNull() || c2 == ParagraphSeparator || thisClass != charClass(c2, simple)); } bool FakeVimHandler::Private::atWordBoundary(bool end, bool simple, const QTextCursor &tc) const { return atBoundary(end, simple, true, tc); } bool FakeVimHandler::Private::atWordStart(bool simple, const QTextCursor &tc) const { return atWordBoundary(false, simple, tc); } bool FakeVimHandler::Private::atWordEnd(bool simple, const QTextCursor &tc) const { return atWordBoundary(true, simple, tc); } bool FakeVimHandler::Private::isFirstNonBlankOnLine(int pos) { for (int i = document()->findBlock(pos).position(); i < pos; ++i) { if (!document()->characterAt(i).isSpace()) return false; } return true; } void FakeVimHandler::Private::pushUndoState(bool overwrite) { if (m_editBlockLevel != 0 && m_undoState.isValid()) return; // No need to save undo state for inner edit blocks. if (m_undoState.isValid() && !overwrite) return; int pos = position(); if (!isInsertMode()) { if (isVisualMode() || g.submode == DeleteSubMode || (g.submode == ChangeSubMode && g.movetype != MoveLineWise)) { pos = qMin(pos, anchor()); if (isVisualLineMode()) pos = firstPositionInLine(lineForPosition(pos)); } else if (g.movetype == MoveLineWise && hasConfig(ConfigStartOfLine)) { QTextCursor tc = m_cursor; if (g.submode == ShiftLeftSubMode || g.submode == ShiftRightSubMode || g.submode == IndentSubMode) { pos = qMin(pos, anchor()); } tc.setPosition(pos); moveToFirstNonBlankOnLine(&tc); pos = qMin(pos, tc.position()); } } m_redo.clear(); m_lastChangePosition = CursorPosition(document(), pos); if (isVisualMode()) { setMark(QLatin1Char('<'), mark(QLatin1Char('<')).position); setMark(QLatin1Char('>'), mark(QLatin1Char('>')).position); } m_undoState = State(revision(), m_lastChangePosition, m_marks, m_lastVisualMode, m_lastVisualModeInverted); } void FakeVimHandler::Private::moveDown(int n) { if (n == 0) return; QTextBlock block = m_cursor.block(); const int col = position() - block.position(); int lines = qAbs(n); int position = 0; while (block.isValid()) { position = block.position() + qMax(0, qMin(block.length() - 2, col)); if (block.isVisible()) { --lines; if (lines < 0) break; } block = n > 0 ? nextLine(block) : previousLine(block); } setPosition(position); moveToTargetColumn(); updateScrollOffset(); } void FakeVimHandler::Private::movePageDown(int count) { const int scrollOffset = windowScrollOffset(); const int screenLines = linesOnScreen(); const int offset = count > 0 ? scrollOffset - 2 : screenLines - scrollOffset + 2; const int value = count * screenLines - cursorLineOnScreen() + offset; moveDown(value); if (count > 0) scrollToLine(cursorLine()); else scrollToLine(qMax(0, cursorLine() - screenLines + 1)); } bool FakeVimHandler::Private::moveToNextParagraph(int count) { const bool forward = count > 0; int repeat = forward ? count : -count; int pos = position(); QTextBlock block = this->block(); if (block.isValid() && block.length() == 1) ++repeat; for (; block.isValid(); block = forward ? block.next() : block.previous()) { if (block.length() == 1) { if (--repeat == 0) break; while (block.isValid() && block.length() == 1) block = forward ? block.next() : block.previous(); } } if (repeat == 0) setPosition(block.position()); else if (repeat == 1) setPosition(forward ? lastPositionInDocument() : 0); else return false; recordJump(pos); setTargetColumn(); g.movetype = MoveExclusive; return true; } void FakeVimHandler::Private::moveToEndOfLine() { // Additionally select (in visual mode) or apply current command on hidden lines following // the current line. bool onlyVisibleLines = isVisualMode() || g.submode != NoSubMode; const int id = onlyVisibleLines ? lineNumber(block()) : block().blockNumber() + 1; setPosition(lastPositionInLine(id, onlyVisibleLines)); } void FakeVimHandler::Private::moveBehindEndOfLine() { emit q->fold(1, false); int pos = qMin(block().position() + block().length() - 1, lastPositionInDocument() + 1); setPosition(pos); } void FakeVimHandler::Private::moveToStartOfLine() { #if 0 // does not work for "hidden" documents like in the autotests tc.movePosition(StartOfLine, MoveAnchor); #else setPosition(block().position()); #endif } void FakeVimHandler::Private::fixSelection() { if (g.rangemode == RangeBlockMode) return; if (g.movetype == MoveInclusive) { // If position or anchor is after end of non-empty line, include line break in selection. if (document()->characterAt(position()) == ParagraphSeparator) { if (!atEmptyLine()) { setPosition(position() + 1); return; } } else if (document()->characterAt(anchor()) == ParagraphSeparator) { QTextCursor tc = m_cursor; tc.setPosition(anchor()); if (!atEmptyLine(tc)) { setAnchorAndPosition(anchor() + 1, position()); return; } } } if (g.movetype == MoveExclusive && g.subsubmode == NoSubSubMode) { if (anchor() < position() && atBlockStart()) { // Exlusive motion ending at the beginning of line // becomes inclusive and end is moved to end of previous line. g.movetype = MoveInclusive; moveToStartOfLine(); moveLeft(); // Exclusive motion ending at the beginning of line and // starting at or before first non-blank on a line becomes linewise. if (anchor() < block().position() && isFirstNonBlankOnLine(anchor())) g.movetype = MoveLineWise; } } if (g.movetype == MoveLineWise) g.rangemode = (g.submode == ChangeSubMode) ? RangeLineModeExclusive : RangeLineMode; if (g.movetype == MoveInclusive) { if (anchor() <= position()) { if (!atBlockEnd()) setPosition(position() + 1); // correction // Omit first character in selection if it's line break on non-empty line. int start = anchor(); int end = position(); if (afterEndOfLine(document(), start) && start > 0) { start = qMin(start + 1, end); if (g.submode == DeleteSubMode && !atDocumentEnd()) setAnchorAndPosition(start, end + 1); else setAnchorAndPosition(start, end); } // If more than one line is selected and all are selected completely // movement becomes linewise. if (start < block().position() && isFirstNonBlankOnLine(start) && atBlockEnd()) { if (g.submode != ChangeSubMode) { moveRight(); if (atEmptyLine()) moveRight(); } g.movetype = MoveLineWise; } } else if (!m_anchorPastEnd) { setAnchorAndPosition(anchor() + 1, position()); } } if (m_positionPastEnd) { moveBehindEndOfLine(); moveRight(); setAnchorAndPosition(anchor(), position()); } if (m_anchorPastEnd) { const int pos = position(); setPosition(anchor()); moveBehindEndOfLine(); moveRight(); setAnchorAndPosition(position(), pos); } } bool FakeVimHandler::Private::finishSearch() { if (g.lastSearch.isEmpty() || (!g.currentMessage.isEmpty() && g.currentMessageLevel == MessageError)) { return false; } if (g.submode != NoSubMode) setAnchorAndPosition(m_searchStartPosition, position()); return true; } void FakeVimHandler::Private::finishMovement(const QString &dotCommandMovement) { //dump("FINISH MOVEMENT"); if (g.submode == FilterSubMode) { int beginLine = lineForPosition(anchor()); int endLine = lineForPosition(position()); setPosition(qMin(anchor(), position())); enterExMode(QString::fromLatin1(".,+%1!").arg(qAbs(endLine - beginLine))); return; } if (g.submode == ChangeSubMode || g.submode == DeleteSubMode || g.submode == YankSubMode || g.submode == InvertCaseSubMode || g.submode == DownCaseSubMode || g.submode == UpCaseSubMode) { fixSelection(); if (g.submode != InvertCaseSubMode && g.submode != DownCaseSubMode && g.submode != UpCaseSubMode) { yankText(currentRange(), m_register); if (g.movetype == MoveLineWise) setRegister(m_register, registerContents(m_register), RangeLineMode); } m_positionPastEnd = m_anchorPastEnd = false; } QString dotCommand; if (g.submode == ChangeSubMode) { pushUndoState(false); beginEditBlock(); removeText(currentRange()); dotCommand = _("c"); if (g.movetype == MoveLineWise) insertAutomaticIndentation(true); endEditBlock(); setTargetColumn(); } else if (g.submode == DeleteSubMode) { pushUndoState(false); beginEditBlock(); const int pos = position(); // Always delete something (e.g. 'dw' on an empty line deletes the line). if (pos == anchor() && g.movetype == MoveInclusive) removeText(Range(pos, pos + 1)); else removeText(currentRange()); dotCommand = _("d"); if (g.movetype == MoveLineWise) handleStartOfLine(); if (atEndOfLine()) moveLeft(); else setTargetColumn(); endEditBlock(); } else if (g.submode == YankSubMode) { const QTextCursor tc = m_cursor; if (g.rangemode == RangeBlockMode) { const int pos1 = tc.block().position(); const int pos2 = document()->findBlock(tc.anchor()).position(); const int col = qMin(tc.position() - pos1, tc.anchor() - pos2); setPosition(qMin(pos1, pos2) + col); } else { setPosition(qMin(position(), anchor())); if (g.rangemode == RangeLineMode) { if (isVisualMode()) moveToStartOfLine(); } } leaveVisualMode(); setTargetColumn(); } else if (g.submode == InvertCaseSubMode || g.submode == UpCaseSubMode || g.submode == DownCaseSubMode) { beginEditBlock(); if (g.submode == InvertCaseSubMode) { invertCase(currentRange()); dotCommand = QString::fromLatin1("g~"); } else if (g.submode == DownCaseSubMode) { downCase(currentRange()); dotCommand = QString::fromLatin1("gu"); } else if (g.submode == UpCaseSubMode) { upCase(currentRange()); dotCommand = QString::fromLatin1("gU"); } if (g.movetype == MoveLineWise) handleStartOfLine(); endEditBlock(); } else if (g.submode == IndentSubMode || g.submode == ShiftRightSubMode || g.submode == ShiftLeftSubMode) { recordJump(); pushUndoState(false); if (g.submode == IndentSubMode) { indentSelectedText(); dotCommand = _("="); } else if (g.submode == ShiftRightSubMode) { shiftRegionRight(1); dotCommand = _(">"); } else if (g.submode == ShiftLeftSubMode) { shiftRegionLeft(1); dotCommand = _("<"); } } if (!dotCommand.isEmpty() && !dotCommandMovement.isEmpty()) setDotCommand(dotCommand + dotCommandMovement); // Change command continues in insert mode. if (g.submode == ChangeSubMode) { clearCommandMode(); enterInsertMode(); } else { resetCommandMode(); } } void FakeVimHandler::Private::resetCommandMode() { if (g.returnToMode == CommandMode) { enterCommandMode(); } else { clearCommandMode(); const QString lastInsertion = m_lastInsertion; if (g.returnToMode == InsertMode) enterInsertMode(); else enterReplaceMode(); moveToTargetColumn(); invalidateInsertState(); m_lastInsertion = lastInsertion; } if (isNoVisualMode()) setAnchor(); } void FakeVimHandler::Private::clearCommandMode() { g.submode = NoSubMode; g.subsubmode = NoSubSubMode; g.movetype = MoveInclusive; g.gflag = false; m_register = '"'; g.rangemode = RangeCharMode; g.currentCommand.clear(); resetCount(); } void FakeVimHandler::Private::updateSelection() { QList selections = m_extraSelections; if (hasConfig(ConfigShowMarks)) { for (MarksIterator it(m_marks); it.hasNext(); ) { it.next(); QTextEdit::ExtraSelection sel; sel.cursor = m_cursor; setCursorPosition(&sel.cursor, it.value().position); sel.cursor.setPosition(sel.cursor.position(), MoveAnchor); sel.cursor.movePosition(Right, KeepAnchor); sel.format = m_cursor.blockCharFormat(); sel.format.setForeground(Qt::blue); sel.format.setBackground(Qt::green); selections.append(sel); } } //qDebug() << "SELECTION: " << selections; emit q->selectionChanged(selections); } void FakeVimHandler::Private::updateHighlights() { if (hasConfig(ConfigUseCoreSearch) || !hasConfig(ConfigHlSearch) || g.highlightsCleared) { if (m_highlighted.isEmpty()) return; m_highlighted.clear(); } else if (m_highlighted != g.lastNeedle) { m_highlighted = g.lastNeedle; } else { return; } emit q->highlightMatches(m_highlighted); } void FakeVimHandler::Private::updateMiniBuffer() { if (!m_textedit && !m_plaintextedit) return; QString msg; int cursorPos = -1; int anchorPos = -1; MessageLevel messageLevel = MessageMode; if (!g.mapStates.isEmpty() && g.mapStates.last().silent && g.currentMessageLevel < MessageInfo) g.currentMessage.clear(); if (g.passing) { msg = _("PASSING"); } else if (g.subsubmode == SearchSubSubMode) { msg = g.searchBuffer.display(); if (g.mapStates.isEmpty()) { cursorPos = g.searchBuffer.cursorPos() + 1; anchorPos = g.searchBuffer.anchorPos() + 1; } } else if (g.mode == ExMode) { msg = g.commandBuffer.display(); if (g.mapStates.isEmpty()) { cursorPos = g.commandBuffer.cursorPos() + 1; anchorPos = g.commandBuffer.anchorPos() + 1; } } else if (!g.currentMessage.isEmpty()) { msg = g.currentMessage; g.currentMessage.clear(); messageLevel = g.currentMessageLevel; } else if (!g.mapStates.isEmpty() && !g.mapStates.last().silent) { // Do not reset previous message when after running a mapped command. return; } else if (g.mode == CommandMode && !g.currentCommand.isEmpty() && hasConfig(ConfigShowCmd)) { msg = g.currentCommand; messageLevel = MessageShowCmd; } else if (g.mode == CommandMode && isVisualMode()) { if (isVisualCharMode()) msg = _("-- VISUAL --"); else if (isVisualLineMode()) msg = _("-- VISUAL LINE --"); else if (isVisualBlockMode()) msg = _("VISUAL BLOCK"); } else if (g.mode == InsertMode) { msg = _("-- INSERT --"); } else if (g.mode == ReplaceMode) { msg = _("-- REPLACE --"); } else { QTC_CHECK(g.mode == CommandMode && g.subsubmode != SearchSubSubMode); if (g.returnToMode == CommandMode) msg = _("-- COMMAND --"); else if (g.returnToMode == InsertMode) msg = _("-- (insert) --"); else msg = _("-- (replace) --"); } if (!g.recording.isNull() && msg.startsWith(_("--"))) msg.append(_("recording")); emit q->commandBufferChanged(msg, cursorPos, anchorPos, messageLevel, q); int linesInDoc = linesInDocument(); int l = cursorLine(); QString status; const QString pos = QString::fromLatin1("%1,%2") .arg(l + 1).arg(physicalCursorColumn() + 1); // FIXME: physical "-" logical if (linesInDoc != 0) status = FakeVimHandler::tr("%1%2%").arg(pos, -10).arg(l * 100 / linesInDoc, 4); else status = FakeVimHandler::tr("%1All").arg(pos, -10); emit q->statusDataChanged(status); } void FakeVimHandler::Private::showMessage(MessageLevel level, const QString &msg) { //qDebug() << "MSG: " << msg; g.currentMessage = msg; g.currentMessageLevel = level; } void FakeVimHandler::Private::notImplementedYet() { qDebug() << "Not implemented in FakeVim"; showMessage(MessageError, FakeVimHandler::tr("Not implemented in FakeVim.")); } void FakeVimHandler::Private::passShortcuts(bool enable) { g.passing = enable; updateMiniBuffer(); if (enable) QCoreApplication::instance()->installEventFilter(q); else QCoreApplication::instance()->removeEventFilter(q); } bool FakeVimHandler::Private::handleCommandSubSubMode(const Input &input) { //const int key = input.key; bool handled = true; if (g.subsubmode == FtSubSubMode) { g.semicolonType = g.subsubdata; g.semicolonKey = input.text(); bool valid = handleFfTt(g.semicolonKey); g.subsubmode = NoSubSubMode; if (!valid) { g.submode = NoSubMode; resetCommandMode(); handled = false; } else { finishMovement(QString::fromLatin1("%1%2%3") .arg(count()) .arg(g.semicolonType.text()) .arg(g.semicolonKey)); } } else if (g.subsubmode == TextObjectSubSubMode) { bool ok = true; if (input.is('w')) selectWordTextObject(g.subsubdata.is('i')); else if (input.is('W')) selectWORDTextObject(g.subsubdata.is('i')); else if (input.is('s')) selectSentenceTextObject(g.subsubdata.is('i')); else if (input.is('p')) selectParagraphTextObject(g.subsubdata.is('i')); else if (input.is('[') || input.is(']')) ok = selectBlockTextObject(g.subsubdata.is('i'), '[', ']'); else if (input.is('(') || input.is(')') || input.is('b')) ok = selectBlockTextObject(g.subsubdata.is('i'), '(', ')'); else if (input.is('<') || input.is('>')) ok = selectBlockTextObject(g.subsubdata.is('i'), '<', '>'); else if (input.is('{') || input.is('}') || input.is('B')) ok = selectBlockTextObject(g.subsubdata.is('i'), '{', '}'); else if (input.is('"') || input.is('\'') || input.is('`')) ok = selectQuotedStringTextObject(g.subsubdata.is('i'), input.asChar()); else ok = false; g.subsubmode = NoSubSubMode; if (ok) { finishMovement(QString::fromLatin1("%1%2%3") .arg(count()) .arg(g.subsubdata.text()) .arg(input.text())); } else { resetCommandMode(); handled = false; } } else if (g.subsubmode == MarkSubSubMode) { setMark(input.asChar(), CursorPosition(m_cursor)); g.subsubmode = NoSubSubMode; } else if (g.subsubmode == BackTickSubSubMode || g.subsubmode == TickSubSubMode) { if (jumpToMark(input.asChar(), g.subsubmode == BackTickSubSubMode)) { finishMovement(); } else { resetCommandMode(); handled = false; } g.subsubmode = NoSubSubMode; } else if (g.subsubmode == ZSubSubMode) { handled = false; if (input.is('j') || input.is('k')) { int pos = position(); emit q->foldGoTo(input.is('j') ? count() : -count(), false); if (pos != position()) { handled = true; finishMovement(QString::fromLatin1("%1z%2") .arg(count()) .arg(input.text())); } } } else if (g.subsubmode == OpenSquareSubSubMode || CloseSquareSubSubMode) { int pos = position(); if (input.is('{') && g.subsubmode == OpenSquareSubSubMode) searchBalanced(false, QLatin1Char('{'), QLatin1Char('}')); else if (input.is('}') && g.subsubmode == CloseSquareSubSubMode) searchBalanced(true, QLatin1Char('}'), QLatin1Char('{')); else if (input.is('(') && g.subsubmode == OpenSquareSubSubMode) searchBalanced(false, QLatin1Char('('), QLatin1Char(')')); else if (input.is(')') && g.subsubmode == CloseSquareSubSubMode) searchBalanced(true, QLatin1Char(')'), QLatin1Char('(')); else if (input.is('[') && g.subsubmode == OpenSquareSubSubMode) bracketSearchBackward(&m_cursor, _("^\\{"), count()); else if (input.is('[') && g.subsubmode == CloseSquareSubSubMode) bracketSearchForward(&m_cursor, _("^\\}"), count(), false); else if (input.is(']') && g.subsubmode == OpenSquareSubSubMode) bracketSearchBackward(&m_cursor, _("^\\}"), count()); else if (input.is(']') && g.subsubmode == CloseSquareSubSubMode) bracketSearchForward(&m_cursor, _("^\\{"), count(), g.submode != NoSubMode); else if (input.is('z')) emit q->foldGoTo(g.subsubmode == OpenSquareSubSubMode ? -count() : count(), true); handled = pos != position(); if (handled) { if (lineForPosition(pos) != lineForPosition(position())) recordJump(pos); finishMovement(QString::fromLatin1("%1%2%3") .arg(count()) .arg(g.subsubmode == OpenSquareSubSubMode ? '[' : ']') .arg(input.text())); } } else { handled = false; } return handled; } bool FakeVimHandler::Private::handleCount(const Input &input) { if (!isInputCount(input)) return false; g.mvcount = g.mvcount * 10 + input.text().toInt(); return true; } bool FakeVimHandler::Private::handleMovement(const Input &input) { bool handled = true; QString movement; int count = this->count(); if (handleCount(input)) { return true; } else if (input.is('0')) { g.movetype = MoveExclusive; moveToStartOfLine(); setTargetColumn(); count = 1; } else if (input.is('a') || input.is('i')) { g.subsubmode = TextObjectSubSubMode; g.subsubdata = input; } else if (input.is('^') || input.is('_')) { moveToFirstNonBlankOnLine(); setTargetColumn(); g.movetype = MoveExclusive; } else if (0 && input.is(',')) { // FIXME: fakevim uses ',' by itself, so it is incompatible g.subsubmode = FtSubSubMode; // HACK: toggle 'f' <-> 'F', 't' <-> 'T' //g.subsubdata = g.semicolonType ^ 32; handleFfTt(g.semicolonKey); g.subsubmode = NoSubSubMode; } else if (input.is(';')) { g.subsubmode = FtSubSubMode; g.subsubdata = g.semicolonType; handleFfTt(g.semicolonKey); g.subsubmode = NoSubSubMode; } else if (input.is('/') || input.is('?')) { g.lastSearchForward = input.is('/'); if (hasConfig(ConfigUseCoreSearch)) { // re-use the core dialog. g.findPending = true; m_findStartPosition = position(); g.movetype = MoveExclusive; setAnchor(); // clear selection: otherwise, search is restricted to selection emit q->findRequested(!g.lastSearchForward); } else { // FIXME: make core find dialog sufficiently flexible to // produce the "default vi" behaviour too. For now, roll our own. g.currentMessage.clear(); g.movetype = MoveExclusive; g.subsubmode = SearchSubSubMode; g.searchBuffer.setPrompt(g.lastSearchForward ? QLatin1Char('/') : QLatin1Char('?')); m_searchStartPosition = position(); m_searchFromScreenLine = firstVisibleLine(); m_searchCursor = QTextCursor(); g.searchBuffer.clear(); } } else if (input.is('`')) { g.subsubmode = BackTickSubSubMode; } else if (input.is('#') || input.is('*')) { // FIXME: That's not proper vim behaviour QString needle; QTextCursor tc = m_cursor; tc.select(QTextCursor::WordUnderCursor); needle = QRegExp::escape(tc.selection().toPlainText()); if (!g.gflag) needle = _("\\<") + needle + _("\\>"); setAnchorAndPosition(tc.position(), tc.anchor()); g.searchBuffer.historyPush(needle); g.lastSearch = needle; g.lastSearchForward = input.is('*'); handled = searchNext(); } else if (input.is('\'')) { g.subsubmode = TickSubSubMode; if (g.submode != NoSubMode) g.movetype = MoveLineWise; } else if (input.is('|')) { moveToStartOfLine(); moveRight(qMin(count, rightDist()) - 1); setTargetColumn(); } else if (input.is('}')) { handled = moveToNextParagraph(count); } else if (input.is('{')) { handled = moveToPreviousParagraph(count); } else if (input.isReturn()) { moveToStartOfLine(); moveDown(); moveToFirstNonBlankOnLine(); g.movetype = MoveLineWise; } else if (input.is('-')) { moveToStartOfLine(); moveUp(count); moveToFirstNonBlankOnLine(); g.movetype = MoveLineWise; } else if (input.is('+')) { moveToStartOfLine(); moveDown(count); moveToFirstNonBlankOnLine(); g.movetype = MoveLineWise; } else if (input.isKey(Key_Home)) { moveToStartOfLine(); setTargetColumn(); movement = _(""); } else if (input.is('$') || input.isKey(Key_End)) { if (count > 1) moveDown(count - 1); moveToEndOfLine(); g.movetype = atEmptyLine() ? MoveExclusive : MoveInclusive; setTargetColumn(); if (g.submode == NoSubMode) m_targetColumn = -1; if (isVisualMode()) m_visualTargetColumn = -1; movement = _("$"); } else if (input.is('%')) { recordJump(); if (g.mvcount == 0) { moveToMatchingParanthesis(); g.movetype = MoveInclusive; } else { // set cursor position in percentage - formula taken from Vim help setPosition(firstPositionInLine((count * linesInDocument() + 99) / 100)); moveToTargetColumn(); handleStartOfLine(); g.movetype = MoveLineWise; } } else if (input.is('b') || input.isShift(Key_Left)) { g.movetype = MoveExclusive; moveToNextWordStart(count, false, false); setTargetColumn(); movement = _("b"); } else if (input.is('B')) { g.movetype = MoveExclusive; moveToNextWordStart(count, true, false); setTargetColumn(); } else if (input.is('e') && g.gflag) { g.movetype = MoveInclusive; moveToNextWordEnd(count, false, false); setTargetColumn(); } else if (input.is('e') || input.isShift(Key_Right)) { g.movetype = MoveInclusive; moveToNextWordEnd(count, false, true, false); setTargetColumn(); movement = _("e"); } else if (input.is('E') && g.gflag) { g.movetype = MoveInclusive; moveToNextWordEnd(count, true, false); setTargetColumn(); } else if (input.is('E')) { g.movetype = MoveInclusive; moveToNextWordEnd(count, true, true, false); setTargetColumn(); } else if (input.isControl('e')) { // FIXME: this should use the "scroll" option, and "count" if (cursorLineOnScreen() == 0) moveDown(1); scrollDown(1); movement = _(""); } else if (input.is('f')) { g.subsubmode = FtSubSubMode; g.movetype = MoveInclusive; g.subsubdata = input; } else if (input.is('F')) { g.subsubmode = FtSubSubMode; g.movetype = MoveExclusive; g.subsubdata = input; } else if (!g.gflag && input.is('g')) { g.gflag = true; return true; } else if (input.is('g') || input.is('G')) { QString dotCommand = QString::fromLatin1("%1G").arg(count); recordJump(); if (input.is('G') && g.mvcount == 0) dotCommand = QString(QLatin1Char('G')); int n = (input.is('g')) ? 1 : linesInDocument(); n = g.mvcount == 0 ? n : count; if (g.submode == NoSubMode || g.submode == ZSubMode || g.submode == CapitalZSubMode || g.submode == RegisterSubMode) { setPosition(firstPositionInLine(n, false)); handleStartOfLine(); } else { g.movetype = MoveLineWise; g.rangemode = RangeLineMode; setAnchor(); setPosition(firstPositionInLine(n, false)); } setTargetColumn(); updateScrollOffset(); } else if (input.is('h') || input.isKey(Key_Left) || input.isBackspace()) { g.movetype = MoveExclusive; int n = qMin(count, leftDist()); if (m_fakeEnd && block().length() > 1) ++n; moveLeft(n); setTargetColumn(); movement = _("h"); } else if (input.is('H')) { const CursorPosition pos(lineToBlockNumber(lineOnTop(count)), 0); setCursorPosition(&m_cursor, pos); handleStartOfLine(); } else if (input.is('j') || input.isKey(Key_Down) || input.isControl('j') || input.isControl('n')) { g.movetype = MoveLineWise; moveDown(count); movement = _("j"); } else if (input.is('k') || input.isKey(Key_Up) || input.isControl('p')) { g.movetype = MoveLineWise; moveUp(count); movement = _("k"); } else if (input.is('l') || input.isKey(Key_Right) || input.is(' ')) { g.movetype = MoveExclusive; bool pastEnd = count >= rightDist() - 1; moveRight(qMax(0, qMin(count, rightDist() - (g.submode == NoSubMode)))); setTargetColumn(); if (pastEnd && isVisualMode()) m_visualTargetColumn = -1; } else if (input.is('L')) { const CursorPosition pos(lineToBlockNumber(lineOnBottom(count)), 0); setCursorPosition(&m_cursor, pos); handleStartOfLine(); } else if (g.gflag && input.is('m')) { const QPoint pos(EDITOR(viewport()->width()) / 2, EDITOR(cursorRect(m_cursor)).y()); QTextCursor tc = EDITOR(cursorForPosition(pos)); if (!tc.isNull()) { m_cursor = tc; setTargetColumn(); } } else if (input.is('M')) { m_cursor = EDITOR(cursorForPosition(QPoint(0, EDITOR(height()) / 2))); handleStartOfLine(); } else if (input.is('n') || input.is('N')) { if (hasConfig(ConfigUseCoreSearch)) { bool forward = (input.is('n')) ? g.lastSearchForward : !g.lastSearchForward; int pos = position(); emit q->findNextRequested(!forward); if (forward && pos == m_cursor.selectionStart()) { // if cursor is already positioned at the start of a find result, this is returned emit q->findNextRequested(false); } setPosition(m_cursor.selectionStart()); } else { handled = searchNext(input.is('n')); } } else if (input.is('t')) { g.movetype = MoveInclusive; g.subsubmode = FtSubSubMode; g.subsubdata = input; } else if (input.is('T')) { g.movetype = MoveExclusive; g.subsubmode = FtSubSubMode; g.subsubdata = input; } else if (input.is('w') || input.is('W')) { // tested // Special case: "cw" and "cW" work the same as "ce" and "cE" if the // cursor is on a non-blank - except if the cursor is on the last // character of a word: only the current word will be changed bool simple = input.is('W'); if (g.submode == ChangeSubMode) { moveToWordEnd(count, simple, true); g.movetype = MoveInclusive; } else { moveToNextWordStart(count, simple, true); // Command 'dw' deletes to the next word on the same line or to end of line. if (g.submode == DeleteSubMode && count == 1) { const QTextBlock currentBlock = document()->findBlock(anchor()); setPosition(qMin(position(), currentBlock.position() + currentBlock.length())); } g.movetype = MoveExclusive; } setTargetColumn(); } else if (input.is('z')) { g.movetype = MoveLineWise; g.subsubmode = ZSubSubMode; } else if (input.is('[')) { g.subsubmode = OpenSquareSubSubMode; } else if (input.is(']')) { g.subsubmode = CloseSquareSubSubMode; } else if (input.isKey(Key_PageDown) || input.isControl('f')) { movePageDown(count); handleStartOfLine(); movement = _("f"); } else if (input.isKey(Key_PageUp) || input.isControl('b')) { movePageUp(count); handleStartOfLine(); movement = _("b"); } else { handled = false; } if (handled && g.subsubmode == NoSubSubMode) { if (g.submode == NoSubMode) { resetCommandMode(); } else { // finish movement for sub modes const QString dotMovement = (count > 1 ? QString::number(count) : QString()) + _(g.gflag ? "g" : "") + (movement.isNull() ? QString(input.asChar()) : movement); finishMovement(dotMovement); setTargetColumn(); } } return handled; } EventResult FakeVimHandler::Private::handleCommandMode(const Input &input) { bool handled = false; bool clearGflag = g.gflag; bool clearRegister = g.submode != RegisterSubMode; bool clearCount = g.submode != RegisterSubMode && !isInputCount(input); // Process input for a sub-mode. if (input.isEscape()) { handled = handleEscape(); } else if (g.subsubmode != NoSubSubMode) { handled = handleCommandSubSubMode(input); } else if (g.submode == NoSubMode) { handled = handleNoSubMode(input); } else if (g.submode == ChangeSubMode || g.submode == DeleteSubMode) { handled = handleChangeDeleteSubModes(input); } else if (g.submode == ReplaceSubMode) { handled = handleReplaceSubMode(input); } else if (g.submode == FilterSubMode) { handled = handleFilterSubMode(input); } else if (g.submode == RegisterSubMode) { handled = handleRegisterSubMode(input); } else if (g.submode == WindowSubMode) { handled = handleWindowSubMode(input); } else if (g.submode == YankSubMode) { handled = handleYankSubMode(input); } else if (g.submode == ZSubMode) { handled = handleZSubMode(input); } else if (g.submode == CapitalZSubMode) { handled = handleCapitalZSubMode(input); } else if (g.submode == MacroRecordSubMode) { handled = handleMacroRecordSubMode(input); } else if (g.submode == MacroExecuteSubMode) { handled = handleMacroExecuteSubMode(input); } else if (g.submode == ShiftLeftSubMode || g.submode == ShiftRightSubMode || g.submode == IndentSubMode) { handled = handleShiftSubMode(input); } else if (g.submode == InvertCaseSubMode || g.submode == DownCaseSubMode || g.submode == UpCaseSubMode) { handled = handleChangeCaseSubMode(input); } if (!handled && isOperatorPending()) handled = handleMovement(input); // Clear state and display incomplete command if necessary. if (handled) { bool noMode = (g.mode == CommandMode && g.submode == NoSubMode && g.subsubmode == NoSubSubMode); clearCount = clearCount && noMode && !g.gflag; if (clearCount && clearRegister) { resetCommandMode(); } else { // Use gflag only for next input. if (clearGflag) g.gflag = false; // Clear [count] and [register] if its no longer needed. if (clearCount) resetCount(); // Show or clear current command on minibuffer (showcmd). if (input.isEscape() || g.mode != CommandMode || clearCount) g.currentCommand.clear(); else g.currentCommand.append(input.toString()); } } else { resetCommandMode(); //qDebug() << "IGNORED IN COMMAND MODE: " << key << text // << " VISUAL: " << g.visualMode; // if a key which produces text was pressed, don't mark it as unhandled // - otherwise the text would be inserted while being in command mode if (input.text().isEmpty()) handled = false; } updateMiniBuffer(); m_positionPastEnd = (m_visualTargetColumn == -1) && isVisualMode() && !atEmptyLine(); return handled ? EventHandled : EventCancelled; } bool FakeVimHandler::Private::handleEscape() { if (isVisualMode()) leaveVisualMode(); resetCommandMode(); return true; } bool FakeVimHandler::Private::handleNoSubMode(const Input &input) { bool handled = true; if (input.is('&')) { handleExCommand(g.gflag ? _("%s//~/&") : _("s")); } else if (input.is(':')) { enterExMode(); } else if (input.is('!') && isNoVisualMode()) { g.submode = FilterSubMode; } else if (input.is('!') && isVisualMode()) { enterExMode(QString::fromLatin1("!")); } else if (input.is('"')) { g.submode = RegisterSubMode; } else if (input.is(',')) { passShortcuts(true); } else if (input.is('.')) { //qDebug() << "REPEATING" << quoteUnprintable(g.dotCommand) << count() // << input; QString savedCommand = g.dotCommand; g.dotCommand.clear(); beginLargeEditBlock(); replay(savedCommand); endEditBlock(); resetCommandMode(); g.dotCommand = savedCommand; } else if (input.is('<') || input.is('>') || input.is('=')) { if (isNoVisualMode()) { if (input.is('<')) g.submode = ShiftLeftSubMode; else if (input.is('>')) g.submode = ShiftRightSubMode; else g.submode = IndentSubMode; setAnchor(); } else { leaveVisualMode(); const int lines = qAbs(lineForPosition(position()) - lineForPosition(anchor())) + 1; const int repeat = count(); if (input.is('<')) shiftRegionLeft(repeat); else if (input.is('>')) shiftRegionRight(repeat); else indentSelectedText(); const QString selectDotCommand = (lines > 1) ? QString::fromLatin1("V%1j").arg(lines - 1): QString(); setDotCommand(selectDotCommand + QString::fromLatin1("%1%2%2").arg(repeat).arg(input.raw())); } } else if ((!isVisualMode() && input.is('a')) || (isVisualMode() && input.is('A'))) { if (isVisualMode()) { initVisualInsertMode(QLatin1Char('A')); } else { setDotCommand(_("%1a"), count()); moveRight(qMin(rightDist(), 1)); } breakEditBlock(); enterInsertMode(); } else if (input.is('A')) { breakEditBlock(); moveBehindEndOfLine(); setAnchor(); enterInsertMode(); setTargetColumn(); setDotCommand(_("%1A"), count()); } else if (input.isControl('a')) { if (changeNumberTextObject(count())) setDotCommand(_("%1"), count()); } else if ((input.is('c') || input.is('d')) && isNoVisualMode()) { setAnchor(); g.opcount = g.mvcount; g.mvcount = 0; g.rangemode = RangeCharMode; g.movetype = MoveExclusive; g.submode = input.is('c') ? ChangeSubMode : DeleteSubMode; } else if ((input.is('c') || input.is('C') || input.is('s') || input.is('R')) && (isVisualCharMode() || isVisualLineMode())) { setDotCommand(visualDotCommand() + input.asChar()); leaveVisualMode(); g.submode = ChangeSubMode; finishMovement(); } else if (input.is('C')) { setAnchor(); moveToEndOfLine(); g.rangemode = RangeCharMode; g.submode = ChangeSubMode; setDotCommand(QString(QLatin1Char('C'))); finishMovement(); } else if (input.isControl('c')) { if (isNoVisualMode()) showMessage(MessageInfo, tr("Type Alt-V, Alt-V to quit FakeVim mode.")); else leaveVisualMode(); } else if ((input.is('d') || input.is('x') || input.isKey(Key_Delete)) && isVisualMode()) { pushUndoState(); setDotCommand(visualDotCommand() + QLatin1Char('x')); if (isVisualCharMode()) { leaveVisualMode(); g.submode = DeleteSubMode; finishMovement(); } else if (isVisualLineMode()) { leaveVisualMode(); yankText(currentRange(), m_register); removeText(currentRange()); handleStartOfLine(); } else if (isVisualBlockMode()) { leaveVisualMode(); yankText(currentRange(), m_register); removeText(currentRange()); setPosition(qMin(position(), anchor())); } } else if (input.is('D') && isNoVisualMode()) { pushUndoState(); if (atEndOfLine()) moveLeft(); g.submode = DeleteSubMode; g.movetype = MoveInclusive; setAnchorAndPosition(position(), lastPositionInLine(cursorLine() + count())); setDotCommand(QString(QLatin1Char('D'))); finishMovement(); setTargetColumn(); } else if ((input.is('D') || input.is('X')) && (isVisualCharMode() || isVisualLineMode())) { setDotCommand(visualDotCommand() + QLatin1Char('X')); leaveVisualMode(); g.rangemode = RangeLineMode; g.submode = NoSubMode; yankText(currentRange(), m_register); removeText(currentRange()); moveToFirstNonBlankOnLine(); } else if ((input.is('D') || input.is('X')) && isVisualBlockMode()) { setDotCommand(visualDotCommand() + QLatin1Char('X')); leaveVisualMode(); g.rangemode = RangeBlockAndTailMode; yankText(currentRange(), m_register); removeText(currentRange()); setPosition(qMin(position(), anchor())); } else if (input.isControl('d')) { const int scrollOffset = windowScrollOffset(); int sline = cursorLine() < scrollOffset ? scrollOffset : cursorLineOnScreen(); // FIXME: this should use the "scroll" option, and "count" moveDown(linesOnScreen() / 2); handleStartOfLine(); scrollToLine(cursorLine() - sline); } else if (!g.gflag && input.is('g')) { g.gflag = true; } else if (!isVisualMode() && (input.is('i') || input.isKey(Key_Insert))) { setDotCommand(_("%1i"), count()); breakEditBlock(); enterInsertMode(); if (atEndOfLine()) moveLeft(); } else if (input.is('I')) { if (isVisualMode()) { initVisualInsertMode(QLatin1Char('I')); } else { if (g.gflag) { setDotCommand(_("%1gI"), count()); moveToStartOfLine(); } else { setDotCommand(_("%1I"), count()); moveToFirstNonBlankOnLine(); } } pushUndoState(); breakEditBlock(); enterInsertMode(); setTargetColumn(); } else if (input.isControl('i')) { jump(count()); } else if (input.is('J')) { pushUndoState(); moveBehindEndOfLine(); beginEditBlock(); if (g.submode == NoSubMode) joinLines(count(), g.gflag); endEditBlock(); setDotCommand(_("%1J"), count()); } else if (input.isControl('l')) { // screen redraw. should not be needed } else if (!g.gflag && input.is('m')) { g.subsubmode = MarkSubSubMode; } else if (isVisualMode() && (input.is('o') || input.is('O'))) { int pos = position(); setAnchorAndPosition(pos, anchor()); std::swap(m_positionPastEnd, m_anchorPastEnd); setTargetColumn(); if (m_positionPastEnd) m_visualTargetColumn = -1; } else if (input.is('o') || input.is('O')) { bool insertAfter = input.is('o'); setDotCommand(_(insertAfter ? "%1o" : "%1O"), count()); pushUndoState(); // Prepend line only if on the first line and command is 'O'. bool appendLine = true; if (!insertAfter) { if (block().blockNumber() == 0) appendLine = false; else moveUp(); } const int line = lineNumber(block()); beginEditBlock(); enterInsertMode(); setPosition(appendLine ? lastPositionInLine(line) : firstPositionInLine(line)); clearLastInsertion(); setAnchor(); insertNewLine(); if (appendLine) { m_insertState.newLineBefore = true; } else { moveUp(); m_oldPosition = position(); m_insertState.pos1 = m_oldPosition; m_insertState.newLineAfter = true; } setTargetColumn(); endEditBlock(); // Close accidentally opened block. if (block().blockNumber() > 0) { moveUp(); if (line != lineNumber(block())) emit q->fold(1, true); moveDown(); } } else if (input.isControl('o')) { jump(-count()); } else if (input.is('p') || input.is('P') || input.isShift(Qt::Key_Insert)) { pasteText(!input.is('P')); setTargetColumn(); setDotCommand(_("%1p"), count()); finishMovement(); } else if (input.is('q')) { if (g.recording.isNull()) { // Recording shouldn't work in mapping or while executing register. handled = g.mapStates.empty(); if (handled) g.submode = MacroRecordSubMode; } else { // Stop recording. stopRecording(); } } else if (input.is('r')) { g.submode = ReplaceSubMode; } else if (!isVisualMode() && input.is('R')) { pushUndoState(); breakEditBlock(); enterReplaceMode(); } else if (input.isControl('r')) { int repeat = count(); while (--repeat >= 0) redo(); } else if (input.is('s') && isVisualBlockMode()) { resetCount(); pushUndoState(); beginEditBlock(); initVisualInsertMode(QLatin1Char('s')); endEditBlock(); enterInsertMode(); } else if (input.is('s')) { pushUndoState(); leaveVisualMode(); if (atEndOfLine()) moveLeft(); setAnchor(); moveRight(qMin(count(), rightDist())); setDotCommand(_("%1s"), count()); g.submode = ChangeSubMode; g.movetype = MoveExclusive; finishMovement(); } else if (input.is('S')) { g.movetype = MoveLineWise; pushUndoState(); if (!isVisualMode()) { const int line = cursorLine() + 1; const int anc = firstPositionInLine(line); const int pos = lastPositionInLine(line + count() - 1); setAnchorAndPosition(anc, pos); } setDotCommand(_("%1S"), count()); g.submode = ChangeSubMode; finishMovement(); } else if (g.gflag && input.is('t')) { handleExCommand(_("tabnext")); } else if (g.gflag && input.is('T')) { handleExCommand(_("tabprev")); } else if (input.isControl('t')) { handleExCommand(_("pop")); } else if (!g.gflag && input.is('u') && !isVisualMode()) { int repeat = count(); while (--repeat >= 0) undo(); } else if (input.isControl('u')) { int sline = cursorLineOnScreen(); // FIXME: this should use the "scroll" option, and "count" moveUp(linesOnScreen() / 2); handleStartOfLine(); scrollToLine(cursorLine() - sline); } else if (g.gflag && input.is('v')) { if (m_lastVisualMode != NoVisualMode) { CursorPosition from = mark(QLatin1Char('<')).position; CursorPosition to = mark(QLatin1Char('>')).position; toggleVisualMode(m_lastVisualMode); setCursorPosition(m_lastVisualModeInverted ? to : from); setAnchor(); setCursorPosition(m_lastVisualModeInverted ? from : to); setTargetColumn(); } } else if (input.is('v')) { toggleVisualMode(VisualCharMode); } else if (input.is('V')) { toggleVisualMode(VisualLineMode); } else if (input.isControl('v')) { toggleVisualMode(VisualBlockMode); } else if (input.isControl('w')) { g.submode = WindowSubMode; } else if (input.is('x') && isNoVisualMode()) { // = _("dl") g.movetype = MoveExclusive; g.submode = DeleteSubMode; const int n = qMin(count(), rightDist()); setAnchorAndPosition(position(), position() + n); setDotCommand(_("%1x"), count()); finishMovement(); } else if (input.isControl('x')) { if (changeNumberTextObject(-count())) setDotCommand(_("%1"), count()); } else if (input.is('X')) { if (leftDist() > 0) { setAnchor(); moveLeft(qMin(count(), leftDist())); yankText(currentRange(), m_register); removeText(currentRange()); } } else if (input.is('Y') && isNoVisualMode()) { handleYankSubMode(Input(QLatin1Char('y'))); } else if (input.isControl('y')) { // FIXME: this should use the "scroll" option, and "count" if (cursorLineOnScreen() == linesOnScreen() - 1) moveUp(1); scrollUp(1); } else if (input.is('y') && isNoVisualMode()) { setAnchor(); g.rangemode = RangeCharMode; g.movetype = MoveExclusive; g.submode = YankSubMode; } else if (input.is('y') && isVisualCharMode()) { g.rangemode = RangeCharMode; g.movetype = MoveInclusive; g.submode = YankSubMode; finishMovement(); } else if ((input.is('y') && isVisualLineMode()) || (input.is('Y') && isVisualLineMode()) || (input.is('Y') && isVisualCharMode())) { g.rangemode = RangeLineMode; g.movetype = MoveLineWise; g.submode = YankSubMode; finishMovement(); } else if ((input.is('y') || input.is('Y')) && isVisualBlockMode()) { g.rangemode = RangeBlockMode; g.movetype = MoveInclusive; g.submode = YankSubMode; finishMovement(); } else if (input.is('z')) { g.submode = ZSubMode; } else if (input.is('Z')) { g.submode = CapitalZSubMode; } else if ((input.is('~') || input.is('u') || input.is('U'))) { g.movetype = MoveExclusive; pushUndoState(); if (isVisualMode()) { setDotCommand(visualDotCommand() + QString::number(count()) + input.raw()); if (isVisualLineMode()) g.rangemode = RangeLineMode; else if (isVisualBlockMode()) g.rangemode = RangeBlockMode; leaveVisualMode(); if (input.is('~')) g.submode = InvertCaseSubMode; else if (input.is('u')) g.submode = DownCaseSubMode; else if (input.is('U')) g.submode = UpCaseSubMode; finishMovement(); } else if (g.gflag || (input.is('~') && hasConfig(ConfigTildeOp))) { if (atEndOfLine()) moveLeft(); setAnchor(); if (input.is('~')) g.submode = InvertCaseSubMode; else if (input.is('u')) g.submode = DownCaseSubMode; else if (input.is('U')) g.submode = UpCaseSubMode; } else { beginEditBlock(); if (atEndOfLine()) moveLeft(); setAnchor(); moveRight(qMin(count(), rightDist())); if (input.is('~')) { const int pos = position(); invertCase(currentRange()); setPosition(pos); } else if (input.is('u')) { downCase(currentRange()); } else if (input.is('U')) { upCase(currentRange()); } setDotCommand(QString::fromLatin1("%1%2").arg(count()).arg(input.raw())); endEditBlock(); } } else if (input.is('@')) { g.submode = MacroExecuteSubMode; } else if (input.isKey(Key_Delete)) { setAnchor(); moveRight(qMin(1, rightDist())); removeText(currentRange()); if (atEndOfLine()) moveLeft(); } else if (input.isControl(Key_BracketRight)) { handleExCommand(_("tag")); } else if (handleMovement(input)) { // movement handled } else { handled = false; } return handled; } bool FakeVimHandler::Private::handleChangeDeleteSubModes(const Input &input) { bool handled = false; if ((g.submode == ChangeSubMode && input.is('c')) || (g.submode == DeleteSubMode && input.is('d'))) { g.movetype = MoveLineWise; pushUndoState(); const int anc = firstPositionInLine(cursorLine() + 1); moveDown(count() - 1); const int pos = lastPositionInLine(cursorLine() + 1); setAnchorAndPosition(anc, pos); if (g.submode == ChangeSubMode) setDotCommand(_("%1cc"), count()); else setDotCommand(_("%1dd"), count()); finishMovement(); g.submode = NoSubMode; handled = true; } return handled; } bool FakeVimHandler::Private::handleReplaceSubMode(const Input &input) { bool handled = true; setDotCommand(visualDotCommand() + QLatin1Char('r') + input.asChar()); if (isVisualMode()) { pushUndoState(); if (isVisualLineMode()) g.rangemode = RangeLineMode; else if (isVisualBlockMode()) g.rangemode = RangeBlockMode; else g.rangemode = RangeCharMode; leaveVisualMode(); Range range = currentRange(); if (g.rangemode == RangeCharMode) ++range.endPos; Transformation tr = &FakeVimHandler::Private::replaceByCharTransform; transformText(range, tr, input.asChar()); } else if (count() <= rightDist()) { pushUndoState(); setAnchor(); moveRight(count()); Range range = currentRange(); if (input.isReturn()) { beginEditBlock(); replaceText(range, QString()); insertText(QString::fromLatin1("\n")); endEditBlock(); } else { replaceText(range, QString(count(), input.asChar())); moveRight(count() - 1); } setTargetColumn(); setDotCommand(_("%1r") + input.text(), count()); } else { handled = false; } g.submode = NoSubMode; finishMovement(); return handled; } bool FakeVimHandler::Private::handleFilterSubMode(const Input &) { return false; } bool FakeVimHandler::Private::handleRegisterSubMode(const Input &input) { bool handled = false; QChar reg = input.asChar(); if (QString::fromLatin1("*+.%#:-\"").contains(reg) || reg.isLetterOrNumber()) { m_register = reg.unicode(); g.rangemode = RangeLineMode; handled = true; } g.submode = NoSubMode; return handled; } bool FakeVimHandler::Private::handleShiftSubMode(const Input &input) { bool handled = false; if ((g.submode == ShiftLeftSubMode && input.is('<')) || (g.submode == ShiftRightSubMode && input.is('>')) || (g.submode == IndentSubMode && input.is('='))) { g.movetype = MoveLineWise; pushUndoState(); moveDown(count() - 1); setDotCommand(QString::fromLatin1("%2%1%1").arg(input.asChar()), count()); finishMovement(); handled = true; g.submode = NoSubMode; } return handled; } bool FakeVimHandler::Private::handleChangeCaseSubMode(const Input &input) { bool handled = false; if ((g.submode == InvertCaseSubMode && input.is('~')) || (g.submode == DownCaseSubMode && input.is('u')) || (g.submode == UpCaseSubMode && input.is('U'))) { if (!isFirstNonBlankOnLine(position())) { moveToStartOfLine(); moveToFirstNonBlankOnLine(); } setTargetColumn(); pushUndoState(); setAnchor(); setPosition(lastPositionInLine(cursorLine() + count()) + 1); finishMovement(QString::fromLatin1("%1%2").arg(count()).arg(input.raw())); handled = true; g.submode = NoSubMode; } return handled; } bool FakeVimHandler::Private::handleWindowSubMode(const Input &input) { if (handleCount(input)) return true; leaveVisualMode(); emit q->windowCommandRequested(input.toString(), count()); g.submode = NoSubMode; return true; } bool FakeVimHandler::Private::handleYankSubMode(const Input &input) { bool handled = false; if (input.is('y')) { g.movetype = MoveLineWise; int endPos = firstPositionInLine(lineForPosition(position()) + count() - 1); Range range(position(), endPos, RangeLineMode); yankText(range, m_register); g.submode = NoSubMode; handled = true; } return handled; } bool FakeVimHandler::Private::handleZSubMode(const Input &input) { bool handled = true; bool foldMaybeClosed = false; if (input.isReturn() || input.is('t') || input.is('-') || input.is('b') || input.is('.') || input.is('z')) { // Cursor line to top/center/bottom of window. Qt::AlignmentFlag align; if (input.isReturn() || input.is('t')) align = Qt::AlignTop; else if (input.is('.') || input.is('z')) align = Qt::AlignVCenter; else align = Qt::AlignBottom; const bool moveToNonBlank = (input.is('.') || input.isReturn() || input.is('-')); const int line = g.mvcount == 0 ? -1 : firstPositionInLine(count()); alignViewportToCursor(align, line, moveToNonBlank); } else if (input.is('o') || input.is('c')) { // Open/close current fold. foldMaybeClosed = input.is('c'); emit q->fold(count(), foldMaybeClosed); } else if (input.is('O') || input.is('C')) { // Recursively open/close current fold. foldMaybeClosed = input.is('C'); emit q->fold(-1, foldMaybeClosed); } else if (input.is('a') || input.is('A')) { // Toggle current fold. foldMaybeClosed = true; emit q->foldToggle(input.is('a') ? count() : -1); } else if (input.is('R') || input.is('M')) { // Open/close all folds in document. foldMaybeClosed = input.is('M'); emit q->foldAll(foldMaybeClosed); } else if (input.is('j') || input.is('k')) { emit q->foldGoTo(input.is('j') ? count() : -count(), false); } else { handled = false; } if (foldMaybeClosed) ensureCursorVisible(); g.submode = NoSubMode; return handled; } bool FakeVimHandler::Private::handleCapitalZSubMode(const Input &input) { // Recognize ZZ and ZQ as aliases for ":x" and ":q!". bool handled = true; if (input.is('Z')) handleExCommand(QString(QLatin1Char('x'))); else if (input.is('Q')) handleExCommand(_("q!")); else handled = false; g.submode = NoSubMode; return handled; } bool FakeVimHandler::Private::handleMacroRecordSubMode(const Input &input) { g.submode = NoSubMode; return startRecording(input); } bool FakeVimHandler::Private::handleMacroExecuteSubMode(const Input &input) { g.submode = NoSubMode; bool result = true; int repeat = count(); while (result && --repeat >= 0) result = executeRegister(input.asChar().unicode()); return result; } EventResult FakeVimHandler::Private::handleInsertOrReplaceMode(const Input &input) { if (position() < m_insertState.pos1 || position() > m_insertState.pos2) { commitInsertState(); invalidateInsertState(); } if (g.mode == InsertMode) handleInsertMode(input); else handleReplaceMode(input); if (!m_textedit && !m_plaintextedit) return EventHandled; if (!isInsertMode() || m_breakEditBlock || position() < m_insertState.pos1 || position() > m_insertState.pos2) { commitInsertState(); invalidateInsertState(); breakEditBlock(); } else if (m_oldPosition == position()) { setTargetColumn(); } updateMiniBuffer(); // We don't want fancy stuff in insert mode. return EventHandled; } void FakeVimHandler::Private::handleReplaceMode(const Input &input) { if (input.isEscape()) { commitInsertState(); moveLeft(qMin(1, leftDist())); enterCommandMode(); g.dotCommand.append(m_lastInsertion + _("")); } else if (input.isKey(Key_Left)) { moveLeft(); setTargetColumn(); } else if (input.isKey(Key_Right)) { moveRight(); setTargetColumn(); } else if (input.isKey(Key_Up)) { moveUp(); } else if (input.isKey(Key_Down)) { moveDown(); } else if (input.isKey(Key_Insert)) { g.mode = InsertMode; } else if (input.isControl('o')) { enterCommandMode(ReplaceMode); } else { joinPreviousEditBlock(); if (!atEndOfLine()) { setAnchor(); moveRight(); removeText(currentRange()); } const QString text = input.text(); setAnchor(); insertText(text); endEditBlock(); } } void FakeVimHandler::Private::handleInsertMode(const Input &input) { if (input.isEscape()) { bool newLineAfter = m_insertState.newLineAfter; bool newLineBefore = m_insertState.newLineBefore; // Repeat insertion [count] times. // One instance was already physically inserted while typing. if (!m_breakEditBlock && isInsertStateValid()) { commitInsertState(); QString text = m_lastInsertion; const QString dotCommand = g.dotCommand; const int repeat = count() - 1; m_lastInsertion.clear(); joinPreviousEditBlock(); if (newLineAfter) { text.chop(1); text.prepend(_("\n")); } else if (newLineBefore) { text.prepend(_("")); } replay(text, repeat); if (m_visualBlockInsert && !text.contains(QLatin1Char('\n'))) { const CursorPosition lastAnchor = mark(QLatin1Char('<')).position; const CursorPosition lastPosition = mark(QLatin1Char('>')).position; CursorPosition startPos(lastAnchor.line, qMin(lastPosition.column, lastAnchor.column)); CursorPosition pos = startPos; if (dotCommand.endsWith(QLatin1Char('A'))) pos.column = qMax(lastPosition.column, lastAnchor.column) + 1; while (pos.line < lastPosition.line) { ++pos.line; QTextCursor tc = m_cursor; setCursorPosition(&tc, pos); if (pos.line != tc.blockNumber()) break; m_cursor = tc; if (tc.positionInBlock() == pos.column) replay(text, repeat + 1); } setCursorPosition(startPos); } else { moveLeft(qMin(1, leftDist())); } endEditBlock(); breakEditBlock(); m_lastInsertion = text; g.dotCommand = dotCommand; } else { moveLeft(qMin(1, leftDist())); } if (newLineBefore || newLineAfter) m_lastInsertion.remove(0, m_lastInsertion.indexOf(QLatin1Char('\n')) + 1); g.dotCommand.append(m_lastInsertion + _("")); enterCommandMode(); setTargetColumn(); m_ctrlVActive = false; m_visualBlockInsert = false; } else if (m_ctrlVActive) { insertInInsertMode(input.raw()); } else if (input.isControl('o')) { enterCommandMode(InsertMode); } else if (input.isControl('v')) { m_ctrlVActive = true; } else if (input.isControl('w')) { const int blockNumber = m_cursor.blockNumber(); const int endPos = position(); moveToNextWordStart(1, false, false); if (blockNumber != m_cursor.blockNumber()) moveToEndOfLine(); const int beginPos = position(); Range range(beginPos, endPos, RangeCharMode); removeText(range); } else if (input.isKey(Key_Insert)) { g.mode = ReplaceMode; } else if (input.isKey(Key_Left)) { moveLeft(); setTargetColumn(); } else if (input.isControl(Key_Left)) { moveToNextWordStart(1, false, false); setTargetColumn(); } else if (input.isKey(Key_Down)) { g.submode = NoSubMode; moveDown(); } else if (input.isKey(Key_Up)) { g.submode = NoSubMode; moveUp(); } else if (input.isKey(Key_Right)) { moveRight(); setTargetColumn(); } else if (input.isControl(Key_Right)) { moveToNextWordStart(1, false, true); moveRight(); // we need one more move since we are in insert mode setTargetColumn(); } else if (input.isKey(Key_Home)) { moveToStartOfLine(); setTargetColumn(); } else if (input.isKey(Key_End)) { moveBehindEndOfLine(); setTargetColumn(); m_targetColumn = -1; } else if (input.isReturn() || input.isControl('j') || input.isControl('m')) { if (!input.isReturn() || !handleInsertInEditor(input)) { joinPreviousEditBlock(); g.submode = NoSubMode; insertNewLine(); endEditBlock(); } } else if (input.isBackspace()) { if (!handleInsertInEditor(input)) { joinPreviousEditBlock(); if (!m_lastInsertion.isEmpty() || hasConfig(ConfigBackspace, "start") || hasConfig(ConfigBackspace, "2")) { const int line = cursorLine() + 1; const Column col = cursorColumn(); QString data = lineContents(line); const Column ind = indentation(data); if (col.logical <= ind.logical && col.logical && startsWithWhitespace(data, col.physical)) { const int ts = config(ConfigTabStop).toInt(); const int newl = col.logical - 1 - (col.logical - 1) % ts; const QString prefix = tabExpand(newl); setLineContents(line, prefix + data.mid(col.physical)); moveToStartOfLine(); moveRight(prefix.size()); } else { setAnchor(); m_cursor.deletePreviousChar(); } } endEditBlock(); } } else if (input.isKey(Key_Delete)) { if (!handleInsertInEditor(input)) { joinPreviousEditBlock(); m_cursor.deleteChar(); endEditBlock(); } } else if (input.isKey(Key_PageDown) || input.isControl('f')) { movePageDown(); } else if (input.isKey(Key_PageUp) || input.isControl('b')) { movePageUp(); } else if (input.isKey(Key_Tab)) { m_insertState.insertingSpaces = true; if (hasConfig(ConfigExpandTab)) { const int ts = config(ConfigTabStop).toInt(); const int col = logicalCursorColumn(); QString str = QString(ts - col % ts, QLatin1Char(' ')); insertText(str); } else { insertInInsertMode(input.raw()); } m_insertState.insertingSpaces = false; } else if (input.isControl('d')) { // remove one level of indentation from the current line int shift = config(ConfigShiftWidth).toInt(); int tab = config(ConfigTabStop).toInt(); int line = cursorLine() + 1; int pos = firstPositionInLine(line); QString text = lineContents(line); int amount = 0; int i = 0; for (; i < text.size() && amount < shift; ++i) { if (text.at(i) == QLatin1Char(' ')) ++amount; else if (text.at(i) == QLatin1Char('\t')) amount += tab; // FIXME: take position into consideration else break; } removeText(Range(pos, pos+i)); } else if (input.isControl('p') || input.isControl('n')) { QTextCursor tc = m_cursor; moveToNextWordStart(1, false, false); QString str = selectText(Range(position(), tc.position())); m_cursor = tc; emit q->simpleCompletionRequested(str, input.isControl('n')); } else if (input.isShift(Qt::Key_Insert)) { // Insert text from clipboard. QClipboard *clipboard = QApplication::clipboard(); const QMimeData *data = clipboard->mimeData(); if (data && data->hasText()) insertInInsertMode(data->text()); } else { m_insertState.insertingSpaces = input.isKey(Key_Space); if (!handleInsertInEditor(input)) { const QString toInsert = input.text(); if (toInsert.isEmpty()) return; insertInInsertMode(toInsert); } m_insertState.insertingSpaces = false; } } void FakeVimHandler::Private::insertInInsertMode(const QString &text) { joinPreviousEditBlock(); insertText(text); if (hasConfig(ConfigSmartIndent) && isElectricCharacter(text.at(0))) { const QString leftText = block().text() .left(position() - 1 - block().position()); if (leftText.simplified().isEmpty()) { Range range(position(), position(), g.rangemode); indentText(range, text.at(0)); } } setTargetColumn(); endEditBlock(); m_ctrlVActive = false; } bool FakeVimHandler::Private::startRecording(const Input &input) { QChar reg = input.asChar(); if (reg == QLatin1Char('"') || reg.isLetterOrNumber()) { g.currentRegister = reg.unicode(); g.recording = QLatin1String(""); return true; } return false; } void FakeVimHandler::Private::record(const Input &input) { if ( !g.recording.isNull() ) g.recording.append(input.toString()); } void FakeVimHandler::Private::stopRecording() { // Remove q from end (stop recording command). g.recording.remove(g.recording.size() - 1, 1); setRegister(g.currentRegister, g.recording, g.rangemode); g.currentRegister = 0; g.recording = QString(); } bool FakeVimHandler::Private::executeRegister(int reg) { QChar regChar(reg); // TODO: Prompt for an expression to execute if register is '='. if (reg == '@' && g.lastExecutedRegister != 0) reg = g.lastExecutedRegister; else if (QString::fromLatin1("\".*+").contains(regChar) || regChar.isLetterOrNumber()) g.lastExecutedRegister = reg; else return false; // FIXME: In Vim it's possible to interrupt recursive macro with . // One solution may be to call QApplication::processEvents() and check if was // used when a mapping is active. // According to Vim, register is executed like mapping. prependMapping(Inputs(registerContents(reg), false, false)); return true; } EventResult FakeVimHandler::Private::handleExMode(const Input &input) { if (input.isEscape()) { g.commandBuffer.clear(); resetCommandMode(); m_ctrlVActive = false; } else if (m_ctrlVActive) { g.commandBuffer.insertChar(input.raw()); m_ctrlVActive = false; } else if (input.isControl('v')) { m_ctrlVActive = true; return EventHandled; } else if (input.isBackspace()) { if (g.commandBuffer.isEmpty()) { leaveVisualMode(); resetCommandMode(); } else if (g.commandBuffer.hasSelection()) { g.commandBuffer.deleteSelected(); } else { g.commandBuffer.deleteChar(); } } else if (input.isKey(Key_Tab)) { // FIXME: Complete actual commands. g.commandBuffer.historyUp(); } else if (input.isReturn()) { showMessage(MessageCommand, g.commandBuffer.display()); handleExCommand(g.commandBuffer.contents()); g.commandBuffer.clear(); if (m_textedit || m_plaintextedit) leaveVisualMode(); } else if (!g.commandBuffer.handleInput(input)) { qDebug() << "IGNORED IN EX-MODE: " << input.key() << input.text(); return EventUnhandled; } updateMiniBuffer(); return EventHandled; } EventResult FakeVimHandler::Private::handleSearchSubSubMode(const Input &input) { EventResult handled = EventHandled; if (input.isEscape()) { g.currentMessage.clear(); setPosition(m_searchStartPosition); scrollToLine(m_searchFromScreenLine); } else if (input.isBackspace()) { if (g.searchBuffer.isEmpty()) resetCommandMode(); else g.searchBuffer.deleteChar(); } else if (input.isReturn()) { const QString &needle = g.searchBuffer.contents(); if (!needle.isEmpty()) g.lastSearch = needle; else g.searchBuffer.setContents(g.lastSearch); updateFind(true); if (finishSearch()) { if (g.submode != NoSubMode) finishMovement(g.searchBuffer.prompt() + g.lastSearch + QLatin1Char('\n')); if (g.currentMessage.isEmpty()) showMessage(MessageCommand, g.searchBuffer.display()); } else { handled = EventCancelled; // Not found so cancel mapping if any. } } else if (input.isKey(Key_Tab)) { g.searchBuffer.insertChar(QChar(9)); } else if (!g.searchBuffer.handleInput(input)) { //qDebug() << "IGNORED IN SEARCH MODE: " << input.key() << input.text(); return EventUnhandled; } if (input.isReturn() || input.isEscape()) { g.searchBuffer.clear(); resetCommandMode(); updateMiniBuffer(); } else { updateMiniBuffer(); updateFind(false); } return handled; } // This uses 0 based line counting (hidden lines included). int FakeVimHandler::Private::parseLineAddress(QString *cmd) { //qDebug() << "CMD: " << cmd; if (cmd->isEmpty()) return -1; int result = -1; QChar c = cmd->at(0); if (c == QLatin1Char('.')) { // current line result = cursorBlockNumber(); cmd->remove(0, 1); } else if (c == QLatin1Char('$')) { // last line result = document()->blockCount() - 1; cmd->remove(0, 1); } else if (c == QLatin1Char('\'')) { // mark cmd->remove(0, 1); if (cmd->isEmpty()) { showMessage(MessageError, msgMarkNotSet(QString())); return -1; } c = cmd->at(0); Mark m = mark(c); if (!m.isValid() || !m.isLocal(m_currentFileName)) { showMessage(MessageError, msgMarkNotSet(c)); return -1; } cmd->remove(0, 1); result = m.position.line; } else if (c.isDigit()) { // line with given number result = 0; } else if (c == QLatin1Char('-') || c == QLatin1Char('+')) { // add or subtract from current line number result = cursorBlockNumber(); } else if (c == QLatin1Char('/') || c == QLatin1Char('?') || (c == QLatin1Char('\\') && cmd->size() > 1 && QString::fromLatin1("/?&").contains(cmd->at(1)))) { // search for expression SearchData sd; if (c == QLatin1Char('/') || c == QLatin1Char('?')) { const int end = findUnescaped(c, *cmd, 1); if (end == -1) return -1; sd.needle = cmd->mid(1, end - 1); cmd->remove(0, end + 1); } else { c = cmd->at(1); cmd->remove(0, 2); sd.needle = (c == QLatin1Char('&')) ? g.lastSubstitutePattern : g.lastSearch; } sd.forward = (c != QLatin1Char('?')); const QTextBlock b = block(); const int pos = b.position() + (sd.forward ? b.length() - 1 : 0); QTextCursor tc = search(sd, pos, 1, true); g.lastSearch = sd.needle; if (tc.isNull()) return -1; result = tc.block().blockNumber(); } else { return cursorBlockNumber(); } // basic arithmetic ("-3+5" or "++" means "+2" etc.) int n = 0; bool add = true; int i = 0; for (; i < cmd->size(); ++i) { c = cmd->at(i); if (c == QLatin1Char('-') || c == QLatin1Char('+')) { if (n != 0) result = result + (add ? n - 1 : -(n - 1)); add = c == QLatin1Char('+'); result = result + (add ? 1 : -1); n = 0; } else if (c.isDigit()) { n = n * 10 + c.digitValue(); } else if (!c.isSpace()) { break; } } if (n != 0) result = result + (add ? n - 1 : -(n - 1)); *cmd = cmd->mid(i).trimmed(); return result; } void FakeVimHandler::Private::setCurrentRange(const Range &range) { setAnchorAndPosition(range.beginPos, range.endPos); g.rangemode = range.rangemode; } bool FakeVimHandler::Private::parseExCommmand(QString *line, ExCommand *cmd) { *cmd = ExCommand(); if (line->isEmpty()) return false; // remove leading colons and spaces line->remove(QRegExp(_("^\\s*(:+\\s*)*"))); // parse range first if (!parseLineRange(line, cmd)) return false; // get first command from command line QChar close; bool subst = false; int i = 0; for (; i < line->size(); ++i) { const QChar &c = line->at(i); if (c == QLatin1Char('\\')) { ++i; // skip escaped character } else if (close.isNull()) { if (c == QLatin1Char('|')) { // split on | break; } else if (c == QLatin1Char('/')) { subst = i > 0 && (line->at(i - 1) == QLatin1Char('s')); close = c; } else if (c == QLatin1Char('"') || c == QLatin1Char('\'')) { close = c; } } else if (c == close) { if (subst) subst = false; else close = QChar(); } } cmd->cmd = line->mid(0, i).trimmed(); // command arguments starts with first non-letter character cmd->args = cmd->cmd.section(QRegExp(_("(?=[^a-zA-Z])")), 1); if (!cmd->args.isEmpty()) { cmd->cmd.chop(cmd->args.size()); cmd->args = cmd->args.trimmed(); // '!' at the end of command cmd->hasBang = cmd->args.startsWith(QLatin1Char('!')); if (cmd->hasBang) cmd->args = cmd->args.mid(1).trimmed(); } // remove the first command from command line line->remove(0, i + 1); return true; } bool FakeVimHandler::Private::parseLineRange(QString *line, ExCommand *cmd) { // FIXME: that seems to be different for %w and %s if (line->startsWith(QLatin1Char('%'))) line->replace(0, 1, _("1,$")); int beginLine = parseLineAddress(line); int endLine; if (line->startsWith(QLatin1Char(','))) { *line = line->mid(1).trimmed(); endLine = parseLineAddress(line); } else { endLine = beginLine; } if (beginLine == -1 || endLine == -1) return false; const int beginPos = firstPositionInLine(qMin(beginLine, endLine) + 1, false); const int endPos = lastPositionInLine(qMax(beginLine, endLine) + 1, false); cmd->range = Range(beginPos, endPos, RangeLineMode); cmd->count = beginLine; return true; } void FakeVimHandler::Private::parseRangeCount(const QString &line, Range *range) const { bool ok; const int count = qAbs(line.trimmed().toInt(&ok)); if (ok) { const int beginLine = document()->findBlock(range->endPos).blockNumber() + 1; const int endLine = qMin(beginLine + count - 1, document()->blockCount()); range->beginPos = firstPositionInLine(beginLine, false); range->endPos = lastPositionInLine(endLine, false); } } // use handleExCommand for invoking commands that might move the cursor void FakeVimHandler::Private::handleCommand(const QString &cmd) { handleExCommand(cmd); } bool FakeVimHandler::Private::handleExSubstituteCommand(const ExCommand &cmd) { // :substitute if (!cmd.matches(_("s"), _("substitute")) && !(cmd.cmd.isEmpty() && !cmd.args.isEmpty() && QString::fromLatin1("&~").contains(cmd.args[0]))) { return false; } int count = 1; QString line = cmd.args; const int countIndex = line.lastIndexOf(QRegExp(_("\\d+$"))); if (countIndex != -1) { count = line.mid(countIndex).toInt(); line = line.mid(0, countIndex).trimmed(); } if (cmd.cmd.isEmpty()) { // keep previous substitution flags on '&&' and '~&' if (line.size() > 1 && line[1] == QLatin1Char('&')) g.lastSubstituteFlags += line.mid(2); else g.lastSubstituteFlags = line.mid(1); if (line[0] == QLatin1Char('~')) g.lastSubstitutePattern = g.lastSearch; } else { if (line.isEmpty()) { g.lastSubstituteFlags.clear(); } else { // we have /{pattern}/{string}/[flags] now const QChar separator = line.at(0); int pos1 = findUnescaped(separator, line, 1); if (pos1 == -1) return false; int pos2 = findUnescaped(separator, line, pos1 + 1); if (pos2 == -1) pos2 = line.size(); g.lastSubstitutePattern = line.mid(1, pos1 - 1); g.lastSubstituteReplacement = line.mid(pos1 + 1, pos2 - pos1 - 1); g.lastSubstituteFlags = line.mid(pos2 + 1); } } count = qMax(1, count); QString needle = g.lastSubstitutePattern; if (g.lastSubstituteFlags.contains(QLatin1Char('i'))) needle.prepend(_("\\c")); QRegExp pattern = vimPatternToQtPattern(needle, hasConfig(ConfigIgnoreCase), hasConfig(ConfigSmartCase)); QTextBlock lastBlock; QTextBlock firstBlock; const bool global = g.lastSubstituteFlags.contains(QLatin1Char('g')); for (int a = 0; a != count; ++a) { for (QTextBlock block = document()->findBlock(cmd.range.endPos); block.isValid() && block.position() + block.length() > cmd.range.beginPos; block = block.previous()) { QString text = block.text(); if (substituteText(&text, pattern, g.lastSubstituteReplacement, global)) { firstBlock = block; if (!lastBlock.isValid()) { lastBlock = block; beginEditBlock(); } QTextCursor tc = m_cursor; const int pos = block.position(); const int anchor = pos + block.length() - 1; tc.setPosition(anchor); tc.setPosition(pos, KeepAnchor); tc.insertText(text); } } } if (lastBlock.isValid()) { m_undoState.position = CursorPosition(firstBlock.blockNumber(), 0); leaveVisualMode(); setPosition(lastBlock.position()); setAnchor(); moveToFirstNonBlankOnLine(); setTargetColumn(); endEditBlock(); } return true; } bool FakeVimHandler::Private::handleExMapCommand(const ExCommand &cmd0) // :map { QByteArray modes; enum Type { Map, Noremap, Unmap } type; QByteArray cmd = cmd0.cmd.toLatin1(); // Strange formatting. But everything else is even uglier. if (cmd == "map") { modes = "nvo"; type = Map; } else if (cmd == "nm" || cmd == "nmap") { modes = "n"; type = Map; } else if (cmd == "vm" || cmd == "vmap") { modes = "v"; type = Map; } else if (cmd == "xm" || cmd == "xmap") { modes = "x"; type = Map; } else if (cmd == "smap") { modes = "s"; type = Map; } else if (cmd == "omap") { modes = "o"; type = Map; } else if (cmd == "map!") { modes = "ic"; type = Map; } else if (cmd == "im" || cmd == "imap") { modes = "i"; type = Map; } else if (cmd == "lm" || cmd == "lmap") { modes = "l"; type = Map; } else if (cmd == "cm" || cmd == "cmap") { modes = "c"; type = Map; } else if (cmd == "no" || cmd == "noremap") { modes = "nvo"; type = Noremap; } else if (cmd == "nn" || cmd == "nnoremap") { modes = "n"; type = Noremap; } else if (cmd == "vn" || cmd == "vnoremap") { modes = "v"; type = Noremap; } else if (cmd == "xn" || cmd == "xnoremap") { modes = "x"; type = Noremap; } else if (cmd == "snor" || cmd == "snoremap") { modes = "s"; type = Noremap; } else if (cmd == "ono" || cmd == "onoremap") { modes = "o"; type = Noremap; } else if (cmd == "no!" || cmd == "noremap!") { modes = "ic"; type = Noremap; } else if (cmd == "ino" || cmd == "inoremap") { modes = "i"; type = Noremap; } else if (cmd == "ln" || cmd == "lnoremap") { modes = "l"; type = Noremap; } else if (cmd == "cno" || cmd == "cnoremap") { modes = "c"; type = Noremap; } else if (cmd == "unm" || cmd == "unmap") { modes = "nvo"; type = Unmap; } else if (cmd == "nun" || cmd == "nunmap") { modes = "n"; type = Unmap; } else if (cmd == "vu" || cmd == "vunmap") { modes = "v"; type = Unmap; } else if (cmd == "xu" || cmd == "xunmap") { modes = "x"; type = Unmap; } else if (cmd == "sunm" || cmd == "sunmap") { modes = "s"; type = Unmap; } else if (cmd == "ou" || cmd == "ounmap") { modes = "o"; type = Unmap; } else if (cmd == "unm!" || cmd == "unmap!") { modes = "ic"; type = Unmap; } else if (cmd == "iu" || cmd == "iunmap") { modes = "i"; type = Unmap; } else if (cmd == "lu" || cmd == "lunmap") { modes = "l"; type = Unmap; } else if (cmd == "cu" || cmd == "cunmap") { modes = "c"; type = Unmap; } else return false; QString args = cmd0.args; bool silent = false; bool unique = false; forever { if (eatString("", &args)) { silent = true; } else if (eatString("", &args)) { continue; } else if (eatString("", &args)) { continue; } else if (eatString("", &args)) { notImplementedYet(); continue; } else if (eatString("