1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 25 26 27 28 29 30 31 32 33 34 35 36 37 38 39 40 41 42 43 44 45 46 47 48 49 50 51 52 53 54 55 56 57 58 59 60 61 62 63 64 65 66 67 68 69 70 71 72 73 74 75 76 77 78 79 80 81 82 83 84 85 86 87 88 89 90 91 92 93 94 95 96 97 98 99 100 101 102 103 104 105 106 107 108 109 110 111 112 113 114 115 116 117 118 119 120 121 122 123 124 125 126 127 128 129 130 131 132 133 134 135 136 137 138 139 140 141 142 143 144 145 146 147 148 149 150 151 152 153 154 155 156 157 158 159 160 161 162 163 164 165 166 167 168 169 170 171 172 173 174 175 176 177 178 179 180 181 182 183 184 185 186 187 188 189 190 191 192 193 194 195 196 197 198 199 200 201 202 203 204 205 206 207 208 209 210 211 212 213 214 215 216 217 218 219 220 221 222 223 224 225 226 227 228 229 230 231 232 233 234 235 236 237 238 239 240 241 242 243 244 245 246 247 248 249 250 251 252 253 254 255 256 257 258 259 260 261 262 263 264 265 266 267 268 269 270 271 272 273 274 275 276 277 278 279 280 281 282 283 284 285 286 287 288 289 290 291 292 293 294 295 296 297 298 299 300 301 302 303 304 305 306 307 308 309 310 311 312 313 314 315 316 317 318 319 320 321 322 323 324 325 326 327 328 329 330 331 332 333 334 335 336 337 338 339 340 341 342 343 344 345 346 347 348 349 350 351
|
# -*- coding: utf-8 -*-
"""
This module contains the checker mode, a base class for code checker modes.
"""
import logging
from pyqode.core.api import TextBlockUserData
from pyqode.core.api.decoration import TextDecoration
from pyqode.core.api.mode import Mode
from pyqode.core.backend import NotRunning
from pyqode.core.api.utils import DelayJobRunner
from pyqode.qt import QtCore, QtGui
class CheckerMessages(object):
"""
Enumerates the possible checker message types.
"""
#: Status value for an information message.
INFO = 0
#: Status value for a warning message.
WARNING = 1
#: Status value for an error message.
ERROR = 2
class CheckerMessage(object):
"""
Holds data for a message displayed by the
:class:`pyqode.core.modes.CheckerMode`.
"""
#: Default colors foreach message status
COLORS = {CheckerMessages.INFO: "#4040DD",
CheckerMessages.WARNING: "#DDDD40",
CheckerMessages.ERROR: "#DD4040"}
@classmethod
def status_to_string(cls, status):
"""
Converts a message status to a string.
:param status: Status to convert (p yqode.core.modes.CheckerMessages)
:return: The status string.
:rtype: str
"""
strings = {CheckerMessages.INFO: "Info",
CheckerMessages.WARNING: "Warning",
CheckerMessages.ERROR: "Error"}
return strings[status]
@property
def status_string(self):
"""
Returns the message status as a string.
:return: The status string.
"""
return self.status_to_string(self.status)
def __init__(self, description, status, line, col=None, icon=None,
color=None, path=None):
"""
:param description: The message description (used as a tooltip)
:param status: The status associated with the message.
:param line: The message line number
:param col: The message start column (at the moment the message ends at
the end of the line).
:param icon: Unused, we keep it for backward compatiblity.
:param color: Text decoration color
:param path: file path. Optional
"""
assert 0 <= status <= 2
#: The description of the message, used as a tooltip.
self.description = description
#: The status associated with the message. One of:
#: * :const:`pyqode.core.modes.CheckerMessages.INFO`
#: * :const:`pyqode.core.modes.CheckerMessages.WARNING`
#: * :const:`pyqode.core.modes.CheckerMessages.ERROR`
self.status = status
#: The line of the message
self.line = line
#: The start column (used for the text decoration). If the col is None,
#: the whole line is highlighted.
self.col = col
#: The color used for the text decoration. If None, the default color
#: is used (:const:`pyqode.core.CheckerMessage.COLORS`)
self.color = color
if self.color is None:
self.color = self.COLORS[status]
self.decoration = None
self.path = path
#: store a reference to the associated QTextBlock, for quick acces
self.block = None
def __str__(self):
return "{0} l{1}".format(self.description, self.line)
def __eq__(self, other):
return (self.block == other.block and
self.description == other.description)
def _logger(klass):
return logging.getLogger('%s [%s]' % (__name__, klass.__name__))
class CheckerMode(Mode, QtCore.QObject):
"""
Performs a user defined code analysis job using the backend and
display the results on the editor instance.
The user defined code analysis job is a simple **function** with the
following signature:
.. code-block:: python
def analysisProcess(data)
where data is the request data:
.. code-block:: python
request_data = {
'code': self.editor.toPlainText(),
'path': self.editor.file.path,
'encoding': self.editor.file.encoding
}
and the return value is a tuple made up of the following elements:
(description, status, line, [col], [icon], [color], [path])
The background process is ran when the text changed and the ide is an idle
state for a few seconds.
You can also request an analysis manually using
:meth:`pyqode.core.modes.CheckerMode.request_analysis`
Messages are displayed as text decorations on the editor. A checker panel
will take care of display message icons next to each line.
"""
@property
def messages(self):
"""
Returns the entire list of checker messages.
"""
return self._messages
def __init__(self, worker,
delay=500,
show_tooltip=True):
"""
:param worker: The process function or class to call remotely.
:param delay: The delay used before running the analysis process when
trigger is set to
:class:pyqode.core.modes.CheckerTriggers`
:param show_tooltip: Specify if a tooltip must be displayed when the
mouse is over a checker message decoration.
"""
Mode.__init__(self)
QtCore.QObject.__init__(self)
# max number of messages to keep good performances
self.limit = 200
self.ignore_rules = []
self._job_runner = DelayJobRunner(delay=delay)
self._messages = []
self._worker = worker
self._mutex = QtCore.QMutex()
self._show_tooltip = show_tooltip
self._pending_msg = []
self._finished = True
def set_ignore_rules(self, rules):
"""
Sets the ignore rules for the linter.
Rules are a list of string that the actual linter function will check
to reject some warnings/errors.
"""
self.ignore_rules = rules
def add_messages(self, messages):
"""
Adds a message or a list of message.
:param messages: A list of messages or a single message
"""
# remove old messages
if len(messages) > self.limit:
messages = messages[:self.limit]
_logger(self.__class__).log(5, 'adding %s messages' % len(messages))
self._finished = False
self._new_messages = messages
self._to_check = list(self._messages)
self._pending_msg = messages
# start removing messages, new message won't be added until we
# checked all message that need to be removed
QtCore.QTimer.singleShot(1, self._remove_batch)
def _remove_batch(self):
if self.editor is None:
return
for i in range(100):
if not len(self._to_check):
# all messages checker, start adding messages now
QtCore.QTimer.singleShot(1, self._add_batch)
self.editor.repaint()
return False
msg = self._to_check.pop(0)
if msg.block is None:
msg.block = self.editor.document().findBlockByNumber(msg.line)
if msg not in self._new_messages:
self.remove_message(msg)
self.editor.repaint()
QtCore.QTimer.singleShot(1, self._remove_batch)
def _add_batch(self):
if self.editor is None:
return
for i in range(10):
if not len(self._pending_msg):
# all pending message added
self._finished = True
_logger(self.__class__).log(5, 'finished')
self.editor.repaint()
return False
message = self._pending_msg.pop(0)
if message.line >= 0:
try:
usd = message.block.userData()
except AttributeError:
message.block = self.editor.document().findBlockByNumber(message.line)
usd = message.block.userData()
if usd is None:
usd = TextBlockUserData()
message.block.setUserData(usd)
# check if the same message already exists
if message in usd.messages:
continue
self._messages.append(message)
usd.messages.append(message)
tooltip = None
if self._show_tooltip:
tooltip = message.description
message.decoration = TextDecoration(
self.editor.textCursor(), start_line=message.line,
tooltip=tooltip, draw_order=3)
message.decoration.set_full_width()
message.decoration.set_as_error(color=QtGui.QColor(
message.color))
self.editor.decorations.append(message.decoration)
QtCore.QTimer.singleShot(1, self._add_batch)
self.editor.repaint()
return True
def remove_message(self, message):
"""
Removes a message.
:param message: Message to remove
"""
import time
_logger(self.__class__).log(5, 'removing message %s' % message)
t = time.time()
usd = message.block.userData()
if usd:
try:
usd.messages.remove(message)
except (AttributeError, ValueError):
pass
if message.decoration:
self.editor.decorations.remove(message.decoration)
self._messages.remove(message)
def clear_messages(self):
"""
Clears all messages.
"""
while len(self._messages):
msg = self._messages.pop(0)
usd = msg.block.userData()
if usd and hasattr(usd, 'messages'):
usd.messages[:] = []
if msg.decoration:
self.editor.decorations.remove(msg.decoration)
def on_state_changed(self, state):
if state:
self.editor.textChanged.connect(self.request_analysis)
self.editor.new_text_set.connect(self.clear_messages)
self.request_analysis()
else:
self.editor.textChanged.disconnect(self.request_analysis)
self.editor.new_text_set.disconnect(self.clear_messages)
self._job_runner.cancel_requests()
self.clear_messages()
def _on_work_finished(self, results):
"""
Display results.
:param status: Response status
:param results: Response data, messages.
"""
messages = []
for msg in results:
msg = CheckerMessage(*msg)
if msg.line >= self.editor.blockCount():
msg.line = self.editor.blockCount() - 1
block = self.editor.document().findBlockByNumber(msg.line)
msg.block = block
messages.append(msg)
self.add_messages(messages)
def request_analysis(self):
"""
Requests an analysis.
"""
if self._finished:
_logger(self.__class__).log(5, 'running analysis')
self._job_runner.request_job(self._request)
elif self.editor:
# retry later
_logger(self.__class__).log(
5, 'delaying analysis (previous analysis not finished)')
QtCore.QTimer.singleShot(500, self.request_analysis)
def _request(self):
""" Requests a checking of the editor content. """
try:
self.editor.toPlainText()
except (TypeError, RuntimeError):
return
try:
max_line_length = self.editor.modes.get(
'RightMarginMode').position
except KeyError:
max_line_length = 79
request_data = {
'code': self.editor.toPlainText(),
'path': self.editor.file.path,
'encoding': self.editor.file.encoding,
'ignore_rules': self.ignore_rules,
'max_line_length': max_line_length,
}
try:
self.editor.backend.send_request(
self._worker, request_data, on_receive=self._on_work_finished)
self._finished = False
except NotRunning:
# retry later
QtCore.QTimer.singleShot(100, self._request)
|