1 | from contextlib import contextmanager |
||
2 | from functools import partial, partialmethod |
||
3 | import inspect |
||
4 | from itertools import chain, compress |
||
5 | import re |
||
6 | import shutil |
||
7 | from subprocess import check_call, CalledProcessError, DEVNULL |
||
8 | from types import MappingProxyType |
||
9 | |||
10 | from coalib.bears.LocalBear import LocalBear |
||
11 | from coalib.misc.ContextManagers import make_temp |
||
12 | from coala_utils.decorators import assert_right_type, enforce_signature |
||
13 | from coalib.misc.Shell import run_shell_command |
||
14 | from coalib.results.Diff import Diff |
||
15 | from coalib.results.Result import Result |
||
16 | from coalib.results.RESULT_SEVERITY import RESULT_SEVERITY |
||
17 | from coalib.settings.FunctionMetadata import FunctionMetadata |
||
18 | |||
19 | |||
20 | def _prepare_options(options): |
||
21 | """ |
||
22 | Prepares options for ``linter`` for a given options dict in-place. |
||
23 | |||
24 | :param options: |
||
25 | The options dict that contains user/developer inputs. |
||
26 | """ |
||
27 | allowed_options = {"executable", |
||
28 | "output_format", |
||
29 | "use_stdin", |
||
30 | "use_stdout", |
||
31 | "use_stderr", |
||
32 | "config_suffix", |
||
33 | "executable_check_fail_info", |
||
34 | "prerequisite_check_command"} |
||
35 | |||
36 | if not options["use_stdout"] and not options["use_stderr"]: |
||
37 | raise ValueError("No output streams provided at all.") |
||
38 | |||
39 | if options["output_format"] == "corrected": |
||
40 | if ( |
||
41 | "diff_severity" in options and |
||
42 | options["diff_severity"] not in RESULT_SEVERITY.reverse): |
||
43 | raise TypeError("Invalid value for `diff_severity`: " + |
||
44 | repr(options["diff_severity"])) |
||
45 | |||
46 | if "result_message" in options: |
||
47 | assert_right_type(options["result_message"], str, "result_message") |
||
48 | |||
49 | if "diff_distance" in options: |
||
50 | assert_right_type(options["diff_distance"], int, "diff_distance") |
||
51 | |||
52 | allowed_options |= {"diff_severity", "result_message", "diff_distance"} |
||
53 | elif options["output_format"] == "regex": |
||
54 | if "output_regex" not in options: |
||
55 | raise ValueError("`output_regex` needed when specified " |
||
56 | "output-format 'regex'.") |
||
57 | |||
58 | options["output_regex"] = re.compile(options["output_regex"]) |
||
59 | |||
60 | # Don't setup severity_map if one is provided by user or if it's not |
||
61 | # used inside the output_regex. If one is manually provided but not |
||
62 | # used in the output_regex, throw an exception. |
||
63 | if "severity_map" in options: |
||
64 | if "severity" not in options["output_regex"].groupindex: |
||
65 | raise ValueError("Provided `severity_map` but named group " |
||
66 | "`severity` is not used in `output_regex`.") |
||
67 | assert_right_type(options["severity_map"], dict, "severity_map") |
||
68 | |||
69 | for key, value in options["severity_map"].items(): |
||
70 | assert_right_type(key, str, "severity_map key") |
||
71 | |||
72 | try: |
||
73 | assert_right_type(value, int, "<severity_map dict-value>") |
||
74 | except TypeError: |
||
75 | raise TypeError( |
||
76 | "The value {!r} for key {!r} inside given " |
||
77 | "severity-map is no valid severity value.".format( |
||
78 | value, key)) |
||
79 | |||
80 | if value not in RESULT_SEVERITY.reverse: |
||
81 | raise TypeError( |
||
82 | "Invalid severity value {!r} for key {!r} inside " |
||
83 | "given severity-map.".format(value, key)) |
||
84 | |||
85 | # Auto-convert keys to lower-case. This creates automatically a new |
||
86 | # dict which prevents runtime-modifications. |
||
87 | options["severity_map"] = { |
||
88 | key.lower(): value |
||
89 | for key, value in options["severity_map"].items()} |
||
90 | |||
91 | if "result_message" in options: |
||
92 | assert_right_type(options["result_message"], str, "result_message") |
||
93 | |||
94 | allowed_options |= {"output_regex", "severity_map", "result_message"} |
||
95 | elif options["output_format"] is not None: |
||
96 | raise ValueError("Invalid `output_format` specified.") |
||
97 | |||
98 | if options["prerequisite_check_command"]: |
||
99 | if "prerequisite_check_fail_message" in options: |
||
100 | assert_right_type(options["prerequisite_check_fail_message"], |
||
101 | str, |
||
102 | "prerequisite_check_fail_message") |
||
103 | else: |
||
104 | options["prerequisite_check_fail_message"] = ( |
||
105 | "Prerequisite check failed.") |
||
106 | |||
107 | allowed_options.add("prerequisite_check_fail_message") |
||
108 | |||
109 | # Check for illegal superfluous options. |
||
110 | superfluous_options = options.keys() - allowed_options |
||
111 | if superfluous_options: |
||
112 | raise ValueError( |
||
113 | "Invalid keyword arguments provided: " + |
||
114 | ", ".join(repr(s) for s in sorted(superfluous_options))) |
||
115 | |||
116 | |||
117 | def _create_linter(klass, options): |
||
118 | class LinterMeta(type): |
||
119 | |||
120 | def __repr__(cls): |
||
121 | return "<{} linter class (wrapping {!r})>".format( |
||
122 | cls.__name__, options["executable"]) |
||
123 | |||
124 | class LinterBase(LocalBear, metaclass=LinterMeta): |
||
0 ignored issues
–
show
Unused Code
introduced
by
![]() |
|||
125 | |||
126 | @staticmethod |
||
127 | def generate_config(filename, file): |
||
128 | """ |
||
129 | Generates the content of a config-file the linter-tool might need. |
||
130 | |||
131 | The contents generated from this function are written to a |
||
132 | temporary file and the path is provided inside |
||
133 | ``create_arguments()``. |
||
134 | |||
135 | By default no configuration is generated. |
||
136 | |||
137 | You can provide additional keyword arguments and defaults. These |
||
138 | will be interpreted as required settings that need to be provided |
||
139 | through a coafile-section. |
||
140 | |||
141 | :param filename: |
||
142 | The name of the file currently processed. |
||
143 | :param file: |
||
144 | The contents of the file currently processed. |
||
145 | :return: |
||
146 | The config-file-contents as a string or ``None``. |
||
147 | """ |
||
148 | return None |
||
149 | |||
150 | @staticmethod |
||
151 | def create_arguments(filename, file, config_file): |
||
152 | """ |
||
153 | Creates the arguments for the linter. |
||
154 | |||
155 | You can provide additional keyword arguments and defaults. These |
||
156 | will be interpreted as required settings that need to be provided |
||
157 | through a coafile-section. |
||
158 | |||
159 | :param filename: |
||
160 | The name of the file the linter-tool shall process. |
||
161 | :param file: |
||
162 | The contents of the file. |
||
163 | :param config_file: |
||
164 | The path of the config-file if used. ``None`` if unused. |
||
165 | :return: |
||
166 | A sequence of arguments to feed the linter-tool with. |
||
167 | """ |
||
168 | raise NotImplementedError |
||
169 | |||
170 | @staticmethod |
||
171 | def get_executable(): |
||
172 | """ |
||
173 | Returns the executable of this class. |
||
174 | |||
175 | :return: |
||
176 | The executable name. |
||
177 | """ |
||
178 | return options["executable"] |
||
179 | |||
180 | @classmethod |
||
181 | def check_prerequisites(cls): |
||
182 | """ |
||
183 | Checks whether the linter-tool the bear uses is operational. |
||
184 | |||
185 | :return: |
||
186 | True if operational, otherwise a string containing more info. |
||
187 | """ |
||
188 | if shutil.which(cls.get_executable()) is None: |
||
189 | return (repr(cls.get_executable()) + " is not installed." + |
||
190 | (" " + options["executable_check_fail_info"] |
||
191 | if options["executable_check_fail_info"] else |
||
192 | "")) |
||
193 | else: |
||
194 | if options["prerequisite_check_command"]: |
||
195 | try: |
||
196 | check_call(options["prerequisite_check_command"], |
||
197 | stdout=DEVNULL, |
||
198 | stderr=DEVNULL) |
||
199 | return True |
||
200 | except (OSError, CalledProcessError): |
||
201 | return options["prerequisite_check_fail_message"] |
||
202 | return True |
||
203 | |||
204 | @classmethod |
||
205 | def _get_create_arguments_metadata(cls): |
||
206 | return FunctionMetadata.from_function( |
||
207 | cls.create_arguments, |
||
208 | omit={"self", "filename", "file", "config_file"}) |
||
209 | |||
210 | @classmethod |
||
211 | def _get_generate_config_metadata(cls): |
||
212 | return FunctionMetadata.from_function( |
||
213 | cls.generate_config, |
||
214 | omit={"filename", "file"}) |
||
215 | |||
216 | @classmethod |
||
217 | def _get_process_output_metadata(cls): |
||
218 | metadata = FunctionMetadata.from_function(cls.process_output) |
||
219 | |||
220 | if options["output_format"] is None: |
||
221 | omitted = {"self", "output", "filename", "file"} |
||
222 | else: |
||
223 | # If a specific output format is provided, function signatures |
||
224 | # from process_output functions should not appear in the help. |
||
225 | omitted = set(chain(metadata.non_optional_params, |
||
226 | metadata.optional_params)) |
||
227 | |||
228 | metadata.omit = omitted |
||
229 | return metadata |
||
230 | |||
231 | @classmethod |
||
232 | def get_metadata(cls): |
||
233 | merged_metadata = FunctionMetadata.merge( |
||
234 | cls._get_process_output_metadata(), |
||
235 | cls._get_generate_config_metadata(), |
||
236 | cls._get_create_arguments_metadata()) |
||
237 | merged_metadata.desc = inspect.getdoc(cls) |
||
238 | return merged_metadata |
||
239 | |||
240 | def _convert_output_regex_match_to_result(self, |
||
241 | match, |
||
242 | filename, |
||
243 | severity_map, |
||
244 | result_message): |
||
245 | """ |
||
246 | Converts the matched named-groups of ``output_regex`` to an actual |
||
247 | ``Result``. |
||
248 | |||
249 | :param match: |
||
250 | The regex match object. |
||
251 | :param filename: |
||
252 | The name of the file this match belongs to. |
||
253 | :param severity_map: |
||
254 | The dict to use to map the severity-match to an actual |
||
255 | ``RESULT_SEVERITY``. |
||
256 | :param result_message: |
||
257 | The static message to use for results instead of grabbing it |
||
258 | from the executable output via the ``message`` named regex |
||
259 | group. |
||
260 | """ |
||
261 | # Pre process the groups |
||
262 | groups = match.groupdict() |
||
263 | |||
264 | if 'severity' in groups: |
||
265 | try: |
||
266 | groups["severity"] = severity_map[ |
||
267 | groups["severity"].lower()] |
||
268 | except KeyError: |
||
269 | self.warn( |
||
270 | repr(groups["severity"]) + " not found in " |
||
271 | "severity-map. Assuming `RESULT_SEVERITY.NORMAL`.") |
||
272 | groups["severity"] = RESULT_SEVERITY.NORMAL |
||
273 | else: |
||
274 | groups['severity'] = RESULT_SEVERITY.NORMAL |
||
275 | |||
276 | for variable in ("line", "column", "end_line", "end_column"): |
||
277 | groups[variable] = (None |
||
278 | if groups.get(variable, None) is None else |
||
279 | int(groups[variable])) |
||
280 | |||
281 | if "origin" in groups: |
||
282 | groups["origin"] = "{} ({})".format(klass.__name__, |
||
283 | groups["origin"].strip()) |
||
284 | |||
285 | # Construct the result. |
||
286 | return Result.from_values( |
||
287 | origin=groups.get("origin", self), |
||
288 | message=(groups.get("message", "").strip() |
||
289 | if result_message is None else result_message), |
||
290 | file=filename, |
||
291 | severity=groups["severity"], |
||
292 | line=groups["line"], |
||
293 | column=groups["column"], |
||
294 | end_line=groups["end_line"], |
||
295 | end_column=groups["end_column"], |
||
296 | additional_info=groups.get("additional_info", "").strip()) |
||
297 | |||
298 | def process_output_corrected(self, |
||
299 | output, |
||
300 | filename, |
||
301 | file, |
||
302 | diff_severity=RESULT_SEVERITY.NORMAL, |
||
303 | result_message="Inconsistency found.", |
||
304 | diff_distance=1): |
||
305 | """ |
||
306 | Processes the executable's output as a corrected file. |
||
307 | |||
308 | :param output: |
||
309 | The output of the program as a string. |
||
310 | :param filename: |
||
311 | The filename of the file currently being corrected. |
||
312 | :param file: |
||
313 | The contents of the file currently being corrected. |
||
314 | :param diff_severity: |
||
315 | The severity to use for generating results. |
||
316 | :param result_message: |
||
317 | The message to use for generating results. |
||
318 | :param diff_distance: |
||
319 | Number of unchanged lines that are allowed in between two |
||
320 | changed lines so they get yielded as one diff. If a negative |
||
321 | distance is given, every change will be yielded as an own diff, |
||
322 | even if they are right beneath each other. |
||
323 | :return: |
||
324 | An iterator returning results containing patches for the |
||
325 | file to correct. |
||
326 | """ |
||
327 | for diff in Diff.from_string_arrays( |
||
328 | file, |
||
329 | output.splitlines(keepends=True)).split_diff( |
||
330 | distance=diff_distance): |
||
331 | yield Result(self, |
||
332 | result_message, |
||
333 | affected_code=diff.affected_code(filename), |
||
334 | diffs={filename: diff}, |
||
335 | severity=diff_severity) |
||
336 | |||
337 | def process_output_regex( |
||
338 | self, output, filename, file, output_regex, |
||
339 | severity_map=MappingProxyType({ |
||
340 | "critical": RESULT_SEVERITY.MAJOR, |
||
341 | "c": RESULT_SEVERITY.MAJOR, |
||
342 | "fatal": RESULT_SEVERITY.MAJOR, |
||
343 | "fail": RESULT_SEVERITY.MAJOR, |
||
344 | "f": RESULT_SEVERITY.MAJOR, |
||
345 | "error": RESULT_SEVERITY.MAJOR, |
||
346 | "err": RESULT_SEVERITY.MAJOR, |
||
347 | "e": RESULT_SEVERITY.MAJOR, |
||
348 | "warning": RESULT_SEVERITY.NORMAL, |
||
349 | "warn": RESULT_SEVERITY.NORMAL, |
||
350 | "w": RESULT_SEVERITY.NORMAL, |
||
351 | "information": RESULT_SEVERITY.INFO, |
||
352 | "info": RESULT_SEVERITY.INFO, |
||
353 | "i": RESULT_SEVERITY.INFO, |
||
354 | "note": RESULT_SEVERITY.INFO, |
||
355 | "suggestion": RESULT_SEVERITY.INFO}), |
||
356 | result_message=None): |
||
357 | """ |
||
358 | Processes the executable's output using a regex. |
||
359 | |||
360 | :param output: |
||
361 | The output of the program as a string. |
||
362 | :param filename: |
||
363 | The filename of the file currently being corrected. |
||
364 | :param file: |
||
365 | The contents of the file currently being corrected. |
||
366 | :param output_regex: |
||
367 | The regex to parse the output with. It should use as many |
||
368 | of the following named groups (via ``(?P<name>...)``) to |
||
369 | provide a good result: |
||
370 | |||
371 | - line - The line where the issue starts. |
||
372 | - column - The column where the issue starts. |
||
373 | - end_line - The line where the issue ends. |
||
374 | - end_column - The column where the issue ends. |
||
375 | - severity - The severity of the issue. |
||
376 | - message - The message of the result. |
||
377 | - origin - The origin of the issue. |
||
378 | - additional_info - Additional info provided by the issue. |
||
379 | |||
380 | The groups ``line``, ``column``, ``end_line`` and |
||
381 | ``end_column`` don't have to match numbers only, they can |
||
382 | also match nothing, the generated ``Result`` is filled |
||
383 | automatically with ``None`` then for the appropriate |
||
384 | properties. |
||
385 | :param severity_map: |
||
386 | A dict used to map a severity string (captured from the |
||
387 | ``output_regex`` with the named group ``severity``) to an |
||
388 | actual ``coalib.results.RESULT_SEVERITY`` for a result. |
||
389 | :param result_message: |
||
390 | The static message to use for results instead of grabbing it |
||
391 | from the executable output via the ``message`` named regex |
||
392 | group. |
||
393 | :return: |
||
394 | An iterator returning results. |
||
395 | """ |
||
396 | for match in re.finditer(output_regex, output): |
||
397 | yield self._convert_output_regex_match_to_result( |
||
398 | match, filename, severity_map=severity_map, |
||
399 | result_message=result_message) |
||
400 | |||
401 | if options["output_format"] is None: |
||
402 | # Check if user supplied a `process_output` override. |
||
403 | if not callable(getattr(klass, "process_output", None)): |
||
404 | raise ValueError("`process_output` not provided by given " |
||
405 | "class {!r}.".format(klass.__name__)) |
||
406 | # No need to assign to `process_output` here, the class mixing |
||
407 | # below automatically does that. |
||
408 | else: |
||
409 | # Prevent people from accidentally defining `process_output` |
||
410 | # manually, as this would implicitly override the internally |
||
411 | # set-up `process_output`. |
||
412 | if hasattr(klass, "process_output"): |
||
413 | raise ValueError("Found `process_output` already defined " |
||
414 | "by class {!r}, but {!r} output-format is " |
||
415 | "specified.".format(klass.__name__, |
||
416 | options["output_format"])) |
||
417 | |||
418 | if options["output_format"] == "corrected": |
||
419 | _process_output_args = { |
||
420 | key: options[key] |
||
421 | for key in ("result_message", "diff_severity", |
||
422 | "diff_distance") |
||
423 | if key in options} |
||
424 | |||
425 | _processing_function = partialmethod( |
||
426 | process_output_corrected, **_process_output_args) |
||
427 | |||
428 | else: |
||
429 | assert options["output_format"] == "regex" |
||
430 | |||
431 | _process_output_args = { |
||
432 | key: options[key] |
||
433 | for key in ("output_regex", "severity_map", |
||
434 | "result_message") |
||
435 | if key in options} |
||
436 | |||
437 | _processing_function = partialmethod( |
||
438 | process_output_regex, **_process_output_args) |
||
439 | |||
440 | def process_output(self, output, filename, file): |
||
441 | """ |
||
442 | Processes the output of the executable and yields results |
||
443 | accordingly. |
||
444 | |||
445 | :param output: |
||
446 | The output of the executable. This can be either a string |
||
447 | or a tuple depending on the usage of ``use_stdout`` and |
||
448 | ``use_stderr`` parameters of ``@linter``. If only one of |
||
449 | these arguments is ``True``, a string is placed (containing |
||
450 | the selected output stream). If both are ``True``, a tuple |
||
451 | is placed with ``(stdout, stderr)``. |
||
452 | :param filename: |
||
453 | The name of the file currently processed. |
||
454 | :param file: |
||
455 | The contents of the file (line-splitted). |
||
456 | """ |
||
457 | if isinstance(output, str): |
||
458 | output = (output,) |
||
459 | |||
460 | for string in output: |
||
461 | yield from self._processing_function( |
||
462 | string, filename, file) |
||
463 | |||
464 | @classmethod |
||
465 | @contextmanager |
||
466 | def _create_config(cls, filename, file, **kwargs): |
||
467 | """ |
||
468 | Provides a context-manager that creates the config file if the |
||
469 | user provides one and cleans it up when done with linting. |
||
470 | |||
471 | :param filename: |
||
472 | The filename of the file. |
||
473 | :param file: |
||
474 | The file contents. |
||
475 | :param kwargs: |
||
476 | Section settings passed from ``run()``. |
||
477 | :return: |
||
478 | A context-manager handling the config-file. |
||
479 | """ |
||
480 | content = cls.generate_config(filename, file, **kwargs) |
||
481 | if content is None: |
||
482 | yield None |
||
483 | else: |
||
484 | with make_temp( |
||
485 | suffix=options["config_suffix"]) as config_file: |
||
486 | with open(config_file, mode="w") as fl: |
||
487 | fl.write(content) |
||
488 | yield config_file |
||
489 | |||
490 | def run(self, filename, file, **kwargs): |
||
491 | # Get the **kwargs params to forward to `generate_config()` |
||
492 | # (from `_create_config()`). |
||
493 | generate_config_kwargs = FunctionMetadata.filter_parameters( |
||
494 | self._get_generate_config_metadata(), kwargs) |
||
495 | |||
496 | with self._create_config( |
||
497 | filename, |
||
498 | file, |
||
499 | **generate_config_kwargs) as config_file: |
||
500 | # And now retrieve the **kwargs for `create_arguments()`. |
||
501 | create_arguments_kwargs = ( |
||
502 | FunctionMetadata.filter_parameters( |
||
503 | self._get_create_arguments_metadata(), kwargs)) |
||
504 | |||
505 | args = self.create_arguments(filename, file, config_file, |
||
506 | **create_arguments_kwargs) |
||
507 | |||
508 | try: |
||
509 | args = tuple(args) |
||
510 | except TypeError: |
||
511 | self.err("The given arguments " |
||
512 | "{!r} are not iterable.".format(args)) |
||
513 | return |
||
514 | |||
515 | arguments = (self.get_executable(),) + args |
||
516 | self.debug("Running '{}'".format(' '.join(arguments))) |
||
517 | |||
518 | output = run_shell_command( |
||
519 | arguments, |
||
520 | stdin="".join(file) if options["use_stdin"] else None, |
||
521 | cwd=self.get_config_dir()) |
||
522 | |||
523 | output = tuple(compress( |
||
524 | output, |
||
525 | (options["use_stdout"], options["use_stderr"]))) |
||
526 | if len(output) == 1: |
||
527 | output = output[0] |
||
528 | |||
529 | process_output_kwargs = FunctionMetadata.filter_parameters( |
||
530 | self._get_process_output_metadata(), kwargs) |
||
531 | return self.process_output(output, filename, file, |
||
532 | **process_output_kwargs) |
||
533 | |||
534 | def __repr__(self): |
||
535 | return "<{} linter object (wrapping {!r}) at {}>".format( |
||
536 | type(self).__name__, self.get_executable(), hex(id(self))) |
||
537 | |||
538 | # Mixin the linter into the user-defined interface, otherwise |
||
539 | # `create_arguments` and other methods would be overridden by the |
||
540 | # default version. |
||
541 | result_klass = type(klass.__name__, (klass, LinterBase), {}) |
||
542 | result_klass.__doc__ = klass.__doc__ or "" |
||
543 | return result_klass |
||
544 | |||
545 | |||
546 | @enforce_signature |
||
547 | def linter(executable: str, |
||
548 | use_stdin: bool=False, |
||
549 | use_stdout: bool=True, |
||
550 | use_stderr: bool=False, |
||
551 | config_suffix: str="", |
||
552 | executable_check_fail_info: str="", |
||
553 | prerequisite_check_command: tuple=(), |
||
554 | output_format: (str, None)=None, |
||
555 | **options): |
||
556 | """ |
||
557 | Decorator that creates a ``LocalBear`` that is able to process results from |
||
558 | an external linter tool. |
||
559 | |||
560 | The main functionality is achieved through the ``create_arguments()`` |
||
561 | function that constructs the command-line-arguments that get parsed to your |
||
562 | executable. |
||
563 | |||
564 | >>> @linter("xlint", output_format="regex", output_regex="...") |
||
565 | ... class XLintBear: |
||
566 | ... @staticmethod |
||
567 | ... def create_arguments(filename, file, config_file): |
||
568 | ... return "--lint", filename |
||
569 | |||
570 | Requiring settings is possible like in ``Bear.run()`` with supplying |
||
571 | additional keyword arguments (and if needed with defaults). |
||
572 | |||
573 | >>> @linter("xlint", output_format="regex", output_regex="...") |
||
574 | ... class XLintBear: |
||
575 | ... @staticmethod |
||
576 | ... def create_arguments(filename, |
||
577 | ... file, |
||
578 | ... config_file, |
||
579 | ... lintmode: str, |
||
580 | ... enable_aggressive_lints: bool=False): |
||
581 | ... arguments = ("--lint", filename, "--mode=" + lintmode) |
||
582 | ... if enable_aggressive_lints: |
||
583 | ... arguments += ("--aggressive",) |
||
584 | ... return arguments |
||
585 | |||
586 | Sometimes your tool requires an actual file that contains configuration. |
||
587 | ``linter`` allows you to just define the contents the configuration shall |
||
588 | contain via ``generate_config()`` and handles everything else for you. |
||
589 | |||
590 | >>> @linter("xlint", output_format="regex", output_regex="...") |
||
591 | ... class XLintBear: |
||
592 | ... @staticmethod |
||
593 | ... def generate_config(filename, |
||
594 | ... file, |
||
595 | ... lintmode, |
||
596 | ... enable_aggressive_lints): |
||
597 | ... modestring = ("aggressive" |
||
598 | ... if enable_aggressive_lints else |
||
599 | ... "non-aggressive") |
||
600 | ... contents = ("<xlint>", |
||
601 | ... " <mode>" + lintmode + "</mode>", |
||
602 | ... " <aggressive>" + modestring + "</aggressive>", |
||
603 | ... "</xlint>") |
||
604 | ... return "\\n".join(contents) |
||
605 | ... |
||
606 | ... @staticmethod |
||
607 | ... def create_arguments(filename, |
||
608 | ... file, |
||
609 | ... config_file): |
||
610 | ... return "--lint", filename, "--config", config_file |
||
611 | |||
612 | As you can see you don't need to copy additional keyword-arguments you |
||
613 | introduced from ``create_arguments()`` to ``generate_config()`` and |
||
614 | vice-versa. ``linter`` takes care of forwarding the right arguments to the |
||
615 | right place, so you are able to avoid signature duplication. |
||
616 | |||
617 | If you override ``process_output``, you have the same feature like above |
||
618 | (auto-forwarding of the right arguments defined in your function |
||
619 | signature). |
||
620 | |||
621 | Note when overriding ``process_output``: Providing a single output stream |
||
622 | (via ``use_stdout`` or ``use_stderr``) puts the according string attained |
||
623 | from the stream into parameter ``output``, providing both output streams |
||
624 | inputs a tuple with ``(stdout, stderr)``. Providing ``use_stdout=False`` |
||
625 | and ``use_stderr=False`` raises a ``ValueError``. By default ``use_stdout`` |
||
626 | is ``True`` and ``use_stderr`` is ``False``. |
||
627 | |||
628 | Documentation: |
||
629 | Bear description shall be provided at class level. |
||
630 | If you document your additional parameters inside ``create_arguments``, |
||
631 | ``generate_config`` and ``process_output``, beware that conflicting |
||
632 | documentation between them may be overridden. Document duplicated |
||
633 | parameters inside ``create_arguments`` first, then in ``generate_config`` |
||
634 | and after that inside ``process_output``. |
||
635 | |||
636 | For the tutorial see: |
||
637 | http://coala.readthedocs.org/en/latest/Users/Tutorials/Linter_Bears.html |
||
638 | |||
639 | :param executable: |
||
640 | The linter tool. |
||
641 | :param use_stdin: |
||
642 | Whether the input file is sent via stdin instead of passing it over the |
||
643 | command-line-interface. |
||
644 | :param use_stdout: |
||
645 | Whether to use the stdout output stream. |
||
646 | :param use_stderr: |
||
647 | Whether to use the stderr output stream. |
||
648 | :param config_suffix: |
||
649 | The suffix-string to append to the filename of the configuration file |
||
650 | created when ``generate_config`` is supplied. Useful if your executable |
||
651 | expects getting a specific file-type with specific file-ending for the |
||
652 | configuration file. |
||
653 | :param executable_check_fail_info: |
||
654 | Information that is provided together with the fail message from the |
||
655 | normal executable check. By default no additional info is printed. |
||
656 | :param prerequisite_check_command: |
||
657 | A custom command to check for when ``check_prerequisites`` gets |
||
658 | invoked (via ``subprocess.check_call()``). Must be an ``Iterable``. |
||
659 | :param prerequisite_check_fail_message: |
||
660 | A custom message that gets displayed when ``check_prerequisites`` |
||
661 | fails while invoking ``prerequisite_check_command``. Can only be |
||
662 | provided together with ``prerequisite_check_command``. |
||
663 | :param output_format: |
||
664 | The output format of the underlying executable. Valid values are |
||
665 | |||
666 | - ``None``: Define your own format by overriding ``process_output``. |
||
667 | Overriding ``process_output`` is then mandatory, not specifying it |
||
668 | raises a ``ValueError``. |
||
669 | - ``'regex'``: Parse output using a regex. See parameter |
||
670 | ``output_regex``. |
||
671 | - ``'corrected'``: The output is the corrected of the given file. Diffs |
||
672 | are then generated to supply patches for results. |
||
673 | |||
674 | Passing something else raises a ``ValueError``. |
||
675 | :param output_regex: |
||
676 | The regex expression as a string that is used to parse the output |
||
677 | generated by the underlying executable. It should use as many of the |
||
678 | following named groups (via ``(?P<name>...)``) to provide a good |
||
679 | result: |
||
680 | |||
681 | - line - The line where the issue starts. |
||
682 | - column - The column where the issue starts. |
||
683 | - end_line - The line where the issue ends. |
||
684 | - end_column - The column where the issue ends. |
||
685 | - severity - The severity of the issue. |
||
686 | - message - The message of the result. |
||
687 | - origin - The origin of the issue. |
||
688 | - additional_info - Additional info provided by the issue. |
||
689 | |||
690 | The groups ``line``, ``column``, ``end_line`` and ``end_column`` don't |
||
691 | have to match numbers only, they can also match nothing, the generated |
||
692 | ``Result`` is filled automatically with ``None`` then for the |
||
693 | appropriate properties. |
||
694 | |||
695 | Needs to be provided if ``output_format`` is ``'regex'``. |
||
696 | :param severity_map: |
||
697 | A dict used to map a severity string (captured from the |
||
698 | ``output_regex`` with the named group ``severity``) to an actual |
||
699 | ``coalib.results.RESULT_SEVERITY`` for a result. Severity strings are |
||
700 | mapped **case-insensitive**! |
||
701 | |||
702 | - ``RESULT_SEVERITY.MAJOR``: Mapped by ``error``. |
||
703 | - ``RESULT_SEVERITY.NORMAL``: Mapped by ``warning`` or ``warn``. |
||
704 | - ``RESULT_SEVERITY.MINOR``: Mapped by ``info``. |
||
705 | |||
706 | A ``ValueError`` is raised when the named group ``severity`` is not |
||
707 | used inside ``output_regex`` and this parameter is given. |
||
708 | :param diff_severity: |
||
709 | The severity to use for all results if ``output_format`` is |
||
710 | ``'corrected'``. By default this value is |
||
711 | ``coalib.results.RESULT_SEVERITY.NORMAL``. The given value needs to be |
||
712 | defined inside ``coalib.results.RESULT_SEVERITY``. |
||
713 | :param result_message: |
||
714 | The message-string to use for all results. Can be used only together |
||
715 | with ``corrected`` or ``regex`` output format. When using |
||
716 | ``corrected``, the default value is ``"Inconsistency found."``, while |
||
717 | for ``regex`` this static message is disabled and the message matched |
||
718 | by ``output_regex`` is used instead. |
||
719 | :param diff_distance: |
||
720 | Number of unchanged lines that are allowed in between two changed lines |
||
721 | so they get yielded as one diff if ``corrected`` output-format is |
||
722 | given. If a negative distance is given, every change will be yielded as |
||
723 | an own diff, even if they are right beneath each other. By default this |
||
724 | value is ``1``. |
||
725 | :raises ValueError: |
||
726 | Raised when invalid options are supplied. |
||
727 | :raises TypeError: |
||
728 | Raised when incompatible types are supplied. |
||
729 | See parameter documentations for allowed types. |
||
730 | :return: |
||
731 | A ``LocalBear`` derivation that lints code using an external tool. |
||
732 | """ |
||
733 | options["executable"] = executable |
||
734 | options["output_format"] = output_format |
||
735 | options["use_stdin"] = use_stdin |
||
736 | options["use_stdout"] = use_stdout |
||
737 | options["use_stderr"] = use_stderr |
||
738 | options["config_suffix"] = config_suffix |
||
739 | options["executable_check_fail_info"] = executable_check_fail_info |
||
740 | options["prerequisite_check_command"] = prerequisite_check_command |
||
741 | |||
742 | _prepare_options(options) |
||
743 | |||
744 | return partial(_create_linter, options=options) |
||
745 |