source_code
stringlengths
45
7.24k
function_name
stringlengths
1
111
messages
list
def x(self, block): prevBlock = self._prevNonCommentBlock(block) while prevBlock.isValid() and (prevBlock == block.previous() and self. _isBlockContinuing(prevBlock) or self.isStmtContinuing(prevBlock)): block = prevBlock prevBlock = self._prevNonCommentBlock(block) return block
findStmtStart
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, block):\n prevBlock = self._prevNonCommentBlock(block)\n while prevBlock.isValid() and (prevBlock == block.previous() and self.\n _isBlockContinuing(prevBlock) or self.isStmtContinuing(prevBlock)):\n block = prevBlock\n prevBlock = self._prevNonCommentBlock(block)\n return block\n", "role": "user" }, { "content": "findStmtStart", "role": "assistant" } ]
def x(block, ch): if ch == '' or ch == '\n': return True match = rxUnindent.match(block.text()) return match is not None and match.group(3) == ''
isValidTrigger
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(block, ch):\n if ch == '' or ch == '\\n':\n return True\n match = rxUnindent.match(block.text())\n return match is not None and match.group(3) == ''\n", "role": "user" }, { "content": "isValidTrigger", "role": "assistant" } ]
def x(self, block): stmtEnd = self._prevNonCommentBlock(block) stmtStart = self.findStmtStart(stmtEnd) return Statement(self._qpart, stmtStart, stmtEnd)
findPrevStmt
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, block):\n stmtEnd = self._prevNonCommentBlock(block)\n stmtStart = self.findStmtStart(stmtEnd)\n return Statement(self._qpart, stmtStart, stmtEnd)\n", "role": "user" }, { "content": "findPrevStmt", "role": "assistant" } ]
def x(self, block, ch): if not self._isValidTrigger(block, ch): return None prevStmt = self.findPrevStmt(block) if not prevStmt.endBlock.isValid(): return None prevBlock = self._prevNonEmptyBlock(block) if self._qpart.isHereDoc(prevBlock.blockNumber(), prevBlock.length() - 2): return None if self._qpart.isBlockComment(prevBlock.blockNumber(), prevBlock.length () - 2): return None prevStmtCnt = prevStmt.content() prevStmtInd = prevStmt.indent() foundBlock, foundColumn, foundChar = self.lastAnchor(block, 0) if foundBlock is not None: shouldIndent = foundBlock == prevStmt.endBlock or self.testAtEnd( prevStmt, re.compile(',\\s*')) if not self._isLastCodeColumn(foundBlock, foundColumn ) or self.lastAnchor(foundBlock, foundColumn)[0] is not None: if shouldIndent: foundColumn += 1 nextCol = self._nextNonSpaceColumn(foundBlock, foundColumn) if nextCol > 0 and not self._isComment(foundBlock, nextCol): foundColumn = nextCol if len(prevStmtInd) > foundColumn: return prevStmtInd else: return self._makeIndentAsColumn(foundBlock, foundColumn) else: indent = self._blockIndent(foundBlock) if shouldIndent: indent = self._increaseIndent(indent) return indent if prevStmt.endBlock == block.previous() and self._isBlockContinuing( prevStmt.endBlock) or self.isStmtContinuing(prevStmt.endBlock): if prevStmt.startBlock == prevStmt.endBlock: if ch == '' and len(self._blockIndent(block)) > len(self. _blockIndent(prevStmt.endBlock)): return None return self._increaseIndent(self._increaseIndent(prevStmtInd)) else: return self._blockIndent(prevStmt.endBlock) if rxUnindent.match(block.text()): startStmt = self.findBlockStart(block) if startStmt.startBlock.isValid(): return startStmt.indent() else: return None if self.isBlockStart(prevStmt) and not rxBlockEnd.search(prevStmt.content() ): return self._increaseIndent(prevStmtInd) elif re.search('[\\[\\{]\\s*$', prevStmtCnt) is not None: return self._increaseIndent(prevStmtInd) return prevStmtInd
computeSmartIndent
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, block, ch):\n if not self._isValidTrigger(block, ch):\n return None\n prevStmt = self.findPrevStmt(block)\n if not prevStmt.endBlock.isValid():\n return None\n prevBlock = self._prevNonEmptyBlock(block)\n if self._qpart.isHereDoc(prevBlock.blockNumber(), prevBlock.length() - 2):\n return None\n if self._qpart.isBlockComment(prevBlock.blockNumber(), prevBlock.length\n () - 2):\n return None\n prevStmtCnt = prevStmt.content()\n prevStmtInd = prevStmt.indent()\n foundBlock, foundColumn, foundChar = self.lastAnchor(block, 0)\n if foundBlock is not None:\n shouldIndent = foundBlock == prevStmt.endBlock or self.testAtEnd(\n prevStmt, re.compile(',\\\\s*'))\n if not self._isLastCodeColumn(foundBlock, foundColumn\n ) or self.lastAnchor(foundBlock, foundColumn)[0] is not None:\n if shouldIndent:\n foundColumn += 1\n nextCol = self._nextNonSpaceColumn(foundBlock, foundColumn)\n if nextCol > 0 and not self._isComment(foundBlock, nextCol):\n foundColumn = nextCol\n if len(prevStmtInd) > foundColumn:\n return prevStmtInd\n else:\n return self._makeIndentAsColumn(foundBlock, foundColumn)\n else:\n indent = self._blockIndent(foundBlock)\n if shouldIndent:\n indent = self._increaseIndent(indent)\n return indent\n if prevStmt.endBlock == block.previous() and self._isBlockContinuing(\n prevStmt.endBlock) or self.isStmtContinuing(prevStmt.endBlock):\n if prevStmt.startBlock == prevStmt.endBlock:\n if ch == '' and len(self._blockIndent(block)) > len(self.\n _blockIndent(prevStmt.endBlock)):\n return None\n return self._increaseIndent(self._increaseIndent(prevStmtInd))\n else:\n return self._blockIndent(prevStmt.endBlock)\n if rxUnindent.match(block.text()):\n startStmt = self.findBlockStart(block)\n if startStmt.startBlock.isValid():\n return startStmt.indent()\n else:\n return None\n if self.isBlockStart(prevStmt) and not rxBlockEnd.search(prevStmt.content()\n ):\n return self._increaseIndent(prevStmtInd)\n elif re.search('[\\\\[\\\\{]\\\\s*$', prevStmtCnt) is not None:\n return self._increaseIndent(prevStmtInd)\n return prevStmtInd\n", "role": "user" }, { "content": "computeSmartIndent", "role": "assistant" } ]
def x(self, painter, option, index): option.state &= ~QStyle.State_HasFocus options = QStyleOptionViewItem(option) self.initStyleOption(options, index) style = QApplication.style( ) if options.widget is None else options.widget.style() doc = QTextDocument() doc.setDocumentMargin(1) doc.setHtml(options.text) if options.widget is not None: doc.setDefaultFont(options.widget.font()) options.text = '' style.drawControl(QStyle.CE_ItemViewItem, options, painter) ctx = QAbstractTextDocumentLayout.PaintContext() if option.state & QStyle.State_Selected: ctx.palette.setColor(QPalette.Text, option.palette.color(QPalette. Active, QPalette.HighlightedText)) textRect = style.subElementRect(QStyle.SE_ItemViewItemText, options) painter.save() painter.translate(textRect.topLeft()) """Original example contained line painter.setClipRect(textRect.translated(-textRect.topLeft())) but text is drawn clipped with it on kubuntu 12.04 """ doc.documentLayout().draw(painter, ctx) painter.restore()
paint
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, painter, option, index):\n option.state &= ~QStyle.State_HasFocus\n options = QStyleOptionViewItem(option)\n self.initStyleOption(options, index)\n style = QApplication.style(\n ) if options.widget is None else options.widget.style()\n doc = QTextDocument()\n doc.setDocumentMargin(1)\n doc.setHtml(options.text)\n if options.widget is not None:\n doc.setDefaultFont(options.widget.font())\n options.text = ''\n style.drawControl(QStyle.CE_ItemViewItem, options, painter)\n ctx = QAbstractTextDocumentLayout.PaintContext()\n if option.state & QStyle.State_Selected:\n ctx.palette.setColor(QPalette.Text, option.palette.color(QPalette.\n Active, QPalette.HighlightedText))\n textRect = style.subElementRect(QStyle.SE_ItemViewItemText, options)\n painter.save()\n painter.translate(textRect.topLeft())\n \"\"\"Original example contained line\n painter.setClipRect(textRect.translated(-textRect.topLeft()))\n but text is drawn clipped with it on kubuntu 12.04\n \"\"\"\n doc.documentLayout().draw(painter, ctx)\n painter.restore()\n", "role": "user" }, { "content": "paint", "role": "assistant" } ]
def x(self, keyEvent): return self._start is not None and (keyEvent.matches(QKeySequence. Delete) or keyEvent.key() == Qt.Key_Backspace and keyEvent. modifiers() == Qt.NoModifier)
isDeleteKeyEvent
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, keyEvent):\n return self._start is not None and (keyEvent.matches(QKeySequence.\n Delete) or keyEvent.key() == Qt.Key_Backspace and keyEvent.\n modifiers() == Qt.NoModifier)\n", "role": "user" }, { "content": "isDeleteKeyEvent", "role": "assistant" } ]
def x(self): with self._qpart: for cursor in self.cursors(): if cursor.hasSelection(): cursor.deleteChar()
delete
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n with self._qpart:\n for cursor in self.cursors():\n if cursor.hasSelection():\n cursor.deleteChar()\n", "role": "user" }, { "content": "delete", "role": "assistant" } ]
def x(self, keyEvent): return keyEvent.modifiers() & Qt.ShiftModifier and keyEvent.modifiers( ) & Qt.AltModifier and keyEvent.key() in (Qt.Key_Left, Qt.Key_Right, Qt.Key_Down, Qt.Key_Up, Qt.Key_PageUp, Qt.Key_PageDown, Qt.Key_Home, Qt.Key_End)
isExpandKeyEvent
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, keyEvent):\n return keyEvent.modifiers() & Qt.ShiftModifier and keyEvent.modifiers(\n ) & Qt.AltModifier and keyEvent.key() in (Qt.Key_Left, Qt.Key_Right,\n Qt.Key_Down, Qt.Key_Up, Qt.Key_PageUp, Qt.Key_PageDown, Qt.Key_Home,\n Qt.Key_End)\n", "role": "user" }, { "content": "isExpandKeyEvent", "role": "assistant" } ]
def x(self, keyEvent): if self._start is None: currentBlockText = self._qpart.textCursor().block().text() line = self._qpart.cursorPosition[0] visibleColumn = self._realToVisibleColumn(currentBlockText, self. _qpart.cursorPosition[1]) self._start = line, visibleColumn modifiersWithoutAltShift = keyEvent.modifiers() & ~(Qt.AltModifier | Qt .ShiftModifier) newEvent = QKeyEvent(keyEvent.type(), keyEvent.key(), modifiersWithoutAltShift, keyEvent.text(), keyEvent.isAutoRepeat(), keyEvent.count()) self._qpart.cursorPositionChanged.disconnect(self._reset) self._qpart.selectionChanged.disconnect(self._reset) super(self._qpart.__class__, self._qpart).keyPressEvent(newEvent) self._qpart.cursorPositionChanged.connect(self._reset) self._qpart.selectionChanged.connect(self._reset)
onExpandKeyEvent
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, keyEvent):\n if self._start is None:\n currentBlockText = self._qpart.textCursor().block().text()\n line = self._qpart.cursorPosition[0]\n visibleColumn = self._realToVisibleColumn(currentBlockText, self.\n _qpart.cursorPosition[1])\n self._start = line, visibleColumn\n modifiersWithoutAltShift = keyEvent.modifiers() & ~(Qt.AltModifier | Qt\n .ShiftModifier)\n newEvent = QKeyEvent(keyEvent.type(), keyEvent.key(),\n modifiersWithoutAltShift, keyEvent.text(), keyEvent.isAutoRepeat(),\n keyEvent.count())\n self._qpart.cursorPositionChanged.disconnect(self._reset)\n self._qpart.selectionChanged.disconnect(self._reset)\n super(self._qpart.__class__, self._qpart).keyPressEvent(newEvent)\n self._qpart.cursorPositionChanged.connect(self._reset)\n self._qpart.selectionChanged.connect(self._reset)\n", "role": "user" }, { "content": "onExpandKeyEvent", "role": "assistant" } ]
def x(self, text, realColumn): generator = self._visibleCharPositionGenerator(text) for i in range(realColumn): val = next(generator) val = next(generator) return val
realToVisibleColumn
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, text, realColumn):\n generator = self._visibleCharPositionGenerator(text)\n for i in range(realColumn):\n val = next(generator)\n val = next(generator)\n return val\n", "role": "user" }, { "content": "realToVisibleColumn", "role": "assistant" } ]
def x(self, text, visiblePos): if visiblePos == 0: return 0 elif not '\t' in text: return visiblePos else: currentIndex = 1 for currentVisiblePos in self._visibleCharPositionGenerator(text): if currentVisiblePos >= visiblePos: return currentIndex - 1 currentIndex += 1 return None
visibleToRealColumn
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, text, visiblePos):\n if visiblePos == 0:\n return 0\n elif not '\\t' in text:\n return visiblePos\n else:\n currentIndex = 1\n for currentVisiblePos in self._visibleCharPositionGenerator(text):\n if currentVisiblePos >= visiblePos:\n return currentIndex - 1\n currentIndex += 1\n return None\n", "role": "user" }, { "content": "visibleToRealColumn", "role": "assistant" } ]
def x(self): cursors = [] if self._start is not None: startLine, startVisibleCol = self._start currentLine, currentCol = self._qpart.cursorPosition if abs(startLine - currentLine) > self._MAX_SIZE or abs( startVisibleCol - currentCol) > self._MAX_SIZE: self._qpart.userWarning.emit( 'Rectangular selection area is too big') self._start = None return [] currentBlockText = self._qpart.textCursor().block().text() currentVisibleCol = self._realToVisibleColumn(currentBlockText, currentCol) for lineNumber in range(min(startLine, currentLine), max(startLine, currentLine) + 1): block = self._qpart.document().findBlockByNumber(lineNumber) cursor = QTextCursor(block) realStartCol = self._visibleToRealColumn(block.text(), startVisibleCol) realCurrentCol = self._visibleToRealColumn(block.text(), currentVisibleCol) if realStartCol is None: realStartCol = block.length() if realCurrentCol is None: realCurrentCol = block.length() cursor.setPosition(cursor.block().position() + min(realStartCol, block.length() - 1)) cursor.setPosition(cursor.block().position() + min( realCurrentCol, block.length() - 1), QTextCursor.KeepAnchor) cursors.append(cursor) return cursors
cursors
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n cursors = []\n if self._start is not None:\n startLine, startVisibleCol = self._start\n currentLine, currentCol = self._qpart.cursorPosition\n if abs(startLine - currentLine) > self._MAX_SIZE or abs(\n startVisibleCol - currentCol) > self._MAX_SIZE:\n self._qpart.userWarning.emit(\n 'Rectangular selection area is too big')\n self._start = None\n return []\n currentBlockText = self._qpart.textCursor().block().text()\n currentVisibleCol = self._realToVisibleColumn(currentBlockText,\n currentCol)\n for lineNumber in range(min(startLine, currentLine), max(startLine,\n currentLine) + 1):\n block = self._qpart.document().findBlockByNumber(lineNumber)\n cursor = QTextCursor(block)\n realStartCol = self._visibleToRealColumn(block.text(),\n startVisibleCol)\n realCurrentCol = self._visibleToRealColumn(block.text(),\n currentVisibleCol)\n if realStartCol is None:\n realStartCol = block.length()\n if realCurrentCol is None:\n realCurrentCol = block.length()\n cursor.setPosition(cursor.block().position() + min(realStartCol,\n block.length() - 1))\n cursor.setPosition(cursor.block().position() + min(\n realCurrentCol, block.length() - 1), QTextCursor.KeepAnchor)\n cursors.append(cursor)\n return cursors\n", "role": "user" }, { "content": "cursors", "role": "assistant" } ]
def x(self): selections = [] cursors = self.cursors() if cursors: background = self._qpart.palette().color(QPalette.Highlight) foreground = self._qpart.palette().color(QPalette.HighlightedText) for cursor in cursors: selection = QTextEdit.ExtraSelection() selection.format.setBackground(background) selection.format.setForeground(foreground) selection.cursor = cursor selections.append(selection) return selections
selections
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n selections = []\n cursors = self.cursors()\n if cursors:\n background = self._qpart.palette().color(QPalette.Highlight)\n foreground = self._qpart.palette().color(QPalette.HighlightedText)\n for cursor in cursors:\n selection = QTextEdit.ExtraSelection()\n selection.format.setBackground(background)\n selection.format.setForeground(foreground)\n selection.cursor = cursor\n selections.append(selection)\n return selections\n", "role": "user" }, { "content": "selections", "role": "assistant" } ]
def x(self): data = QMimeData() text = '\n'.join([cursor.selectedText() for cursor in self.cursors()]) data.setText(text) data.setData(self.MIME_TYPE, text.encode('utf8')) QApplication.clipboard().setMimeData(data)
copy
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n data = QMimeData()\n text = '\\n'.join([cursor.selectedText() for cursor in self.cursors()])\n data.setText(text)\n data.setData(self.MIME_TYPE, text.encode('utf8'))\n QApplication.clipboard().setMimeData(data)\n", "role": "user" }, { "content": "copy", "role": "assistant" } ]
def x(self): cursorPos = self._qpart.cursorPosition topLeft = min(self._start[0], cursorPos[0]), min(self._start[1], cursorPos[1]) self.copy() self.delete() """Move cursor to top-left corner of the selection, so that if text gets pasted again, original text will be restored""" self._qpart.cursorPosition = topLeft
cut
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n cursorPos = self._qpart.cursorPosition\n topLeft = min(self._start[0], cursorPos[0]), min(self._start[1],\n cursorPos[1])\n self.copy()\n self.delete()\n \"\"\"Move cursor to top-left corner of the selection,\n so that if text gets pasted again, original text will be restored\"\"\"\n self._qpart.cursorPosition = topLeft\n", "role": "user" }, { "content": "cut", "role": "assistant" } ]
def x(self, text, width): visibleTextWidth = self._realToVisibleColumn(text, len(text)) diff = width - visibleTextWidth if diff <= 0: return '' elif self._qpart.indentUseTabs and all([(char == '\t') for char in text]): return '\t' * (diff // self._qpart.indentWidth) + ' ' * (diff % self._qpart.indentWidth) else: return ' ' * int(diff)
indentUpTo
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, text, width):\n visibleTextWidth = self._realToVisibleColumn(text, len(text))\n diff = width - visibleTextWidth\n if diff <= 0:\n return ''\n elif self._qpart.indentUseTabs and all([(char == '\\t') for char in text]):\n return '\\t' * (diff // self._qpart.indentWidth) + ' ' * (diff %\n self._qpart.indentWidth)\n else:\n return ' ' * int(diff)\n", "role": "user" }, { "content": "indentUpTo", "role": "assistant" } ]
def x(self, mimeData): if self.isActive(): self.delete() elif self._qpart.textCursor().hasSelection(): self._qpart.textCursor().deleteChar() text = bytes(mimeData.data(self.MIME_TYPE)).decode('utf8') lines = text.splitlines() cursorLine, cursorCol = self._qpart.cursorPosition if cursorLine + len(lines) > len(self._qpart.lines): for i in range(cursorLine + len(lines) - len(self._qpart.lines)): self._qpart.lines.append('') with self._qpart: for index, line in enumerate(lines): currentLine = self._qpart.lines[cursorLine + index] newLine = currentLine[:cursorCol] + self._indentUpTo(currentLine, cursorCol) + line + currentLine[cursorCol:] self._qpart.lines[cursorLine + index] = newLine self._qpart.cursorPosition = cursorLine, cursorCol
paste
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, mimeData):\n if self.isActive():\n self.delete()\n elif self._qpart.textCursor().hasSelection():\n self._qpart.textCursor().deleteChar()\n text = bytes(mimeData.data(self.MIME_TYPE)).decode('utf8')\n lines = text.splitlines()\n cursorLine, cursorCol = self._qpart.cursorPosition\n if cursorLine + len(lines) > len(self._qpart.lines):\n for i in range(cursorLine + len(lines) - len(self._qpart.lines)):\n self._qpart.lines.append('')\n with self._qpart:\n for index, line in enumerate(lines):\n currentLine = self._qpart.lines[cursorLine + index]\n newLine = currentLine[:cursorCol] + self._indentUpTo(currentLine,\n cursorCol) + line + currentLine[cursorCol:]\n self._qpart.lines[cursorLine + index] = newLine\n self._qpart.cursorPosition = cursorLine, cursorCol\n", "role": "user" }, { "content": "paste", "role": "assistant" } ]
def x(self): if self._bit_count < 0: raise Exception('A margin cannot request negative number of bits') if self._bit_count == 0: return margins = self._qpart.getMargins() occupiedRanges = [] for margin in margins: bitRange = margin.getBitRange() if bitRange is not None: added = False for index in range(len(occupiedRanges)): r = occupiedRanges[index] if bitRange[1] < r[0]: occupiedRanges.insert(index, bitRange) added = True break if not added: occupiedRanges.append(bitRange) vacant = 0 for r in occupiedRanges: if r[0] - vacant >= self._bit_count: self._bitRange = vacant, vacant + self._bit_count - 1 return vacant = r[1] + 1 self._bitRange = vacant, vacant + self._bit_count - 1
allocateBits
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n if self._bit_count < 0:\n raise Exception('A margin cannot request negative number of bits')\n if self._bit_count == 0:\n return\n margins = self._qpart.getMargins()\n occupiedRanges = []\n for margin in margins:\n bitRange = margin.getBitRange()\n if bitRange is not None:\n added = False\n for index in range(len(occupiedRanges)):\n r = occupiedRanges[index]\n if bitRange[1] < r[0]:\n occupiedRanges.insert(index, bitRange)\n added = True\n break\n if not added:\n occupiedRanges.append(bitRange)\n vacant = 0\n for r in occupiedRanges:\n if r[0] - vacant >= self._bit_count:\n self._bitRange = vacant, vacant + self._bit_count - 1\n return\n vacant = r[1] + 1\n self._bitRange = vacant, vacant + self._bit_count - 1\n", "role": "user" }, { "content": "allocateBits", "role": "assistant" } ]
def x(self, rect, dy): if dy: self.scroll(0, dy) elif self._countCache[0] != self._qpart.blockCount() or self._countCache[1 ] != self._qpart.textCursor().block().lineCount(): blockHeight = self._qpart.blockBoundingRect(self._qpart. firstVisibleBlock()).height() self.update(0, rect.y(), self.width(), rect.height() + blockHeight) self._countCache = self._qpart.blockCount(), self._qpart.textCursor( ).block().lineCount() if rect.contains(self._qpart.viewport().rect()): self._qpart.updateViewportMargins()
updateRequest
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, rect, dy):\n if dy:\n self.scroll(0, dy)\n elif self._countCache[0] != self._qpart.blockCount() or self._countCache[1\n ] != self._qpart.textCursor().block().lineCount():\n blockHeight = self._qpart.blockBoundingRect(self._qpart.\n firstVisibleBlock()).height()\n self.update(0, rect.y(), self.width(), rect.height() + blockHeight)\n self._countCache = self._qpart.blockCount(), self._qpart.textCursor(\n ).block().lineCount()\n if rect.contains(self._qpart.viewport().rect()):\n self._qpart.updateViewportMargins()\n", "role": "user" }, { "content": "updateRequest", "role": "assistant" } ]
def x(self, block, value): if self._bit_count == 0: raise Exception("The margin '" + self._name + "' did not allocate any bits for the values") if value < 0: raise Exception("The margin '" + self._name + "' must be a positive integer") if value >= 2 ** self._bit_count: raise Exception("The margin '" + self._name + "' value exceeds the allocated bit range") newMarginValue = value << self._bitRange[0] currentUserState = block.userState() if currentUserState in [0, -1]: block.setUserState(newMarginValue) else: marginMask = 2 ** self._bit_count - 1 otherMarginsValue = currentUserState & ~marginMask block.setUserState(newMarginValue | otherMarginsValue)
setBlockValue
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, block, value):\n if self._bit_count == 0:\n raise Exception(\"The margin '\" + self._name +\n \"' did not allocate any bits for the values\")\n if value < 0:\n raise Exception(\"The margin '\" + self._name +\n \"' must be a positive integer\")\n if value >= 2 ** self._bit_count:\n raise Exception(\"The margin '\" + self._name +\n \"' value exceeds the allocated bit range\")\n newMarginValue = value << self._bitRange[0]\n currentUserState = block.userState()\n if currentUserState in [0, -1]:\n block.setUserState(newMarginValue)\n else:\n marginMask = 2 ** self._bit_count - 1\n otherMarginsValue = currentUserState & ~marginMask\n block.setUserState(newMarginValue | otherMarginsValue)\n", "role": "user" }, { "content": "setBlockValue", "role": "assistant" } ]
def x(self, block): if self._bit_count == 0: raise Exception("The margin '" + self._name + "' did not allocate any bits for the values") val = block.userState() if val in [0, -1]: return 0 val >>= self._bitRange[0] mask = 2 ** self._bit_count - 1 val &= mask return val
getBlockValue
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, block):\n if self._bit_count == 0:\n raise Exception(\"The margin '\" + self._name +\n \"' did not allocate any bits for the values\")\n val = block.userState()\n if val in [0, -1]:\n return 0\n val >>= self._bitRange[0]\n mask = 2 ** self._bit_count - 1\n val &= mask\n return val\n", "role": "user" }, { "content": "getBlockValue", "role": "assistant" } ]
def x(self): if not self.isHidden(): QWidget.hide(self) self._qpart.updateViewport()
hide
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n if not self.isHidden():\n QWidget.hide(self)\n self._qpart.updateViewport()\n", "role": "user" }, { "content": "hide", "role": "assistant" } ]
def x(self): if self.isHidden(): QWidget.show(self) self._qpart.updateViewport()
show
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n if self.isHidden():\n QWidget.show(self)\n self._qpart.updateViewport()\n", "role": "user" }, { "content": "show", "role": "assistant" } ]
def x(self, val): if val != self.isVisible(): if val: QWidget.setVisible(self, True) else: QWidget.setVisible(self, False) self._qpart.updateViewport()
setVisible
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, val):\n if val != self.isVisible():\n if val:\n QWidget.setVisible(self, True)\n else:\n QWidget.setVisible(self, False)\n self._qpart.updateViewport()\n", "role": "user" }, { "content": "setVisible", "role": "assistant" } ]
def x(self): if self._bit_count == 0: return block = self._qpart.document().begin() while block.isValid(): if self.getBlockValue(block): self.setBlockValue(block, 0) block = block.next()
clear
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n if self._bit_count == 0:\n return\n block = self._qpart.document().begin()\n while block.isValid():\n if self.getBlockValue(block):\n self.setBlockValue(block, 0)\n block = block.next()\n", "role": "user" }, { "content": "clear", "role": "assistant" } ]
def x(self, lineData, column): if lineData is None: return ' ' textTypeMap = lineData[1] if column >= len(textTypeMap): return ' ' return textTypeMap[column]
getTextType
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, lineData, column):\n if lineData is None:\n return ' '\n textTypeMap = lineData[1]\n if column >= len(textTypeMap):\n return ' '\n return textTypeMap[column]\n", "role": "user" }, { "content": "getTextType", "role": "assistant" } ]
def x(self, xmlFileName): import qutepart.syntax.loader with self._loadedSyntaxesLock: if not xmlFileName in self._loadedSyntaxes: xmlFilePath = os.path.join(os.path.dirname(__file__), 'data', 'xml', xmlFileName) syntax = Syntax(self) self._loadedSyntaxes[xmlFileName] = syntax qutepart.syntax.loader.loadSyntax(syntax, xmlFilePath) return self._loadedSyntaxes[xmlFileName]
getSyntaxByXmlFileName
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, xmlFileName):\n import qutepart.syntax.loader\n with self._loadedSyntaxesLock:\n if not xmlFileName in self._loadedSyntaxes:\n xmlFilePath = os.path.join(os.path.dirname(__file__), 'data',\n 'xml', xmlFileName)\n syntax = Syntax(self)\n self._loadedSyntaxes[xmlFileName] = syntax\n qutepart.syntax.loader.loadSyntax(syntax, xmlFilePath)\n return self._loadedSyntaxes[xmlFileName]\n", "role": "user" }, { "content": "getSyntaxByXmlFileName", "role": "assistant" } ]
def x(self, syntaxName): xmlFileName = self._syntaxNameToXmlFileName[syntaxName] return self._getSyntaxByXmlFileName(xmlFileName)
getSyntaxByLanguageName
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, syntaxName):\n xmlFileName = self._syntaxNameToXmlFileName[syntaxName]\n return self._getSyntaxByXmlFileName(xmlFileName)\n", "role": "user" }, { "content": "getSyntaxByLanguageName", "role": "assistant" } ]
def x(self, name): for regExp, xmlFileName in self._extensionToXmlFileName.items(): if regExp.match(name): return self._getSyntaxByXmlFileName(xmlFileName) else: raise KeyError('No syntax for ' + name)
getSyntaxBySourceFileName
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, name):\n for regExp, xmlFileName in self._extensionToXmlFileName.items():\n if regExp.match(name):\n return self._getSyntaxByXmlFileName(xmlFileName)\n else:\n raise KeyError('No syntax for ' + name)\n", "role": "user" }, { "content": "getSyntaxBySourceFileName", "role": "assistant" } ]
def x(self, mimeType): xmlFileName = self._mimeTypeToXmlFileName[mimeType] return self._getSyntaxByXmlFileName(xmlFileName)
getSyntaxByMimeType
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, mimeType):\n xmlFileName = self._mimeTypeToXmlFileName[mimeType]\n return self._getSyntaxByXmlFileName(xmlFileName)\n", "role": "user" }, { "content": "getSyntaxByMimeType", "role": "assistant" } ]
def x(self, firstLine): for pattern, xmlFileName in self._firstLineToXmlFileName.items(): if fnmatch.fnmatch(firstLine, pattern): return self._getSyntaxByXmlFileName(xmlFileName) else: raise KeyError('No syntax for ' + firstLine)
getSyntaxByFirstLine
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, firstLine):\n for pattern, xmlFileName in self._firstLineToXmlFileName.items():\n if fnmatch.fnmatch(firstLine, pattern):\n return self._getSyntaxByXmlFileName(xmlFileName)\n else:\n raise KeyError('No syntax for ' + firstLine)\n", "role": "user" }, { "content": "getSyntaxByFirstLine", "role": "assistant" } ]
def x(self, xmlFileName=None, mimeType=None, languageName=None, sourceFilePath=None, firstLine=None): syntax = None if syntax is None and xmlFileName is not None: try: syntax = self._getSyntaxByXmlFileName(xmlFileName) except KeyError: _logger.warning('No xml definition %s' % xmlFileName) if syntax is None and mimeType is not None: try: syntax = self._getSyntaxByMimeType(mimeType) except KeyError: _logger.warning('No syntax for mime type %s' % mimeType) if syntax is None and languageName is not None: try: syntax = self._getSyntaxByLanguageName(languageName) except KeyError: _logger.warning('No syntax for language %s' % languageName) if syntax is None and sourceFilePath is not None: baseName = os.path.basename(sourceFilePath) try: syntax = self._getSyntaxBySourceFileName(baseName) except KeyError: pass if syntax is None and firstLine is not None: try: syntax = self._getSyntaxByFirstLine(firstLine) except KeyError: pass return syntax
getSyntax
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, xmlFileName=None, mimeType=None, languageName=None,\n sourceFilePath=None, firstLine=None):\n syntax = None\n if syntax is None and xmlFileName is not None:\n try:\n syntax = self._getSyntaxByXmlFileName(xmlFileName)\n except KeyError:\n _logger.warning('No xml definition %s' % xmlFileName)\n if syntax is None and mimeType is not None:\n try:\n syntax = self._getSyntaxByMimeType(mimeType)\n except KeyError:\n _logger.warning('No syntax for mime type %s' % mimeType)\n if syntax is None and languageName is not None:\n try:\n syntax = self._getSyntaxByLanguageName(languageName)\n except KeyError:\n _logger.warning('No syntax for language %s' % languageName)\n if syntax is None and sourceFilePath is not None:\n baseName = os.path.basename(sourceFilePath)\n try:\n syntax = self._getSyntaxBySourceFileName(baseName)\n except KeyError:\n pass\n if syntax is None and firstLine is not None:\n try:\n syntax = self._getSyntaxByFirstLine(firstLine)\n except KeyError:\n pass\n return syntax\n", "role": "user" }, { "content": "getSyntax", "role": "assistant" } ]
def x(self, count): if len(self._contexts) - 1 < count: _logger.error('#pop value is too big %d', len(self._contexts)) if len(self._contexts) > 1: return ContextStack(self._contexts[:1], self._data[:1]) else: return self return ContextStack(self._contexts[:-count], self._data[:-count])
pop
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, count):\n if len(self._contexts) - 1 < count:\n _logger.error('#pop value is too big %d', len(self._contexts))\n if len(self._contexts) > 1:\n return ContextStack(self._contexts[:1], self._data[:1])\n else:\n return self\n return ContextStack(self._contexts[:-count], self._data[:-count])\n", "role": "user" }, { "content": "pop", "role": "assistant" } ]
def x(self, context, data): return ContextStack(self._contexts + [context], self._data + [data])
append
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, context, data):\n return ContextStack(self._contexts + [context], self._data + [data])\n", "role": "user" }, { "content": "append", "role": "assistant" } ]
def x(self, contextStack, data=None): if self._popsCount: contextStack = contextStack.pop(self._popsCount) if self._contextToSwitch is not None: if not self._contextToSwitch.dynamic: data = None contextStack = contextStack.append(self._contextToSwitch, data) return contextStack
getNextContextStack
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, contextStack, data=None):\n if self._popsCount:\n contextStack = contextStack.pop(self._popsCount)\n if self._contextToSwitch is not None:\n if not self._contextToSwitch.dynamic:\n data = None\n contextStack = contextStack.append(self._contextToSwitch, data)\n return contextStack\n", "role": "user" }, { "content": "getNextContextStack", "role": "assistant" } ]
def x(self, textToMatchObject): if (self.column != -1 and self.column != textToMatchObject. currentColumnIndex): return None if self.firstNonSpace and not textToMatchObject.firstNonSpace: return None return self._tryMatch(textToMatchObject)
tryMatch
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, textToMatchObject):\n if (self.column != -1 and self.column != textToMatchObject.\n currentColumnIndex):\n return None\n if self.firstNonSpace and not textToMatchObject.firstNonSpace:\n return None\n return self._tryMatch(textToMatchObject)\n", "role": "user" }, { "content": "tryMatch", "role": "assistant" } ]
def x(string, contextData): def x(escapeMatchObject): stringIndex = escapeMatchObject.group(0)[1] index = int(stringIndex) if index < len(contextData): return contextData[index] else: return escapeMatchObject.group(0) return _numSeqReplacer.sub(_replaceFunc, string)
makeDynamicSubsctitutions
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(string, contextData):\n\n def x(escapeMatchObject):\n stringIndex = escapeMatchObject.group(0)[1]\n index = int(stringIndex)\n if index < len(contextData):\n return contextData[index]\n else:\n return escapeMatchObject.group(0)\n return _numSeqReplacer.sub(_replaceFunc, string)\n", "role": "user" }, { "content": "makeDynamicSubsctitutions", "role": "assistant" } ]
def x(self, textToMatchObject): if self.wordStart and not textToMatchObject.isWordStart: return None if self.lineStart and textToMatchObject.currentColumnIndex > 0: return None if self.dynamic: string = self._makeDynamicSubsctitutions(self.string, textToMatchObject.contextData) regExp = self._compileRegExp(string, self.insensitive, self.minimal) else: regExp = self.regExp if regExp is None: return None wholeMatch, groups = self._matchPattern(regExp, textToMatchObject.text) if wholeMatch is not None: count = len(wholeMatch) return RuleTryMatchResult(self, count, groups) else: return None
tryMatch
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, textToMatchObject):\n if self.wordStart and not textToMatchObject.isWordStart:\n return None\n if self.lineStart and textToMatchObject.currentColumnIndex > 0:\n return None\n if self.dynamic:\n string = self._makeDynamicSubsctitutions(self.string,\n textToMatchObject.contextData)\n regExp = self._compileRegExp(string, self.insensitive, self.minimal)\n else:\n regExp = self.regExp\n if regExp is None:\n return None\n wholeMatch, groups = self._matchPattern(regExp, textToMatchObject.text)\n if wholeMatch is not None:\n count = len(wholeMatch)\n return RuleTryMatchResult(self, count, groups)\n else:\n return None\n", "role": "user" }, { "content": "tryMatch", "role": "assistant" } ]
def x(string, insensitive, minimal): flags = 0 if insensitive: flags = re.IGNORECASE string = string.replace('[_[:alnum:]]', '[\\w\\d]') string = string.replace('[:digit:]', '\\d') string = string.replace('[:blank:]', '\\s') try: return re.compile(string, flags) except (re.error, AssertionError) as ex: _logger.warning("Invalid pattern '%s': %s", string, str(ex)) return None
compileRegExp
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(string, insensitive, minimal):\n flags = 0\n if insensitive:\n flags = re.IGNORECASE\n string = string.replace('[_[:alnum:]]', '[\\\\w\\\\d]')\n string = string.replace('[:digit:]', '\\\\d')\n string = string.replace('[:blank:]', '\\\\s')\n try:\n return re.compile(string, flags)\n except (re.error, AssertionError) as ex:\n _logger.warning(\"Invalid pattern '%s': %s\", string, str(ex))\n return None\n", "role": "user" }, { "content": "compileRegExp", "role": "assistant" } ]
def x(regExp, string): match = regExp.match(string) if match is not None and match.group(0): return match.group(0), (match.group(0),) + match.groups() else: return None, None
matchPattern
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(regExp, string):\n match = regExp.match(string)\n if match is not None and match.group(0):\n return match.group(0), (match.group(0),) + match.groups()\n else:\n return None, None\n", "role": "user" }, { "content": "matchPattern", "role": "assistant" } ]
def x(self, textToMatchObject): if not textToMatchObject.isWordStart: return None index = self._tryMatchText(textToMatchObject.text) if index is None: return None if textToMatchObject.currentColumnIndex + index < len(textToMatchObject .wholeLineText): newTextToMatchObject = TextToMatchObject(textToMatchObject. currentColumnIndex + index, textToMatchObject.wholeLineText, self.parentContext.parser.deliminatorSet, textToMatchObject. contextData) for rule in self.childRules: ruleTryMatchResult = rule.tryMatch(newTextToMatchObject) if ruleTryMatchResult is not None: index += ruleTryMatchResult.length break return RuleTryMatchResult(self, index)
tryMatch
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, textToMatchObject):\n if not textToMatchObject.isWordStart:\n return None\n index = self._tryMatchText(textToMatchObject.text)\n if index is None:\n return None\n if textToMatchObject.currentColumnIndex + index < len(textToMatchObject\n .wholeLineText):\n newTextToMatchObject = TextToMatchObject(textToMatchObject.\n currentColumnIndex + index, textToMatchObject.wholeLineText,\n self.parentContext.parser.deliminatorSet, textToMatchObject.\n contextData)\n for rule in self.childRules:\n ruleTryMatchResult = rule.tryMatch(newTextToMatchObject)\n if ruleTryMatchResult is not None:\n index += ruleTryMatchResult.length\n break\n return RuleTryMatchResult(self, index)\n", "role": "user" }, { "content": "tryMatch", "role": "assistant" } ]
def x(self, text): index = 0 while index < len(text): if not text[index].isdigit(): break index += 1 return index
countDigits
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, text):\n index = 0\n while index < len(text):\n if not text[index].isdigit():\n break\n index += 1\n return index\n", "role": "user" }, { "content": "countDigits", "role": "assistant" } ]
def x(self, textToMatchObject): for rule in self.context.rules: ruleTryMatchResult = rule.tryMatch(textToMatchObject) if ruleTryMatchResult is not None: _logger.debug('\tmatched rule %s at %d in included context %s/%s', rule.shortId(), textToMatchObject.currentColumnIndex, self. context.parser.syntax.name, self.context.name) return ruleTryMatchResult else: return None
tryMatch
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, textToMatchObject):\n for rule in self.context.rules:\n ruleTryMatchResult = rule.tryMatch(textToMatchObject)\n if ruleTryMatchResult is not None:\n _logger.debug('\\tmatched rule %s at %d in included context %s/%s',\n rule.shortId(), textToMatchObject.currentColumnIndex, self.\n context.parser.syntax.name, self.context.name)\n return ruleTryMatchResult\n else:\n return None\n", "role": "user" }, { "content": "tryMatch", "role": "assistant" } ]
def x(self, contextStack, currentColumnIndex, text): startColumnIndex = currentColumnIndex countOfNotMatchedSymbols = 0 highlightedSegments = [] textTypeMap = [] ruleTryMatchResult = None while currentColumnIndex < len(text): textToMatchObject = TextToMatchObject(currentColumnIndex, text, self.parser.deliminatorSet, contextStack.currentData()) for rule in self.rules: ruleTryMatchResult = rule.tryMatch(textToMatchObject) if ruleTryMatchResult is not None: _logger.debug('\tmatched rule %s at %d', rule.shortId(), currentColumnIndex) if countOfNotMatchedSymbols > 0: highlightedSegments.append((countOfNotMatchedSymbols, self.format)) textTypeMap += [self.textType for i in range( countOfNotMatchedSymbols)] countOfNotMatchedSymbols = 0 if ruleTryMatchResult.rule.context is not None: newContextStack = (ruleTryMatchResult.rule.context. getNextContextStack(contextStack, ruleTryMatchResult.data)) else: newContextStack = contextStack format = (ruleTryMatchResult.rule.format if ruleTryMatchResult.rule.attribute else newContextStack. currentContext().format) textType = (ruleTryMatchResult.rule.textType or newContextStack.currentContext().textType) highlightedSegments.append((ruleTryMatchResult.length, format)) textTypeMap += textType * ruleTryMatchResult.length currentColumnIndex += ruleTryMatchResult.length if newContextStack != contextStack: lineContinue = isinstance(ruleTryMatchResult.rule, LineContinue) return (currentColumnIndex - startColumnIndex, newContextStack, highlightedSegments, textTypeMap, lineContinue) break else: if self.fallthroughContext is not None: newContextStack = self.fallthroughContext.getNextContextStack( contextStack) if newContextStack != contextStack: if countOfNotMatchedSymbols > 0: highlightedSegments.append(( countOfNotMatchedSymbols, self.format)) textTypeMap += [self.textType for i in range( countOfNotMatchedSymbols)] return (currentColumnIndex - startColumnIndex, newContextStack, highlightedSegments, textTypeMap, False) currentColumnIndex += 1 countOfNotMatchedSymbols += 1 if countOfNotMatchedSymbols > 0: highlightedSegments.append((countOfNotMatchedSymbols, self.format)) textTypeMap += [self.textType for i in range(countOfNotMatchedSymbols)] lineContinue = ruleTryMatchResult is not None and isinstance( ruleTryMatchResult.rule, LineContinue) return (currentColumnIndex - startColumnIndex, contextStack, highlightedSegments, textTypeMap, lineContinue)
parseBlock
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, contextStack, currentColumnIndex, text):\n startColumnIndex = currentColumnIndex\n countOfNotMatchedSymbols = 0\n highlightedSegments = []\n textTypeMap = []\n ruleTryMatchResult = None\n while currentColumnIndex < len(text):\n textToMatchObject = TextToMatchObject(currentColumnIndex, text,\n self.parser.deliminatorSet, contextStack.currentData())\n for rule in self.rules:\n ruleTryMatchResult = rule.tryMatch(textToMatchObject)\n if ruleTryMatchResult is not None:\n _logger.debug('\\tmatched rule %s at %d', rule.shortId(),\n currentColumnIndex)\n if countOfNotMatchedSymbols > 0:\n highlightedSegments.append((countOfNotMatchedSymbols,\n self.format))\n textTypeMap += [self.textType for i in range(\n countOfNotMatchedSymbols)]\n countOfNotMatchedSymbols = 0\n if ruleTryMatchResult.rule.context is not None:\n newContextStack = (ruleTryMatchResult.rule.context.\n getNextContextStack(contextStack,\n ruleTryMatchResult.data))\n else:\n newContextStack = contextStack\n format = (ruleTryMatchResult.rule.format if\n ruleTryMatchResult.rule.attribute else newContextStack.\n currentContext().format)\n textType = (ruleTryMatchResult.rule.textType or\n newContextStack.currentContext().textType)\n highlightedSegments.append((ruleTryMatchResult.length, format))\n textTypeMap += textType * ruleTryMatchResult.length\n currentColumnIndex += ruleTryMatchResult.length\n if newContextStack != contextStack:\n lineContinue = isinstance(ruleTryMatchResult.rule,\n LineContinue)\n return (currentColumnIndex - startColumnIndex,\n newContextStack, highlightedSegments, textTypeMap,\n lineContinue)\n break\n else:\n if self.fallthroughContext is not None:\n newContextStack = self.fallthroughContext.getNextContextStack(\n contextStack)\n if newContextStack != contextStack:\n if countOfNotMatchedSymbols > 0:\n highlightedSegments.append((\n countOfNotMatchedSymbols, self.format))\n textTypeMap += [self.textType for i in range(\n countOfNotMatchedSymbols)]\n return (currentColumnIndex - startColumnIndex,\n newContextStack, highlightedSegments, textTypeMap, \n False)\n currentColumnIndex += 1\n countOfNotMatchedSymbols += 1\n if countOfNotMatchedSymbols > 0:\n highlightedSegments.append((countOfNotMatchedSymbols, self.format))\n textTypeMap += [self.textType for i in range(countOfNotMatchedSymbols)]\n lineContinue = ruleTryMatchResult is not None and isinstance(\n ruleTryMatchResult.rule, LineContinue)\n return (currentColumnIndex - startColumnIndex, contextStack,\n highlightedSegments, textTypeMap, lineContinue)\n", "role": "user" }, { "content": "parseBlock", "role": "assistant" } ]
def x(self, text, prevContextStack): if prevContextStack is not None: contextStack = prevContextStack else: contextStack = self._defaultContextStack highlightedSegments = [] lineContinue = False currentColumnIndex = 0 textTypeMap = [] if len(text) > 0: while currentColumnIndex < len(text): _logger.debug('In context %s', contextStack.currentContext().name) (length, newContextStack, segments, textTypeMapPart, lineContinue ) = (contextStack.currentContext().parseBlock(contextStack, currentColumnIndex, text)) highlightedSegments += segments contextStack = newContextStack textTypeMap += textTypeMapPart currentColumnIndex += length if not lineContinue: while contextStack.currentContext().lineEndContext is not None: oldStack = contextStack contextStack = contextStack.currentContext( ).lineEndContext.getNextContextStack(contextStack) if oldStack == contextStack: break if contextStack.currentContext().lineBeginContext is not None: contextStack = contextStack.currentContext( ).lineBeginContext.getNextContextStack(contextStack) elif contextStack.currentContext().lineEmptyContext is not None: contextStack = contextStack.currentContext( ).lineEmptyContext.getNextContextStack(contextStack) lineData = contextStack, textTypeMap return lineData, highlightedSegments
highlightBlock
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, text, prevContextStack):\n if prevContextStack is not None:\n contextStack = prevContextStack\n else:\n contextStack = self._defaultContextStack\n highlightedSegments = []\n lineContinue = False\n currentColumnIndex = 0\n textTypeMap = []\n if len(text) > 0:\n while currentColumnIndex < len(text):\n _logger.debug('In context %s', contextStack.currentContext().name)\n (length, newContextStack, segments, textTypeMapPart, lineContinue\n ) = (contextStack.currentContext().parseBlock(contextStack,\n currentColumnIndex, text))\n highlightedSegments += segments\n contextStack = newContextStack\n textTypeMap += textTypeMapPart\n currentColumnIndex += length\n if not lineContinue:\n while contextStack.currentContext().lineEndContext is not None:\n oldStack = contextStack\n contextStack = contextStack.currentContext(\n ).lineEndContext.getNextContextStack(contextStack)\n if oldStack == contextStack:\n break\n if contextStack.currentContext().lineBeginContext is not None:\n contextStack = contextStack.currentContext(\n ).lineBeginContext.getNextContextStack(contextStack)\n elif contextStack.currentContext().lineEmptyContext is not None:\n contextStack = contextStack.currentContext(\n ).lineEmptyContext.getNextContextStack(contextStack)\n lineData = contextStack, textTypeMap\n return lineData, highlightedSegments\n", "role": "user" }, { "content": "highlightBlock", "role": "assistant" } ]
def x(self, block, column, needle): if column is not None: index = block.text()[:column].rfind(needle) else: index = block.text().rfind(needle) if index != -1: return block, index for block in self.iterateBlocksBackFrom(block.previous()): column = block.text().rfind(needle) if column != -1: return block, column raise ValueError('Not found')
findTextBackward
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, block, column, needle):\n if column is not None:\n index = block.text()[:column].rfind(needle)\n else:\n index = block.text().rfind(needle)\n if index != -1:\n return block, index\n for block in self.iterateBlocksBackFrom(block.previous()):\n column = block.text().rfind(needle)\n if column != -1:\n return block, column\n raise ValueError('Not found')\n", "role": "user" }, { "content": "findTextBackward", "role": "assistant" } ]
def x(self, block, column): block, column = self.findBracketBackward(block, column, '{') try: block, column = self.tryParenthesisBeforeBrace(block, column) except ValueError: pass return self._blockIndent(block)
findLeftBrace
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, block, column):\n block, column = self.findBracketBackward(block, column, '{')\n try:\n block, column = self.tryParenthesisBeforeBrace(block, column)\n except ValueError:\n pass\n return self._blockIndent(block)\n", "role": "user" }, { "content": "findLeftBrace", "role": "assistant" } ]
def x(self, block, column): text = block.text()[:column - 1].rstrip() if not text.endswith(')'): raise ValueError() return self.findBracketBackward(block, len(text) - 1, '(')
tryParenthesisBeforeBrace
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, block, column):\n text = block.text()[:column - 1].rstrip()\n if not text.endswith(')'):\n raise ValueError()\n return self.findBracketBackward(block, len(text) - 1, '(')\n", "role": "user" }, { "content": "tryParenthesisBeforeBrace", "role": "assistant" } ]
def x(self, block): if not re.match('^\\s*(default\\s*|case\\b.*):', block.text()): return None for block in self.iterateBlocksBackFrom(block.previous()): text = block.text() if re.match('^\\s*(default\\s*|case\\b.*):', text): dbg('trySwitchStatement: success in line %d' % block.blockNumber()) return self._lineIndent(text) elif re.match('^\\s*switch\\b', text): if CFG_INDENT_CASE: return self._increaseIndent(self._lineIndent(text)) else: return self._lineIndent(text) return None
trySwitchStatement
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, block):\n if not re.match('^\\\\s*(default\\\\s*|case\\\\b.*):', block.text()):\n return None\n for block in self.iterateBlocksBackFrom(block.previous()):\n text = block.text()\n if re.match('^\\\\s*(default\\\\s*|case\\\\b.*):', text):\n dbg('trySwitchStatement: success in line %d' % block.blockNumber())\n return self._lineIndent(text)\n elif re.match('^\\\\s*switch\\\\b', text):\n if CFG_INDENT_CASE:\n return self._increaseIndent(self._lineIndent(text))\n else:\n return self._lineIndent(text)\n return None\n", "role": "user" }, { "content": "trySwitchStatement", "role": "assistant" } ]
def x(self, block): if CFG_ACCESS_MODIFIERS < 0: return None if not re.match( '^\\s*((public|protected|private)\\s*(slots|Q_SLOTS)?|(signals|Q_SIGNALS)\\s*):\\s*$' , block.text()): return None try: block, notUsedColumn = self.findBracketBackward(block, 0, '{') except ValueError: return None indentation = self._blockIndent(block) for i in range(CFG_ACCESS_MODIFIERS): indentation = self._increaseIndent(indentation) dbg('tryAccessModifiers: success in line %d' % block.blockNumber()) return indentation
tryAccessModifiers
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, block):\n if CFG_ACCESS_MODIFIERS < 0:\n return None\n if not re.match(\n '^\\\\s*((public|protected|private)\\\\s*(slots|Q_SLOTS)?|(signals|Q_SIGNALS)\\\\s*):\\\\s*$'\n , block.text()):\n return None\n try:\n block, notUsedColumn = self.findBracketBackward(block, 0, '{')\n except ValueError:\n return None\n indentation = self._blockIndent(block)\n for i in range(CFG_ACCESS_MODIFIERS):\n indentation = self._increaseIndent(indentation)\n dbg('tryAccessModifiers: success in line %d' % block.blockNumber())\n return indentation\n", "role": "user" }, { "content": "tryAccessModifiers", "role": "assistant" } ]
def x(self, block): indentation = None prevNonEmptyBlock = self._prevNonEmptyBlock(block) if not prevNonEmptyBlock.isValid(): return None prevNonEmptyBlockText = prevNonEmptyBlock.text() if prevNonEmptyBlockText.endswith('*/'): try: foundBlock, notUsedColumn = self.findTextBackward(prevNonEmptyBlock , prevNonEmptyBlock.length(), '/*') except ValueError: foundBlock = None if foundBlock is not None: dbg('tryCComment: success (1) in line %d' % foundBlock. blockNumber()) return self._lineIndent(foundBlock.text()) if prevNonEmptyBlock != block.previous(): return None blockTextStripped = block.text().strip() prevBlockTextStripped = prevNonEmptyBlockText.strip() if prevBlockTextStripped.startswith('/*' ) and not '*/' in prevBlockTextStripped: indentation = self._blockIndent(prevNonEmptyBlock) if CFG_AUTO_INSERT_STAR: indentation += ' ' if not blockTextStripped.endswith('*'): indentation += '*' secondCharIsSpace = len(blockTextStripped ) > 1 and blockTextStripped[1].isspace() if not secondCharIsSpace and not blockTextStripped.endswith('*/'): indentation += ' ' dbg('tryCComment: success (2) in line %d' % block.blockNumber()) return indentation elif prevBlockTextStripped.startswith('*') and (len( prevBlockTextStripped) == 1 or prevBlockTextStripped[1].isspace()): indentation = self._lineIndent(prevNonEmptyBlockText) if CFG_AUTO_INSERT_STAR and not blockTextStripped.startswith('*'): indentation += '*' if len(blockTextStripped) < 2 or not blockTextStripped[1].isspace( ): indentation += ' ' dbg('tryCComment: success (2) in line %d' % block.blockNumber()) return indentation return None
tryCComment
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, block):\n indentation = None\n prevNonEmptyBlock = self._prevNonEmptyBlock(block)\n if not prevNonEmptyBlock.isValid():\n return None\n prevNonEmptyBlockText = prevNonEmptyBlock.text()\n if prevNonEmptyBlockText.endswith('*/'):\n try:\n foundBlock, notUsedColumn = self.findTextBackward(prevNonEmptyBlock\n , prevNonEmptyBlock.length(), '/*')\n except ValueError:\n foundBlock = None\n if foundBlock is not None:\n dbg('tryCComment: success (1) in line %d' % foundBlock.\n blockNumber())\n return self._lineIndent(foundBlock.text())\n if prevNonEmptyBlock != block.previous():\n return None\n blockTextStripped = block.text().strip()\n prevBlockTextStripped = prevNonEmptyBlockText.strip()\n if prevBlockTextStripped.startswith('/*'\n ) and not '*/' in prevBlockTextStripped:\n indentation = self._blockIndent(prevNonEmptyBlock)\n if CFG_AUTO_INSERT_STAR:\n indentation += ' '\n if not blockTextStripped.endswith('*'):\n indentation += '*'\n secondCharIsSpace = len(blockTextStripped\n ) > 1 and blockTextStripped[1].isspace()\n if not secondCharIsSpace and not blockTextStripped.endswith('*/'):\n indentation += ' '\n dbg('tryCComment: success (2) in line %d' % block.blockNumber())\n return indentation\n elif prevBlockTextStripped.startswith('*') and (len(\n prevBlockTextStripped) == 1 or prevBlockTextStripped[1].isspace()):\n indentation = self._lineIndent(prevNonEmptyBlockText)\n if CFG_AUTO_INSERT_STAR and not blockTextStripped.startswith('*'):\n indentation += '*'\n if len(blockTextStripped) < 2 or not blockTextStripped[1].isspace(\n ):\n indentation += ' '\n dbg('tryCComment: success (2) in line %d' % block.blockNumber())\n return indentation\n return None\n", "role": "user" }, { "content": "tryCComment", "role": "assistant" } ]
def x(self, block): if not block.previous().isValid() or not CFG_AUTO_INSERT_SLACHES: return None prevLineText = block.previous().text() indentation = None comment = prevLineText.lstrip().startswith('#') if comment: prevLineText = block.previous().text() lstrippedText = block.previous().text().lstrip() if len(lstrippedText) >= 4: char3 = lstrippedText[2] char4 = lstrippedText[3] indentation = self._lineIndent(prevLineText) if CFG_AUTO_INSERT_SLACHES: if prevLineText[2:4] == '//': match = re.match('^\\s*(\\/\\/)', prevLineText) elif char3 == '/' or char3 == '!': match = re.match('^\\s*(\\/\\/[\\/!][<]?\\s*)', prevLineText) else: match = re.match('^\\s*(\\/\\/\\s*)', prevLineText) if match is not None: self._qpart.insertText((block.blockNumber(), 0), match.group(1) ) if indentation is not None: dbg('tryCppComment: success in line %d' % block.previous(). blockNumber()) return indentation
tryCppComment
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, block):\n if not block.previous().isValid() or not CFG_AUTO_INSERT_SLACHES:\n return None\n prevLineText = block.previous().text()\n indentation = None\n comment = prevLineText.lstrip().startswith('#')\n if comment:\n prevLineText = block.previous().text()\n lstrippedText = block.previous().text().lstrip()\n if len(lstrippedText) >= 4:\n char3 = lstrippedText[2]\n char4 = lstrippedText[3]\n indentation = self._lineIndent(prevLineText)\n if CFG_AUTO_INSERT_SLACHES:\n if prevLineText[2:4] == '//':\n match = re.match('^\\\\s*(\\\\/\\\\/)', prevLineText)\n elif char3 == '/' or char3 == '!':\n match = re.match('^\\\\s*(\\\\/\\\\/[\\\\/!][<]?\\\\s*)', prevLineText)\n else:\n match = re.match('^\\\\s*(\\\\/\\\\/\\\\s*)', prevLineText)\n if match is not None:\n self._qpart.insertText((block.blockNumber(), 0), match.group(1)\n )\n if indentation is not None:\n dbg('tryCppComment: success in line %d' % block.previous().\n blockNumber())\n return indentation\n", "role": "user" }, { "content": "tryCppComment", "role": "assistant" } ]
def x(self, block, isBrace): currentBlock = self._prevNonEmptyBlock(block) if not currentBlock.isValid(): return None if currentBlock.text().rstrip().endswith(')'): try: foundBlock, foundColumn = self.findBracketBackward(currentBlock, len(currentBlock.text()), '(') except ValueError: pass else: currentBlock = foundBlock currentBlockText = currentBlock.text() if re.match( '^\\s*(if\\b|for|do\\b|while|switch|[}]?\\s*else|((private|public|protected|case|default|signals|Q_SIGNALS).*:))' , currentBlockText) is None: return None indentation = None try: index = currentBlockText.index('//') except ValueError: pass else: currentBlockText = currentBlockText[:index] if not currentBlockText.endswith(';') and not currentBlockText.endswith('}' ): indentation = self._lineIndent(currentBlockText) if not isBrace: indentation = self._increaseIndent(indentation) elif currentBlockText.endswith(';'): try: foundBlock, foundColumn = self.findBracketBackward(currentBlock, None, '(') except ValueError: pass else: dbg('tryCKeywords: success 1 in line %d' % block.blockNumber()) return self._makeIndentAsColumn(foundBlock, foundColumn, 1) if indentation is not None: dbg('tryCKeywords: success in line %d' % block.blockNumber()) return indentation
tryCKeywords
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, block, isBrace):\n currentBlock = self._prevNonEmptyBlock(block)\n if not currentBlock.isValid():\n return None\n if currentBlock.text().rstrip().endswith(')'):\n try:\n foundBlock, foundColumn = self.findBracketBackward(currentBlock,\n len(currentBlock.text()), '(')\n except ValueError:\n pass\n else:\n currentBlock = foundBlock\n currentBlockText = currentBlock.text()\n if re.match(\n '^\\\\s*(if\\\\b|for|do\\\\b|while|switch|[}]?\\\\s*else|((private|public|protected|case|default|signals|Q_SIGNALS).*:))'\n , currentBlockText) is None:\n return None\n indentation = None\n try:\n index = currentBlockText.index('//')\n except ValueError:\n pass\n else:\n currentBlockText = currentBlockText[:index]\n if not currentBlockText.endswith(';') and not currentBlockText.endswith('}'\n ):\n indentation = self._lineIndent(currentBlockText)\n if not isBrace:\n indentation = self._increaseIndent(indentation)\n elif currentBlockText.endswith(';'):\n try:\n foundBlock, foundColumn = self.findBracketBackward(currentBlock,\n None, '(')\n except ValueError:\n pass\n else:\n dbg('tryCKeywords: success 1 in line %d' % block.blockNumber())\n return self._makeIndentAsColumn(foundBlock, foundColumn, 1)\n if indentation is not None:\n dbg('tryCKeywords: success in line %d' % block.blockNumber())\n return indentation\n", "role": "user" }, { "content": "tryCKeywords", "role": "assistant" } ]
def x(self, block): currentBlock = self._prevNonEmptyBlock(block) if not currentBlock.isValid(): return None currentText = currentBlock.text() if currentText.rstrip().endswith(';') and re.search( '^\\s*(if\\b|[}]?\\s*else|do\\b|while\\b|for)', currentText) is None: currentIndentation = self._lineIndent(currentText) if not currentIndentation: return None for block in self.iterateBlocksBackFrom(currentBlock.previous()): if block.text().strip(): indentation = self._blockIndent(block) if len(indentation) < len(currentIndentation): if re.search( '^\\s*(if\\b|[}]?\\s*else|do\\b|while\\b|for)[^{]*$', block.text()) is not None: dbg('tryCondition: success in line %d' % block. blockNumber()) return indentation break return None
tryCondition
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, block):\n currentBlock = self._prevNonEmptyBlock(block)\n if not currentBlock.isValid():\n return None\n currentText = currentBlock.text()\n if currentText.rstrip().endswith(';') and re.search(\n '^\\\\s*(if\\\\b|[}]?\\\\s*else|do\\\\b|while\\\\b|for)', currentText) is None:\n currentIndentation = self._lineIndent(currentText)\n if not currentIndentation:\n return None\n for block in self.iterateBlocksBackFrom(currentBlock.previous()):\n if block.text().strip():\n indentation = self._blockIndent(block)\n if len(indentation) < len(currentIndentation):\n if re.search(\n '^\\\\s*(if\\\\b|[}]?\\\\s*else|do\\\\b|while\\\\b|for)[^{]*$',\n block.text()) is not None:\n dbg('tryCondition: success in line %d' % block.\n blockNumber())\n return indentation\n break\n return None\n", "role": "user" }, { "content": "tryCondition", "role": "assistant" } ]
def x(self, block): currentBlock = self._prevNonEmptyBlock(block) if not currentBlock.isValid(): return None indentation = None currentBlockText = currentBlock.text() if currentBlockText.endswith('('): dbg('tryStatement: success 1 in line %d' % block.blockNumber()) return self._increaseIndent(self._lineIndent(currentBlockText)) alignOnSingleQuote = self._qpart.language() in ('PHP/PHP', 'JavaScript') pattern = '^(.*)' pattern += '([,"\'\\)])' pattern += '(;?)' pattern += '\\s*[\\.+]?\\s*' pattern += '(//.*|/\\*.*\\*/\\s*)?$' match = re.match(pattern, currentBlockText) if match is not None: alignOnAnchor = len(match.group(3)) == 0 and match.group(2) != ')' if match.group(2) == '"' or alignOnSingleQuote and match.group(2 ) == "'": startIndex = len(match.group(1)) while True: for i in range(startIndex - 1, 0, -1): if currentBlockText[i] == match.group(2) and (i == 0 or currentBlockText[i - 1] != '\\'): if re.match('^#include', currentBlockText): dbg('tryStatement: success 2 in line %d' % block.blockNumber()) return indentation break if not alignOnAnchor and currentBlock.previous().isValid(): i -= 1 for i in range(i, 0, -1): if currentBlockText[i] in (' ', '\t', '.', '+'): continue else: break if i > 0: break else: currentBlock = currentBlock.previous() currentBlockText = currentBlock.text() startIndex = len(currentBlockText) else: break elif match.group(2) == ',' and not '(' in currentBlockText: currentIndentation = self._blockIndent(currentBlock) try: foundBlock, foundColumn = self.findBracketBackward(currentBlock , len(match.group(1)), '(') except ValueError: indentation = currentIndentation else: indentWidth = foundColumn + 1 text = foundBlock.text() while indentWidth < len(text) and text[indentWidth].isspace(): indentWidth += 1 indentation = self._makeIndentAsColumn(foundBlock, indentWidth) else: try: foundBlock, foundColumn = self.findBracketBackward(currentBlock , len(match.group(1)), '(') except ValueError: pass else: if alignOnAnchor: if not match.group(2) in ('"', "'"): foundColumn += 1 foundBlockText = foundBlock.text() while foundColumn < len(foundBlockText) and foundBlockText[ foundColumn].isspace(): foundColumn += 1 indentation = self._makeIndentAsColumn(foundBlock, foundColumn) else: currentBlock = foundBlock indentation = self._blockIndent(currentBlock) elif currentBlockText.rstrip().endswith(';'): indentation = self._blockIndent(currentBlock) if indentation is not None: dbg('tryStatement: success in line %d' % currentBlock.blockNumber()) return indentation
tryStatement
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, block):\n currentBlock = self._prevNonEmptyBlock(block)\n if not currentBlock.isValid():\n return None\n indentation = None\n currentBlockText = currentBlock.text()\n if currentBlockText.endswith('('):\n dbg('tryStatement: success 1 in line %d' % block.blockNumber())\n return self._increaseIndent(self._lineIndent(currentBlockText))\n alignOnSingleQuote = self._qpart.language() in ('PHP/PHP', 'JavaScript')\n pattern = '^(.*)'\n pattern += '([,\"\\'\\\\)])'\n pattern += '(;?)'\n pattern += '\\\\s*[\\\\.+]?\\\\s*'\n pattern += '(//.*|/\\\\*.*\\\\*/\\\\s*)?$'\n match = re.match(pattern, currentBlockText)\n if match is not None:\n alignOnAnchor = len(match.group(3)) == 0 and match.group(2) != ')'\n if match.group(2) == '\"' or alignOnSingleQuote and match.group(2\n ) == \"'\":\n startIndex = len(match.group(1))\n while True:\n for i in range(startIndex - 1, 0, -1):\n if currentBlockText[i] == match.group(2) and (i == 0 or\n currentBlockText[i - 1] != '\\\\'):\n if re.match('^#include', currentBlockText):\n dbg('tryStatement: success 2 in line %d' %\n block.blockNumber())\n return indentation\n break\n if not alignOnAnchor and currentBlock.previous().isValid():\n i -= 1\n for i in range(i, 0, -1):\n if currentBlockText[i] in (' ', '\\t', '.', '+'):\n continue\n else:\n break\n if i > 0:\n break\n else:\n currentBlock = currentBlock.previous()\n currentBlockText = currentBlock.text()\n startIndex = len(currentBlockText)\n else:\n break\n elif match.group(2) == ',' and not '(' in currentBlockText:\n currentIndentation = self._blockIndent(currentBlock)\n try:\n foundBlock, foundColumn = self.findBracketBackward(currentBlock\n , len(match.group(1)), '(')\n except ValueError:\n indentation = currentIndentation\n else:\n indentWidth = foundColumn + 1\n text = foundBlock.text()\n while indentWidth < len(text) and text[indentWidth].isspace():\n indentWidth += 1\n indentation = self._makeIndentAsColumn(foundBlock, indentWidth)\n else:\n try:\n foundBlock, foundColumn = self.findBracketBackward(currentBlock\n , len(match.group(1)), '(')\n except ValueError:\n pass\n else:\n if alignOnAnchor:\n if not match.group(2) in ('\"', \"'\"):\n foundColumn += 1\n foundBlockText = foundBlock.text()\n while foundColumn < len(foundBlockText) and foundBlockText[\n foundColumn].isspace():\n foundColumn += 1\n indentation = self._makeIndentAsColumn(foundBlock,\n foundColumn)\n else:\n currentBlock = foundBlock\n indentation = self._blockIndent(currentBlock)\n elif currentBlockText.rstrip().endswith(';'):\n indentation = self._blockIndent(currentBlock)\n if indentation is not None:\n dbg('tryStatement: success in line %d' % currentBlock.blockNumber())\n return indentation\n", "role": "user" }, { "content": "tryStatement", "role": "assistant" } ]
def x(self, block, autoIndent): oposite = {')': '(', '}': '{', ']': '['} char = self._firstNonSpaceChar(block) if not char in oposite.keys(): return None try: foundBlock, foundColumn = self.findBracketBackward(block, 0, oposite[char]) except ValueError: return None if autoIndent: return self._blockIndent(foundBlock) lastChar = self._lastNonSpaceChar(block.previous()) charsMatch = (lastChar == '(' and char == ')' or lastChar == '{' and char == '}' or lastChar == '[' and char == ']') indentation = None if not charsMatch and char != '}': expectedIndentation = self._increaseIndent(self._blockIndent( foundBlock)) actualIndentation = self._increaseIndent(self._blockIndent(block. previous())) indentation = None if len(expectedIndentation) <= len(actualIndentation): if lastChar == ',': self._qpart.insertText((block.blockNumber(), self. _firstNonSpaceColumn(block.text())), '\n') self._qpart.cursorPosition = block.blockNumber(), len( actualIndentation) self._setBlockIndent(block.next(), self._makeIndentAsColumn (foundBlock, foundColumn)) indentation = actualIndentation elif expectedIndentation == self._blockIndent(block.previous()): indentation = self._blockIndent(foundBlock) else: indentation = self._makeIndentAsColumn(foundBlock, foundColumn) dbg('tryMatchedAnchor: success in line %d' % foundBlock. blockNumber()) return indentation indentation = self._blockIndent(foundBlock) self._qpart.replaceText((block.blockNumber(), 0), len(self._blockIndent (block)), '\n') self._qpart.cursorPosition = block.blockNumber(), len(indentation) self._setBlockIndent(block.next(), indentation) dbg('tryMatchedAnchor: success in line %d' % foundBlock.blockNumber()) return self._increaseIndent(indentation)
tryMatchedAnchor
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, block, autoIndent):\n oposite = {')': '(', '}': '{', ']': '['}\n char = self._firstNonSpaceChar(block)\n if not char in oposite.keys():\n return None\n try:\n foundBlock, foundColumn = self.findBracketBackward(block, 0,\n oposite[char])\n except ValueError:\n return None\n if autoIndent:\n return self._blockIndent(foundBlock)\n lastChar = self._lastNonSpaceChar(block.previous())\n charsMatch = (lastChar == '(' and char == ')' or lastChar == '{' and \n char == '}' or lastChar == '[' and char == ']')\n indentation = None\n if not charsMatch and char != '}':\n expectedIndentation = self._increaseIndent(self._blockIndent(\n foundBlock))\n actualIndentation = self._increaseIndent(self._blockIndent(block.\n previous()))\n indentation = None\n if len(expectedIndentation) <= len(actualIndentation):\n if lastChar == ',':\n self._qpart.insertText((block.blockNumber(), self.\n _firstNonSpaceColumn(block.text())), '\\n')\n self._qpart.cursorPosition = block.blockNumber(), len(\n actualIndentation)\n self._setBlockIndent(block.next(), self._makeIndentAsColumn\n (foundBlock, foundColumn))\n indentation = actualIndentation\n elif expectedIndentation == self._blockIndent(block.previous()):\n indentation = self._blockIndent(foundBlock)\n else:\n indentation = self._makeIndentAsColumn(foundBlock, foundColumn)\n dbg('tryMatchedAnchor: success in line %d' % foundBlock.\n blockNumber())\n return indentation\n indentation = self._blockIndent(foundBlock)\n self._qpart.replaceText((block.blockNumber(), 0), len(self._blockIndent\n (block)), '\\n')\n self._qpart.cursorPosition = block.blockNumber(), len(indentation)\n self._setBlockIndent(block.next(), indentation)\n dbg('tryMatchedAnchor: success in line %d' % foundBlock.blockNumber())\n return self._increaseIndent(indentation)\n", "role": "user" }, { "content": "tryMatchedAnchor", "role": "assistant" } ]
def x(self, block, autoIndent): indent = None if indent is None: indent = self.tryMatchedAnchor(block, autoIndent) if indent is None: indent = self.tryCComment(block) if indent is None and not autoIndent: indent = self.tryCppComment(block) if indent is None: indent = self.trySwitchStatement(block) if indent is None: indent = self.tryAccessModifiers(block) if indent is None: indent = self.tryBrace(block) if indent is None: indent = self.tryCKeywords(block, block.text().lstrip().startswith('{') ) if indent is None: indent = self.tryCondition(block) if indent is None: indent = self.tryStatement(block) if indent is not None: return indent else: dbg('Nothing matched') return self._prevNonEmptyBlockIndent(block)
indentLine
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, block, autoIndent):\n indent = None\n if indent is None:\n indent = self.tryMatchedAnchor(block, autoIndent)\n if indent is None:\n indent = self.tryCComment(block)\n if indent is None and not autoIndent:\n indent = self.tryCppComment(block)\n if indent is None:\n indent = self.trySwitchStatement(block)\n if indent is None:\n indent = self.tryAccessModifiers(block)\n if indent is None:\n indent = self.tryBrace(block)\n if indent is None:\n indent = self.tryCKeywords(block, block.text().lstrip().startswith('{')\n )\n if indent is None:\n indent = self.tryCondition(block)\n if indent is None:\n indent = self.tryStatement(block)\n if indent is not None:\n return indent\n else:\n dbg('Nothing matched')\n return self._prevNonEmptyBlockIndent(block)\n", "role": "user" }, { "content": "indentLine", "role": "assistant" } ]
def x(self, block): while block.isValid(): column = self._lastColumn(block) if column > 0: return block, column block = block.previous() raise UserWarning()
findExpressionEnd
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, block):\n while block.isValid():\n column = self._lastColumn(block)\n if column > 0:\n return block, column\n block = block.previous()\n raise UserWarning()\n", "role": "user" }, { "content": "findExpressionEnd", "role": "assistant" } ]
def x(self, text): for index, char in enumerate(text[::-1]): if char.isspace() or char in ('(', ')'): return text[len(text) - index:] else: return text
lastWord
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, text):\n for index, char in enumerate(text[::-1]):\n if char.isspace() or char in ('(', ')'):\n return text[len(text) - index:]\n else:\n return text\n", "role": "user" }, { "content": "lastWord", "role": "assistant" } ]
def x(self, block): expEndBlock, expEndColumn = self._findExpressionEnd(block) text = expEndBlock.text()[:expEndColumn + 1] if text.endswith(')'): try: return self.findBracketBackward(expEndBlock, expEndColumn, '(') except ValueError: raise UserWarning() else: return expEndBlock, len(text) - len(self._lastWord(text))
findExpressionStart
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, block):\n expEndBlock, expEndColumn = self._findExpressionEnd(block)\n text = expEndBlock.text()[:expEndColumn + 1]\n if text.endswith(')'):\n try:\n return self.findBracketBackward(expEndBlock, expEndColumn, '(')\n except ValueError:\n raise UserWarning()\n else:\n return expEndBlock, len(text) - len(self._lastWord(text))\n", "role": "user" }, { "content": "findExpressionStart", "role": "assistant" } ]
def x(self, block, char): try: foundBlock, foundColumn = self._findExpressionStart(block.previous()) except UserWarning: return '' expression = foundBlock.text()[foundColumn:].rstrip() beforeExpression = foundBlock.text()[:foundColumn].strip() if beforeExpression.startswith('(module'): return '' elif beforeExpression.endswith('define'): return ' ' * (len(beforeExpression) - len('define') + 1) elif beforeExpression.endswith('let'): return ' ' * (len(beforeExpression) - len('let') + 1) else: return ' ' * foundColumn
computeSmartIndent
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, block, char):\n try:\n foundBlock, foundColumn = self._findExpressionStart(block.previous())\n except UserWarning:\n return ''\n expression = foundBlock.text()[foundColumn:].rstrip()\n beforeExpression = foundBlock.text()[:foundColumn].strip()\n if beforeExpression.startswith('(module'):\n return ''\n elif beforeExpression.endswith('define'):\n return ' ' * (len(beforeExpression) - len('define') + 1)\n elif beforeExpression.endswith('let'):\n return ' ' * (len(beforeExpression) - len('let') + 1)\n else:\n return ' ' * foundColumn\n", "role": "user" }, { "content": "computeSmartIndent", "role": "assistant" } ]
def x(indenterName, qpart, indenter): indenterName = indenterName.lower() if indenterName in ('haskell', 'lilypond'): logger.warning( 'Smart indentation for %s not supported yet. But you could be a hero who implemented it' % indenterName) from qutepart.indenter.base import IndentAlgNormal as indenterClass elif 'none' == indenterName: from qutepart.indenter.base import IndentAlgBase as indenterClass elif 'normal' == indenterName: from qutepart.indenter.base import IndentAlgNormal as indenterClass elif 'cstyle' == indenterName: from qutepart.indenter.cstyle import IndentAlgCStyle as indenterClass elif 'python' == indenterName: from qutepart.indenter.python import IndentAlgPython as indenterClass elif 'ruby' == indenterName: from qutepart.indenter.ruby import IndentAlgRuby as indenterClass elif 'xml' == indenterName: from qutepart.indenter.xmlindent import IndentAlgXml as indenterClass elif 'haskell' == indenterName: from qutepart.indenter.haskell import IndenterHaskell as indenterClass elif 'lilypond' == indenterName: from qutepart.indenter.lilypond import IndenterLilypond as indenterClass elif 'lisp' == indenterName: from qutepart.indenter.lisp import IndentAlgLisp as indenterClass elif 'scheme' == indenterName: from qutepart.indenter.scheme import IndentAlgScheme as indenterClass else: raise KeyError('Indenter %s not found' % indenterName) return indenterClass(qpart, indenter)
getSmartIndenter
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(indenterName, qpart, indenter):\n indenterName = indenterName.lower()\n if indenterName in ('haskell', 'lilypond'):\n logger.warning(\n 'Smart indentation for %s not supported yet. But you could be a hero who implemented it'\n % indenterName)\n from qutepart.indenter.base import IndentAlgNormal as indenterClass\n elif 'none' == indenterName:\n from qutepart.indenter.base import IndentAlgBase as indenterClass\n elif 'normal' == indenterName:\n from qutepart.indenter.base import IndentAlgNormal as indenterClass\n elif 'cstyle' == indenterName:\n from qutepart.indenter.cstyle import IndentAlgCStyle as indenterClass\n elif 'python' == indenterName:\n from qutepart.indenter.python import IndentAlgPython as indenterClass\n elif 'ruby' == indenterName:\n from qutepart.indenter.ruby import IndentAlgRuby as indenterClass\n elif 'xml' == indenterName:\n from qutepart.indenter.xmlindent import IndentAlgXml as indenterClass\n elif 'haskell' == indenterName:\n from qutepart.indenter.haskell import IndenterHaskell as indenterClass\n elif 'lilypond' == indenterName:\n from qutepart.indenter.lilypond import IndenterLilypond as indenterClass\n elif 'lisp' == indenterName:\n from qutepart.indenter.lisp import IndentAlgLisp as indenterClass\n elif 'scheme' == indenterName:\n from qutepart.indenter.scheme import IndentAlgScheme as indenterClass\n else:\n raise KeyError('Indenter %s not found' % indenterName)\n return indenterClass(qpart, indenter)\n", "role": "user" }, { "content": "getSmartIndenter", "role": "assistant" } ]
def x(self, block, char='\n'): currentText = block.text() spaceAtStartLen = len(currentText) - len(currentText.lstrip()) currentIndent = currentText[:spaceAtStartLen] indent = self._smartIndenter.computeIndent(block, char) if indent is not None and indent != currentIndent: self._qpart.replaceText(block.position(), spaceAtStartLen, indent)
autoIndentBlock
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, block, char='\\n'):\n currentText = block.text()\n spaceAtStartLen = len(currentText) - len(currentText.lstrip())\n currentIndent = currentText[:spaceAtStartLen]\n indent = self._smartIndenter.computeIndent(block, char)\n if indent is not None and indent != currentIndent:\n self._qpart.replaceText(block.position(), spaceAtStartLen, indent)\n", "role": "user" }, { "content": "autoIndentBlock", "role": "assistant" } ]
def x(self, increase, withSpace=False): def x(block): text = block.text() return text[:len(text) - len(text.lstrip())] def x(block): cursor = QTextCursor(block) cursor.setPosition(block.position() + len(blockIndentation(block))) return cursor def x(block): cursor = cursorAtSpaceEnd(block) cursor.insertText(' ' if withSpace else self.text()) def x(text): return len(text) - len(text.rstrip(' ')) def x(block): currentIndent = blockIndentation(block) if currentIndent.endswith('\t'): charsToRemove = 1 elif withSpace: charsToRemove = 1 if currentIndent else 0 elif self.useTabs: charsToRemove = min(spacesCount(currentIndent), self.width) elif currentIndent.endswith(self.text()): charsToRemove = self.width else: charsToRemove = min(spacesCount(currentIndent), self.width) if charsToRemove: cursor = cursorAtSpaceEnd(block) cursor.setPosition(cursor.position() - charsToRemove, QTextCursor.KeepAnchor) cursor.removeSelectedText() cursor = self._qpart.textCursor() startBlock = self._qpart.document().findBlock(cursor.selectionStart()) endBlock = self._qpart.document().findBlock(cursor.selectionEnd()) if cursor.selectionStart() != cursor.selectionEnd() and endBlock.position( ) == cursor.selectionEnd() and endBlock.previous().isValid(): endBlock = endBlock.previous() indentFunc = indentBlock if increase else unIndentBlock if startBlock != endBlock: stopBlock = endBlock.next() block = startBlock with self._qpart: while block != stopBlock: indentFunc(block) block = block.next() newCursor = QTextCursor(startBlock) newCursor.setPosition(endBlock.position() + len(endBlock.text()), QTextCursor.KeepAnchor) self._qpart.setTextCursor(newCursor) else: indentFunc(startBlock)
onChangeSelectedBlocksIndent
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, increase, withSpace=False):\n\n def x(block):\n text = block.text()\n return text[:len(text) - len(text.lstrip())]\n\n def x(block):\n cursor = QTextCursor(block)\n cursor.setPosition(block.position() + len(blockIndentation(block)))\n return cursor\n\n def x(block):\n cursor = cursorAtSpaceEnd(block)\n cursor.insertText(' ' if withSpace else self.text())\n\n def x(text):\n return len(text) - len(text.rstrip(' '))\n\n def x(block):\n currentIndent = blockIndentation(block)\n if currentIndent.endswith('\\t'):\n charsToRemove = 1\n elif withSpace:\n charsToRemove = 1 if currentIndent else 0\n elif self.useTabs:\n charsToRemove = min(spacesCount(currentIndent), self.width)\n elif currentIndent.endswith(self.text()):\n charsToRemove = self.width\n else:\n charsToRemove = min(spacesCount(currentIndent), self.width)\n if charsToRemove:\n cursor = cursorAtSpaceEnd(block)\n cursor.setPosition(cursor.position() - charsToRemove,\n QTextCursor.KeepAnchor)\n cursor.removeSelectedText()\n cursor = self._qpart.textCursor()\n startBlock = self._qpart.document().findBlock(cursor.selectionStart())\n endBlock = self._qpart.document().findBlock(cursor.selectionEnd())\n if cursor.selectionStart() != cursor.selectionEnd() and endBlock.position(\n ) == cursor.selectionEnd() and endBlock.previous().isValid():\n endBlock = endBlock.previous()\n indentFunc = indentBlock if increase else unIndentBlock\n if startBlock != endBlock:\n stopBlock = endBlock.next()\n block = startBlock\n with self._qpart:\n while block != stopBlock:\n indentFunc(block)\n block = block.next()\n newCursor = QTextCursor(startBlock)\n newCursor.setPosition(endBlock.position() + len(endBlock.text()),\n QTextCursor.KeepAnchor)\n self._qpart.setTextCursor(newCursor)\n else:\n indentFunc(startBlock)\n", "role": "user" }, { "content": "onChangeSelectedBlocksIndent", "role": "assistant" } ]
def x(self): cursor = self._qpart.textCursor() def x(): if self.useTabs: cursor.insertText('\t') else: charsToInsert = self.width - len(self._qpart.textBeforeCursor() ) % self.width cursor.insertText(' ' * charsToInsert) if cursor.positionInBlock() == 0: block = cursor.block() self.autoIndentBlock(block, '') if self._qpart.textBeforeCursor() == '': insertIndent() else: insertIndent()
onShortcutIndentAfterCursor
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n cursor = self._qpart.textCursor()\n\n def x():\n if self.useTabs:\n cursor.insertText('\\t')\n else:\n charsToInsert = self.width - len(self._qpart.textBeforeCursor()\n ) % self.width\n cursor.insertText(' ' * charsToInsert)\n if cursor.positionInBlock() == 0:\n block = cursor.block()\n self.autoIndentBlock(block, '')\n if self._qpart.textBeforeCursor() == '':\n insertIndent()\n else:\n insertIndent()\n", "role": "user" }, { "content": "onShortcutIndentAfterCursor", "role": "assistant" } ]
def x(self): assert self._qpart.textBeforeCursor().endswith(self.text()) charsToRemove = len(self._qpart.textBeforeCursor()) % len(self.text()) if charsToRemove == 0: charsToRemove = len(self.text()) cursor = self._qpart.textCursor() cursor.setPosition(cursor.position() - charsToRemove, QTextCursor. KeepAnchor) cursor.removeSelectedText()
onShortcutUnindentWithBackspace
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n assert self._qpart.textBeforeCursor().endswith(self.text())\n charsToRemove = len(self._qpart.textBeforeCursor()) % len(self.text())\n if charsToRemove == 0:\n charsToRemove = len(self.text())\n cursor = self._qpart.textCursor()\n cursor.setPosition(cursor.position() - charsToRemove, QTextCursor.\n KeepAnchor)\n cursor.removeSelectedText()\n", "role": "user" }, { "content": "onShortcutUnindentWithBackspace", "role": "assistant" } ]
def x(self): cursor = self._qpart.textCursor() startBlock = self._qpart.document().findBlock(cursor.selectionStart()) endBlock = self._qpart.document().findBlock(cursor.selectionEnd()) if startBlock != endBlock: stopBlock = endBlock.next() block = startBlock with self._qpart: while block != stopBlock: self.autoIndentBlock(block, '') block = block.next() else: self.autoIndentBlock(startBlock, '')
onAutoIndentTriggered
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n cursor = self._qpart.textCursor()\n startBlock = self._qpart.document().findBlock(cursor.selectionStart())\n endBlock = self._qpart.document().findBlock(cursor.selectionEnd())\n if startBlock != endBlock:\n stopBlock = endBlock.next()\n block = startBlock\n with self._qpart:\n while block != stopBlock:\n self.autoIndentBlock(block, '')\n block = block.next()\n else:\n self.autoIndentBlock(startBlock, '')\n", "role": "user" }, { "content": "onAutoIndentTriggered", "role": "assistant" } ]
def x(self, syntax): if syntax.indenter is not None: try: return _getSmartIndenter(syntax.indenter, self._qpart, self) except KeyError: logger.error( "Indenter '%s' is not finished yet. But you can do it!" % syntax.indenter) try: return _getSmartIndenter(syntax.name, self._qpart, self) except KeyError: pass return _getSmartIndenter('normal', self._qpart, self)
chooseSmartIndenter
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, syntax):\n if syntax.indenter is not None:\n try:\n return _getSmartIndenter(syntax.indenter, self._qpart, self)\n except KeyError:\n logger.error(\n \"Indenter '%s' is not finished yet. But you can do it!\" %\n syntax.indenter)\n try:\n return _getSmartIndenter(syntax.name, self._qpart, self)\n except KeyError:\n pass\n return _getSmartIndenter('normal', self._qpart, self)\n", "role": "user" }, { "content": "chooseSmartIndenter", "role": "assistant" } ]
def x(replaceText): def x(escapeMatchObject): char = escapeMatchObject.group(0)[1] if char in _escapeSequences: return _escapeSequences[char] return escapeMatchObject.group(0) return _seqReplacer.sub(_replaceFunc, replaceText)
processEscapeSequences
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(replaceText):\n\n def x(escapeMatchObject):\n char = escapeMatchObject.group(0)[1]\n if char in _escapeSequences:\n return _escapeSequences[char]\n return escapeMatchObject.group(0)\n return _seqReplacer.sub(_replaceFunc, replaceText)\n", "role": "user" }, { "content": "processEscapeSequences", "role": "assistant" } ]
def x(context, xmlElement, attributeToFormatMap): rules = [] for ruleElement in xmlElement.getchildren(): if not ruleElement.tag in _ruleClassDict: raise ValueError("Not supported rule '%s'" % ruleElement.tag) rule = _ruleClassDict[ruleElement.tag](context, ruleElement, attributeToFormatMap) rules.append(rule) return rules
loadChildRules
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(context, xmlElement, attributeToFormatMap):\n rules = []\n for ruleElement in xmlElement.getchildren():\n if not ruleElement.tag in _ruleClassDict:\n raise ValueError(\"Not supported rule '%s'\" % ruleElement.tag)\n rule = _ruleClassDict[ruleElement.tag](context, ruleElement,\n attributeToFormatMap)\n rules.append(rule)\n return rules\n", "role": "user" }, { "content": "loadChildRules", "role": "assistant" } ]
def x(context, xmlElement, attributeToFormatMap): attribute = _safeGetRequiredAttribute(xmlElement, 'attribute', '<not set>' ).lower() if attribute != '<not set>': try: format = attributeToFormatMap[attribute] except KeyError: _logger.warning('Unknown context attribute %s', attribute) format = TextFormat() else: format = None textType = format.textType if format is not None else ' ' if format is not None: format = _convertFormat(format) lineEndContextText = xmlElement.attrib.get('lineEndContext', '#stay') lineEndContext = _makeContextSwitcher(lineEndContextText, context.parser) lineBeginContextText = xmlElement.attrib.get('lineBeginContext', '#stay') lineBeginContext = _makeContextSwitcher(lineBeginContextText, context. parser) lineEmptyContextText = xmlElement.attrib.get('lineEmptyContext', '#stay') lineEmptyContext = _makeContextSwitcher(lineEmptyContextText, context. parser) if _parseBoolAttribute(xmlElement.attrib.get('fallthrough', 'false')): fallthroughContextText = _safeGetRequiredAttribute(xmlElement, 'fallthroughContext', '#stay') fallthroughContext = _makeContextSwitcher(fallthroughContextText, context.parser) else: fallthroughContext = None dynamic = _parseBoolAttribute(xmlElement.attrib.get('dynamic', 'false')) context.setValues(attribute, format, lineEndContext, lineBeginContext, lineEmptyContext, fallthroughContext, dynamic, textType) rules = _loadChildRules(context, xmlElement, attributeToFormatMap) context.setRules(rules)
loadContext
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(context, xmlElement, attributeToFormatMap):\n attribute = _safeGetRequiredAttribute(xmlElement, 'attribute', '<not set>'\n ).lower()\n if attribute != '<not set>':\n try:\n format = attributeToFormatMap[attribute]\n except KeyError:\n _logger.warning('Unknown context attribute %s', attribute)\n format = TextFormat()\n else:\n format = None\n textType = format.textType if format is not None else ' '\n if format is not None:\n format = _convertFormat(format)\n lineEndContextText = xmlElement.attrib.get('lineEndContext', '#stay')\n lineEndContext = _makeContextSwitcher(lineEndContextText, context.parser)\n lineBeginContextText = xmlElement.attrib.get('lineBeginContext', '#stay')\n lineBeginContext = _makeContextSwitcher(lineBeginContextText, context.\n parser)\n lineEmptyContextText = xmlElement.attrib.get('lineEmptyContext', '#stay')\n lineEmptyContext = _makeContextSwitcher(lineEmptyContextText, context.\n parser)\n if _parseBoolAttribute(xmlElement.attrib.get('fallthrough', 'false')):\n fallthroughContextText = _safeGetRequiredAttribute(xmlElement,\n 'fallthroughContext', '#stay')\n fallthroughContext = _makeContextSwitcher(fallthroughContextText,\n context.parser)\n else:\n fallthroughContext = None\n dynamic = _parseBoolAttribute(xmlElement.attrib.get('dynamic', 'false'))\n context.setValues(attribute, format, lineEndContext, lineBeginContext,\n lineEmptyContext, fallthroughContext, dynamic, textType)\n rules = _loadChildRules(context, xmlElement, attributeToFormatMap)\n context.setRules(rules)\n", "role": "user" }, { "content": "loadContext", "role": "assistant" } ]
def x(attribute, defStyleName): if 'here' in attribute.lower() and defStyleName == 'dsOthers': return 'h' elif 'block' in attribute.lower() and defStyleName == 'dsComment': return 'b' elif defStyleName in ('dsString', 'dsRegionMarker', 'dsChar', 'dsOthers'): return 's' elif defStyleName == 'dsComment': return 'c' else: return ' '
textTypeForDefStyleName
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(attribute, defStyleName):\n if 'here' in attribute.lower() and defStyleName == 'dsOthers':\n return 'h'\n elif 'block' in attribute.lower() and defStyleName == 'dsComment':\n return 'b'\n elif defStyleName in ('dsString', 'dsRegionMarker', 'dsChar', 'dsOthers'):\n return 's'\n elif defStyleName == 'dsComment':\n return 'c'\n else:\n return ' '\n", "role": "user" }, { "content": "textTypeForDefStyleName", "role": "assistant" } ]
def x(self, block, char): prevBlockText = block.previous().text() if char == '\n' and prevBlockText.strip() == '': return self._prevBlockIndent(block) else: return self.computeSmartIndent(block, char)
computeIndent
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, block, char):\n prevBlockText = block.previous().text()\n if char == '\\n' and prevBlockText.strip() == '':\n return self._prevBlockIndent(block)\n else:\n return self.computeSmartIndent(block, char)\n", "role": "user" }, { "content": "computeIndent", "role": "assistant" } ]
def x(self, indent): if indent.endswith(self._qpartIndent()): return indent[:-len(self._qpartIndent())] else: return indent
decreaseIndent
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, indent):\n if indent.endswith(self._qpartIndent()):\n return indent[:-len(self._qpartIndent())]\n else:\n return indent\n", "role": "user" }, { "content": "decreaseIndent", "role": "assistant" } ]
def x(self, width): if self._indenter.useTabs: tabCount, spaceCount = divmod(width, self._indenter.width) return '\t' * tabCount + ' ' * spaceCount else: return ' ' * width
makeIndentFromWidth
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, width):\n if self._indenter.useTabs:\n tabCount, spaceCount = divmod(width, self._indenter.width)\n return '\\t' * tabCount + ' ' * spaceCount\n else:\n return ' ' * width\n", "role": "user" }, { "content": "makeIndentFromWidth", "role": "assistant" } ]
def x(self, block, column, offset=0): blockText = block.text() textBeforeColumn = blockText[:column] tabCount = textBeforeColumn.count('\t') visibleColumn = column + tabCount * (self._indenter.width - 1) return self._makeIndentFromWidth(visibleColumn + offset)
makeIndentAsColumn
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, block, column, offset=0):\n blockText = block.text()\n textBeforeColumn = blockText[:column]\n tabCount = textBeforeColumn.count('\\t')\n visibleColumn = column + tabCount * (self._indenter.width - 1)\n return self._makeIndentFromWidth(visibleColumn + offset)\n", "role": "user" }, { "content": "makeIndentAsColumn", "role": "assistant" } ]
def x(self, block, indent): currentIndent = self._blockIndent(block) self._qpart.replaceText((block.blockNumber(), 0), len(currentIndent), indent)
setBlockIndent
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, block, indent):\n currentIndent = self._blockIndent(block)\n self._qpart.replaceText((block.blockNumber(), 0), len(currentIndent),\n indent)\n", "role": "user" }, { "content": "setBlockIndent", "role": "assistant" } ]
def x(block): count = 0 while block.isValid() and count < MAX_SEARCH_OFFSET_LINES: yield block block = block.next() count += 1
iterateBlocksFrom
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(block):\n count = 0\n while block.isValid() and count < MAX_SEARCH_OFFSET_LINES:\n yield block\n block = block.next()\n count += 1\n", "role": "user" }, { "content": "iterateBlocksFrom", "role": "assistant" } ]
def x(block): count = 0 while block.isValid() and count < MAX_SEARCH_OFFSET_LINES: yield block block = block.previous() count += 1
iterateBlocksBackFrom
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(block):\n count = 0\n while block.isValid() and count < MAX_SEARCH_OFFSET_LINES:\n yield block\n block = block.previous()\n count += 1\n", "role": "user" }, { "content": "iterateBlocksBackFrom", "role": "assistant" } ]
def x(self, block, column, bracket): if bracket in ('(', ')'): opening = '(' closing = ')' elif bracket in ('[', ']'): opening = '[' closing = ']' elif bracket in ('{', '}'): opening = '{' closing = '}' else: raise AssertionError('Invalid bracket "%s"' % bracket) depth = 1 for foundBlock, foundColumn, char in self.iterateCharsBackwardFrom(block, column): if not self._qpart.isComment(foundBlock.blockNumber(), foundColumn): if char == opening: depth = depth - 1 elif char == closing: depth = depth + 1 if depth == 0: return foundBlock, foundColumn else: raise ValueError('Not found')
findBracketBackward
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, block, column, bracket):\n if bracket in ('(', ')'):\n opening = '('\n closing = ')'\n elif bracket in ('[', ']'):\n opening = '['\n closing = ']'\n elif bracket in ('{', '}'):\n opening = '{'\n closing = '}'\n else:\n raise AssertionError('Invalid bracket \"%s\"' % bracket)\n depth = 1\n for foundBlock, foundColumn, char in self.iterateCharsBackwardFrom(block,\n column):\n if not self._qpart.isComment(foundBlock.blockNumber(), foundColumn):\n if char == opening:\n depth = depth - 1\n elif char == closing:\n depth = depth + 1\n if depth == 0:\n return foundBlock, foundColumn\n else:\n raise ValueError('Not found')\n", "role": "user" }, { "content": "findBracketBackward", "role": "assistant" } ]
def x(self, block, column): depth = {'()': 1, '[]': 1, '{}': 1} for foundBlock, foundColumn, char in self.iterateCharsBackwardFrom(block, column): if self._qpart.isCode(foundBlock.blockNumber(), foundColumn): for brackets in depth.keys(): opening, closing = brackets if char == opening: depth[brackets] -= 1 if depth[brackets] == 0: return foundBlock, foundColumn elif char == closing: depth[brackets] += 1 else: raise ValueError('Not found')
findAnyBracketBackward
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, block, column):\n depth = {'()': 1, '[]': 1, '{}': 1}\n for foundBlock, foundColumn, char in self.iterateCharsBackwardFrom(block,\n column):\n if self._qpart.isCode(foundBlock.blockNumber(), foundColumn):\n for brackets in depth.keys():\n opening, closing = brackets\n if char == opening:\n depth[brackets] -= 1\n if depth[brackets] == 0:\n return foundBlock, foundColumn\n elif char == closing:\n depth[brackets] += 1\n else:\n raise ValueError('Not found')\n", "role": "user" }, { "content": "findAnyBracketBackward", "role": "assistant" } ]
def x(self, block): text = block.text() index = len(block.text()) - 1 while index >= 0 and (text[index].isspace() or self._qpart.isComment( block.blockNumber(), index)): index -= 1 return index
lastColumn
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, block):\n text = block.text()\n index = len(block.text()) - 1\n while index >= 0 and (text[index].isspace() or self._qpart.isComment(\n block.blockNumber(), index)):\n index -= 1\n return index\n", "role": "user" }, { "content": "lastColumn", "role": "assistant" } ]
def x(block, column): textAfter = block.text()[column:] if textAfter.strip(): spaceLen = len(textAfter) - len(textAfter.lstrip()) return column + spaceLen else: return -1
nextNonSpaceColumn
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(block, column):\n textAfter = block.text()[column:]\n if textAfter.strip():\n spaceLen = len(textAfter) - len(textAfter.lstrip())\n return column + spaceLen\n else:\n return -1\n", "role": "user" }, { "content": "nextNonSpaceColumn", "role": "assistant" } ]
def x(param_start): values = [arg[len(param_start):] for arg in sys.argv if arg.startswith( param_start)] otherArgs = [arg for arg in sys.argv if not arg.startswith(param_start)] sys.argv = otherArgs return values
parse_arg_list
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(param_start):\n values = [arg[len(param_start):] for arg in sys.argv if arg.startswith(\n param_start)]\n otherArgs = [arg for arg in sys.argv if not arg.startswith(param_start)]\n sys.argv = otherArgs\n return values\n", "role": "user" }, { "content": "parse_arg_list", "role": "assistant" } ]
def x(): compiler = distutils.ccompiler.new_compiler() """check if function without parameters from stdlib can be called There should be better way to check, if C compiler is installed """ if not compiler.has_function('rand', includes=['stdlib.h']): print('It seems like C compiler is not installed or not operable.') return False if not compiler.has_function('rand', includes=['stdlib.h', 'Python.h'], include_dirs=[distutils.sysconfig.get_python_inc()], library_dirs=[ os.path.join(os.path.dirname(sys.executable), 'libs')]): print('Failed to find Python headers.') print('Try to install python-dev package') print('If not standard directories are used, pass parameters') print( '\tpython setup.py install --lib-dir=c://github/pcre-8.37/build/Release --include-dir=c://github/pcre-8.37/build' ) print( '\tpython setup.py install --lib-dir=/my/local/lib --include-dir=/my/local/include' ) print('--lib-dir= and --include-dir= may be used multiple times') return False if not compiler.has_function('pcre_version', includes=['pcre.h'], libraries=['pcre'], include_dirs=include_dirs, library_dirs= library_dirs): print('Failed to find pcre library.') print( 'Try to install libpcre{version}-dev package, or go to http://pcre.org' ) print('If not standard directories are used, pass parameters:') print( '\tpython setup.py install --lib-dir=c://github/pcre-8.37/build/Release --include-dir=c://github/pcre-8.37/build' ) print( '\tpython setup.py install --lib-dir=/my/local/lib --include-dir=/my/local/include' ) print('--lib-dir= and --include-dir= may be used multiple times') return False return True
checkBuildDependencies
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x():\n compiler = distutils.ccompiler.new_compiler()\n \"\"\"check if function without parameters from stdlib can be called\n There should be better way to check, if C compiler is installed\n \"\"\"\n if not compiler.has_function('rand', includes=['stdlib.h']):\n print('It seems like C compiler is not installed or not operable.')\n return False\n if not compiler.has_function('rand', includes=['stdlib.h', 'Python.h'],\n include_dirs=[distutils.sysconfig.get_python_inc()], library_dirs=[\n os.path.join(os.path.dirname(sys.executable), 'libs')]):\n print('Failed to find Python headers.')\n print('Try to install python-dev package')\n print('If not standard directories are used, pass parameters')\n print(\n '\\tpython setup.py install --lib-dir=c://github/pcre-8.37/build/Release --include-dir=c://github/pcre-8.37/build'\n )\n print(\n '\\tpython setup.py install --lib-dir=/my/local/lib --include-dir=/my/local/include'\n )\n print('--lib-dir= and --include-dir= may be used multiple times')\n return False\n if not compiler.has_function('pcre_version', includes=['pcre.h'],\n libraries=['pcre'], include_dirs=include_dirs, library_dirs=\n library_dirs):\n print('Failed to find pcre library.')\n print(\n 'Try to install libpcre{version}-dev package, or go to http://pcre.org'\n )\n print('If not standard directories are used, pass parameters:')\n print(\n '\\tpython setup.py install --lib-dir=c://github/pcre-8.37/build/Release --include-dir=c://github/pcre-8.37/build'\n )\n print(\n '\\tpython setup.py install --lib-dir=/my/local/lib --include-dir=/my/local/include'\n )\n print('--lib-dir= and --include-dir= may be used multiple times')\n return False\n return True\n", "role": "user" }, { "content": "checkBuildDependencies", "role": "assistant" } ]
def x(ev): text = ev.text() if len(text) != 1: return False if ev.modifiers() not in (Qt.ShiftModifier, Qt.KeypadModifier, Qt. NoModifier): return False asciiCode = ord(text) if asciiCode <= 31 or asciiCode == 127: return False if text == ' ' and ev.modifiers() == Qt.ShiftModifier: return False return True
isChar
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(ev):\n text = ev.text()\n if len(text) != 1:\n return False\n if ev.modifiers() not in (Qt.ShiftModifier, Qt.KeypadModifier, Qt.\n NoModifier):\n return False\n asciiCode = ord(text)\n if asciiCode <= 31 or asciiCode == 127:\n return False\n if text == ' ' and ev.modifiers() == Qt.ShiftModifier:\n return False\n return True\n", "role": "user" }, { "content": "isChar", "role": "assistant" } ]
def x(self, ev): if ev.key() in (Qt.Key_Shift, Qt.Key_Control, Qt.Key_Meta, Qt.Key_Alt, Qt.Key_AltGr, Qt.Key_CapsLock, Qt.Key_NumLock, Qt.Key_ScrollLock): return False self._processingKeyPress = True try: ret = self._mode.keyPressEvent(ev) finally: self._processingKeyPress = False return ret
keyPressEvent
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, ev):\n if ev.key() in (Qt.Key_Shift, Qt.Key_Control, Qt.Key_Meta, Qt.Key_Alt,\n Qt.Key_AltGr, Qt.Key_CapsLock, Qt.Key_NumLock, Qt.Key_ScrollLock):\n return False\n self._processingKeyPress = True\n try:\n ret = self._mode.keyPressEvent(ev)\n finally:\n self._processingKeyPress = False\n return ret\n", "role": "user" }, { "content": "keyPressEvent", "role": "assistant" } ]
def x(self): if not isinstance(self._mode, Normal): return [] selection = QTextEdit.ExtraSelection() selection.format.setBackground(QColor('#ffcc22')) selection.format.setForeground(QColor('#000000')) selection.cursor = self._qpart.textCursor() selection.cursor.movePosition(QTextCursor.NextCharacter, QTextCursor. KeepAnchor) return [selection]
extraSelections
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n if not isinstance(self._mode, Normal):\n return []\n selection = QTextEdit.ExtraSelection()\n selection.format.setBackground(QColor('#ffcc22'))\n selection.format.setForeground(QColor('#000000'))\n selection.cursor = self._qpart.textCursor()\n selection.cursor.movePosition(QTextCursor.NextCharacter, QTextCursor.\n KeepAnchor)\n return [selection]\n", "role": "user" }, { "content": "extraSelections", "role": "assistant" } ]
def x(self, motion, count, searchChar=None, select=False): cursor = self._qpart.textCursor() effectiveCount = count or 1 moveMode = QTextCursor.KeepAnchor if select else QTextCursor.MoveAnchor moveOperation = {_b: QTextCursor.WordLeft, _j: QTextCursor.Down, _Down: QTextCursor.Down, _k: QTextCursor.Up, _Up: QTextCursor.Up, _h: QTextCursor.Left, _Left: QTextCursor.Left, _BackSpace: QTextCursor. Left, _l: QTextCursor.Right, _Right: QTextCursor.Right, _Space: QTextCursor.Right, _w: QTextCursor.WordRight, _Dollar: QTextCursor. EndOfBlock, _End: QTextCursor.EndOfBlock, _0: QTextCursor. StartOfBlock, _Home: QTextCursor.StartOfBlock, 'gg': QTextCursor. Start, _G: QTextCursor.End} if motion == _G: if count == 0: cursor.movePosition(QTextCursor.End, moveMode) else: block = self._qpart.document().findBlockByNumber(count - 1) if not block.isValid(): return cursor.setPosition(block.position(), moveMode) self.moveToFirstNonSpace(cursor, moveMode) elif motion in moveOperation: for _ in range(effectiveCount): cursor.movePosition(moveOperation[motion], moveMode) elif motion in (_e, _E): for _ in range(effectiveCount): text = cursor.block().text() pos = cursor.positionInBlock() for char in text[pos:]: if char.isspace(): cursor.movePosition(QTextCursor.NextCharacter, moveMode) else: break if cursor.positionInBlock() == len(text): cursor.movePosition(QTextCursor.NextCharacter, moveMode) if motion == _e: cursor.movePosition(QTextCursor.EndOfWord, moveMode) else: text = cursor.block().text() pos = cursor.positionInBlock() for char in text[pos:]: if not char.isspace(): cursor.movePosition(QTextCursor.NextCharacter, moveMode ) else: break elif motion == _B: cursor.movePosition(QTextCursor.WordLeft, moveMode) while cursor.positionInBlock() != 0 and not cursor.block().text()[ cursor.positionInBlock() - 1].isspace(): cursor.movePosition(QTextCursor.WordLeft, moveMode) elif motion == _W: cursor.movePosition(QTextCursor.WordRight, moveMode) while cursor.positionInBlock() != 0 and not cursor.block().text()[ cursor.positionInBlock() - 1].isspace(): cursor.movePosition(QTextCursor.WordRight, moveMode) elif motion == _Percent: if self._qpart._bracketHighlighter.currentMatchedBrackets is not None: (startBlock, startCol), (endBlock, endCol ) = self._qpart._bracketHighlighter.currentMatchedBrackets startPos = startBlock.position() + startCol endPos = endBlock.position() + endCol if select and endPos > startPos: endPos += 1 cursor.setPosition(endPos, moveMode) elif motion == _Caret: self.moveToFirstNonSpace(cursor, moveMode) elif motion in (_f, _F, _t, _T): if motion in (_f, _t): iterator = self._iterateDocumentCharsForward(cursor.block(), cursor.columnNumber()) stepForward = QTextCursor.Right stepBack = QTextCursor.Left else: iterator = self._iterateDocumentCharsBackward(cursor.block(), cursor.columnNumber()) stepForward = QTextCursor.Left stepBack = QTextCursor.Right for block, columnIndex, char in iterator: if char == searchChar: cursor.setPosition(block.position() + columnIndex, moveMode) if motion in (_t, _T): cursor.movePosition(stepBack, moveMode) if select: cursor.movePosition(stepForward, moveMode) break elif motion in (_PageDown, _PageUp): cursorHeight = self._qpart.cursorRect().height() qpartHeight = self._qpart.height() visibleLineCount = qpartHeight / cursorHeight direction = QTextCursor.Down if motion == _PageDown else QTextCursor.Up for _ in range(int(visibleLineCount)): cursor.movePosition(direction, moveMode) elif motion in (_Enter, _Return): if cursor.block().next().isValid(): for _ in range(effectiveCount): cursor.movePosition(QTextCursor.NextBlock, moveMode) self.moveToFirstNonSpace(cursor, moveMode) else: assert 0, 'Not expected motion ' + str(motion) self._qpart.setTextCursor(cursor)
moveCursor
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, motion, count, searchChar=None, select=False):\n cursor = self._qpart.textCursor()\n effectiveCount = count or 1\n moveMode = QTextCursor.KeepAnchor if select else QTextCursor.MoveAnchor\n moveOperation = {_b: QTextCursor.WordLeft, _j: QTextCursor.Down, _Down:\n QTextCursor.Down, _k: QTextCursor.Up, _Up: QTextCursor.Up, _h:\n QTextCursor.Left, _Left: QTextCursor.Left, _BackSpace: QTextCursor.\n Left, _l: QTextCursor.Right, _Right: QTextCursor.Right, _Space:\n QTextCursor.Right, _w: QTextCursor.WordRight, _Dollar: QTextCursor.\n EndOfBlock, _End: QTextCursor.EndOfBlock, _0: QTextCursor.\n StartOfBlock, _Home: QTextCursor.StartOfBlock, 'gg': QTextCursor.\n Start, _G: QTextCursor.End}\n if motion == _G:\n if count == 0:\n cursor.movePosition(QTextCursor.End, moveMode)\n else:\n block = self._qpart.document().findBlockByNumber(count - 1)\n if not block.isValid():\n return\n cursor.setPosition(block.position(), moveMode)\n self.moveToFirstNonSpace(cursor, moveMode)\n elif motion in moveOperation:\n for _ in range(effectiveCount):\n cursor.movePosition(moveOperation[motion], moveMode)\n elif motion in (_e, _E):\n for _ in range(effectiveCount):\n text = cursor.block().text()\n pos = cursor.positionInBlock()\n for char in text[pos:]:\n if char.isspace():\n cursor.movePosition(QTextCursor.NextCharacter, moveMode)\n else:\n break\n if cursor.positionInBlock() == len(text):\n cursor.movePosition(QTextCursor.NextCharacter, moveMode)\n if motion == _e:\n cursor.movePosition(QTextCursor.EndOfWord, moveMode)\n else:\n text = cursor.block().text()\n pos = cursor.positionInBlock()\n for char in text[pos:]:\n if not char.isspace():\n cursor.movePosition(QTextCursor.NextCharacter, moveMode\n )\n else:\n break\n elif motion == _B:\n cursor.movePosition(QTextCursor.WordLeft, moveMode)\n while cursor.positionInBlock() != 0 and not cursor.block().text()[\n cursor.positionInBlock() - 1].isspace():\n cursor.movePosition(QTextCursor.WordLeft, moveMode)\n elif motion == _W:\n cursor.movePosition(QTextCursor.WordRight, moveMode)\n while cursor.positionInBlock() != 0 and not cursor.block().text()[\n cursor.positionInBlock() - 1].isspace():\n cursor.movePosition(QTextCursor.WordRight, moveMode)\n elif motion == _Percent:\n if self._qpart._bracketHighlighter.currentMatchedBrackets is not None:\n (startBlock, startCol), (endBlock, endCol\n ) = self._qpart._bracketHighlighter.currentMatchedBrackets\n startPos = startBlock.position() + startCol\n endPos = endBlock.position() + endCol\n if select and endPos > startPos:\n endPos += 1\n cursor.setPosition(endPos, moveMode)\n elif motion == _Caret:\n self.moveToFirstNonSpace(cursor, moveMode)\n elif motion in (_f, _F, _t, _T):\n if motion in (_f, _t):\n iterator = self._iterateDocumentCharsForward(cursor.block(),\n cursor.columnNumber())\n stepForward = QTextCursor.Right\n stepBack = QTextCursor.Left\n else:\n iterator = self._iterateDocumentCharsBackward(cursor.block(),\n cursor.columnNumber())\n stepForward = QTextCursor.Left\n stepBack = QTextCursor.Right\n for block, columnIndex, char in iterator:\n if char == searchChar:\n cursor.setPosition(block.position() + columnIndex, moveMode)\n if motion in (_t, _T):\n cursor.movePosition(stepBack, moveMode)\n if select:\n cursor.movePosition(stepForward, moveMode)\n break\n elif motion in (_PageDown, _PageUp):\n cursorHeight = self._qpart.cursorRect().height()\n qpartHeight = self._qpart.height()\n visibleLineCount = qpartHeight / cursorHeight\n direction = QTextCursor.Down if motion == _PageDown else QTextCursor.Up\n for _ in range(int(visibleLineCount)):\n cursor.movePosition(direction, moveMode)\n elif motion in (_Enter, _Return):\n if cursor.block().next().isValid():\n for _ in range(effectiveCount):\n cursor.movePosition(QTextCursor.NextBlock, moveMode)\n self.moveToFirstNonSpace(cursor, moveMode)\n else:\n assert 0, 'Not expected motion ' + str(motion)\n self._qpart.setTextCursor(cursor)\n", "role": "user" }, { "content": "moveCursor", "role": "assistant" } ]
def x(self, block, startColumnIndex): for columnIndex, char in list(enumerate(block.text()))[startColumnIndex:]: yield block, columnIndex, char block = block.next() while block.isValid(): for columnIndex, char in enumerate(block.text()): yield block, columnIndex, char block = block.next()
iterateDocumentCharsForward
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, block, startColumnIndex):\n for columnIndex, char in list(enumerate(block.text()))[startColumnIndex:]:\n yield block, columnIndex, char\n block = block.next()\n while block.isValid():\n for columnIndex, char in enumerate(block.text()):\n yield block, columnIndex, char\n block = block.next()\n", "role": "user" }, { "content": "iterateDocumentCharsForward", "role": "assistant" } ]
def x(self, block, startColumnIndex): for columnIndex, char in reversed(list(enumerate(block.text()[: startColumnIndex]))): yield block, columnIndex, char block = block.previous() while block.isValid(): for columnIndex, char in reversed(list(enumerate(block.text()))): yield block, columnIndex, char block = block.previous()
iterateDocumentCharsBackward
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, block, startColumnIndex):\n for columnIndex, char in reversed(list(enumerate(block.text()[:\n startColumnIndex]))):\n yield block, columnIndex, char\n block = block.previous()\n while block.isValid():\n for columnIndex, char in reversed(list(enumerate(block.text()))):\n yield block, columnIndex, char\n block = block.previous()\n", "role": "user" }, { "content": "iterateDocumentCharsBackward", "role": "assistant" } ]
def x(self, moveToTop=False): ancor, pos = self._qpart.selectedPosition dst = min(ancor, pos) if moveToTop else pos self._qpart.cursorPosition = dst
resetSelection
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, moveToTop=False):\n ancor, pos = self._qpart.selectedPosition\n dst = min(ancor, pos) if moveToTop else pos\n self._qpart.cursorPosition = dst\n", "role": "user" }, { "content": "resetSelection", "role": "assistant" } ]
def x(self): (startLine, startCol), (endLine, endCol) = self._qpart.selectedPosition start = min(startLine, endLine) end = max(startLine, endLine) return start, end
selectedLinesRange
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n (startLine, startCol), (endLine, endCol) = self._qpart.selectedPosition\n start = min(startLine, endLine)\n end = max(startLine, endLine)\n return start, end\n", "role": "user" }, { "content": "selectedLinesRange", "role": "assistant" } ]
def x(self, count, func): if count != 1: with self._qpart: for _ in range(count): func() else: func()
repeat
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, count, func):\n if count != 1:\n with self._qpart:\n for _ in range(count):\n func()\n else:\n func()\n", "role": "user" }, { "content": "repeat", "role": "assistant" } ]
def x(self, cmd, count): cursor = self._qpart.textCursor() for _ in range(count): cursor.movePosition(QTextCursor.Right, QTextCursor.KeepAnchor) if cursor.selectedText(): _globalClipboard.value = cursor.selectedText() cursor.removeSelectedText() self._saveLastEditSimpleCmd(cmd, count) self.switchMode(Insert)
cmdSubstitute
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, cmd, count):\n cursor = self._qpart.textCursor()\n for _ in range(count):\n cursor.movePosition(QTextCursor.Right, QTextCursor.KeepAnchor)\n if cursor.selectedText():\n _globalClipboard.value = cursor.selectedText()\n cursor.removeSelectedText()\n self._saveLastEditSimpleCmd(cmd, count)\n self.switchMode(Insert)\n", "role": "user" }, { "content": "cmdSubstitute", "role": "assistant" } ]
def x(self, cmd, count): lineIndex = self._qpart.cursorPosition[0] availableCount = len(self._qpart.lines) - lineIndex effectiveCount = min(availableCount, count) _globalClipboard.value = self._qpart.lines[lineIndex:lineIndex + effectiveCount] with self._qpart: del self._qpart.lines[lineIndex:lineIndex + effectiveCount] self._qpart.lines.insert(lineIndex, '') self._qpart.cursorPosition = lineIndex, 0 self._qpart._indenter.autoIndentBlock(self._qpart.textCursor().block()) self._saveLastEditSimpleCmd(cmd, count) self.switchMode(Insert)
cmdSubstituteLines
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, cmd, count):\n lineIndex = self._qpart.cursorPosition[0]\n availableCount = len(self._qpart.lines) - lineIndex\n effectiveCount = min(availableCount, count)\n _globalClipboard.value = self._qpart.lines[lineIndex:lineIndex +\n effectiveCount]\n with self._qpart:\n del self._qpart.lines[lineIndex:lineIndex + effectiveCount]\n self._qpart.lines.insert(lineIndex, '')\n self._qpart.cursorPosition = lineIndex, 0\n self._qpart._indenter.autoIndentBlock(self._qpart.textCursor().block())\n self._saveLastEditSimpleCmd(cmd, count)\n self.switchMode(Insert)\n", "role": "user" }, { "content": "cmdSubstituteLines", "role": "assistant" } ]
def x(self, cmd, count): cursor = self._qpart.textCursor() direction = QTextCursor.Left if cmd == _X else QTextCursor.Right for _ in range(count): cursor.movePosition(direction, QTextCursor.KeepAnchor) if cursor.selectedText(): _globalClipboard.value = cursor.selectedText() cursor.removeSelectedText() self._saveLastEditSimpleCmd(cmd, count)
cmdDelete
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, cmd, count):\n cursor = self._qpart.textCursor()\n direction = QTextCursor.Left if cmd == _X else QTextCursor.Right\n for _ in range(count):\n cursor.movePosition(direction, QTextCursor.KeepAnchor)\n if cursor.selectedText():\n _globalClipboard.value = cursor.selectedText()\n cursor.removeSelectedText()\n self._saveLastEditSimpleCmd(cmd, count)\n", "role": "user" }, { "content": "cmdDelete", "role": "assistant" } ]
def x(self, cmd, count): cursor = self._qpart.textCursor() for _ in range(count - 1): cursor.movePosition(QTextCursor.Down, QTextCursor.KeepAnchor) cursor.movePosition(QTextCursor.EndOfBlock, QTextCursor.KeepAnchor) _globalClipboard.value = cursor.selectedText() cursor.removeSelectedText() if cmd == _C: self.switchMode(Insert) self._saveLastEditSimpleCmd(cmd, count)
cmdDeleteUntilEndOfBlock
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, cmd, count):\n cursor = self._qpart.textCursor()\n for _ in range(count - 1):\n cursor.movePosition(QTextCursor.Down, QTextCursor.KeepAnchor)\n cursor.movePosition(QTextCursor.EndOfBlock, QTextCursor.KeepAnchor)\n _globalClipboard.value = cursor.selectedText()\n cursor.removeSelectedText()\n if cmd == _C:\n self.switchMode(Insert)\n self._saveLastEditSimpleCmd(cmd, count)\n", "role": "user" }, { "content": "cmdDeleteUntilEndOfBlock", "role": "assistant" } ]
def x(self, block, column): lineStripped = block.text()[:column].strip() spaceLen = len(block.text()) - len(block.text().lstrip()) """Move initial search position to bracket start, if bracket was closed l = [1, 2]| """ if lineStripped and lineStripped[-1] in ')]}': try: foundBlock, foundColumn = self.findBracketBackward(block, spaceLen + len(lineStripped) - 1, lineStripped[-1]) except ValueError: pass else: return self._computeSmartIndent(foundBlock, foundColumn) """Unindent if hanging indentation finished func(a, another_func(a, b),| """ if len(lineStripped) > 1 and lineStripped[-1] == ',' and lineStripped[-2 ] in ')]}': try: foundBlock, foundColumn = self.findBracketBackward(block, len( block.text()[:column].rstrip()) - 2, lineStripped[-2]) except ValueError: pass else: return self._computeSmartIndent(foundBlock, foundColumn) """Check hanging indentation call_func(x, y, z But call_func(x, y, z """ try: foundBlock, foundColumn = self.findAnyBracketBackward(block, column) except ValueError: pass else: if foundBlock.blockNumber() == block.blockNumber(): return self._makeIndentAsColumn(foundBlock, foundColumn + 1) if lineStripped in ('continue', 'break', 'pass', 'raise', 'return' ) or lineStripped.startswith('raise ') or lineStripped.startswith( 'return '): return self._decreaseIndent(self._blockIndent(block)) """ for: func(a, b): """ if lineStripped.endswith(':'): newColumn = spaceLen + len(lineStripped) - 1 prevIndent = self._computeSmartIndent(block, newColumn) return self._increaseIndent(prevIndent) """ Generally, when a brace is on its own at the end of a regular line (i.e a data structure is being started), indent is wanted. For example: dictionary = { 'foo': 'bar', } """ if lineStripped.endswith('{['): return self._increaseIndent(self._blockIndent(block)) return self._blockIndent(block)
computeSmartIndent
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, block, column):\n lineStripped = block.text()[:column].strip()\n spaceLen = len(block.text()) - len(block.text().lstrip())\n \"\"\"Move initial search position to bracket start, if bracket was closed\n l = [1,\n 2]|\n \"\"\"\n if lineStripped and lineStripped[-1] in ')]}':\n try:\n foundBlock, foundColumn = self.findBracketBackward(block, \n spaceLen + len(lineStripped) - 1, lineStripped[-1])\n except ValueError:\n pass\n else:\n return self._computeSmartIndent(foundBlock, foundColumn)\n \"\"\"Unindent if hanging indentation finished\n func(a,\n another_func(a,\n b),|\n \"\"\"\n if len(lineStripped) > 1 and lineStripped[-1] == ',' and lineStripped[-2\n ] in ')]}':\n try:\n foundBlock, foundColumn = self.findBracketBackward(block, len(\n block.text()[:column].rstrip()) - 2, lineStripped[-2])\n except ValueError:\n pass\n else:\n return self._computeSmartIndent(foundBlock, foundColumn)\n \"\"\"Check hanging indentation\n call_func(x,\n y,\n z\n But\n call_func(x,\n y,\n z\n \"\"\"\n try:\n foundBlock, foundColumn = self.findAnyBracketBackward(block, column)\n except ValueError:\n pass\n else:\n if foundBlock.blockNumber() == block.blockNumber():\n return self._makeIndentAsColumn(foundBlock, foundColumn + 1)\n if lineStripped in ('continue', 'break', 'pass', 'raise', 'return'\n ) or lineStripped.startswith('raise ') or lineStripped.startswith(\n 'return '):\n return self._decreaseIndent(self._blockIndent(block))\n \"\"\"\n for:\n\n func(a,\n b):\n \"\"\"\n if lineStripped.endswith(':'):\n newColumn = spaceLen + len(lineStripped) - 1\n prevIndent = self._computeSmartIndent(block, newColumn)\n return self._increaseIndent(prevIndent)\n \"\"\" Generally, when a brace is on its own at the end of a regular line\n (i.e a data structure is being started), indent is wanted.\n For example:\n dictionary = {\n 'foo': 'bar',\n }\n \"\"\"\n if lineStripped.endswith('{['):\n return self._increaseIndent(self._blockIndent(block))\n return self._blockIndent(block)\n", "role": "user" }, { "content": "computeSmartIndent", "role": "assistant" } ]
def x(self): self.text = '' self._completer.terminate() if self._highlighter is not None: self._highlighter.terminate() if self._vim is not None: self._vim.terminate()
terminate
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n self.text = ''\n self._completer.terminate()\n if self._highlighter is not None:\n self._highlighter.terminate()\n if self._vim is not None:\n self._vim.terminate()\n", "role": "user" }, { "content": "terminate", "role": "assistant" } ]