Start with silence, not with noise. But do start!
Project/Repo:
Code Quality/CI:
Name | role | since | until |
---|---|---|---|
Manuel Barkhau (mbarkhau@gmail.com) | author/maintainer | 2020-06 | - |
The main issue with Pylint is developer ergonomics. The messages produced by Pylint can be valuable, but you have to put in some work before you can use it productively. If you have an established codebase, you'll probably have to:
pylint:disable
comments.Using Pylint-Ignore you can benefit from Pylint today. You won't have to wade through endless message noise first, won't have to spend time with configuration, you won't have to change anything about your code. Even though you start with all messages ignored for existing code, you can benefit from Pylint right away for any new code you write.
What about the wall of messages for your existing code? Well, at least you can gradually improve your situation, as you have time for it. In other words, you may be dug into a hole right now, but at least you can stop digging yourself any deeper and gradually start climbing back out.
The pylint-ignore
command is a thin wrapper around the pylint
package. You can get started immediately by running the following commands:
$ pip install pylint-ignore
Installing collected packages: astroid,isort,pylint,pylint-ignore
...
Successfully installed pylint-ignore-2020.1006
$ pylint-ignore src/
************* Module src/mymodule.py
src/mymodule.py:290:0: W0102: Dangerous default value sys.argv[1:] (builtins.list) as argument (dangerous-default-value)
...
-------------------------------------------------------------------
Your code has been rated at 9.92/10
$ echo $? # exit status != 0
28
The pylint-ignore
command reads a file called pylint-ignore.md
, which you should keep as part of your repository. This file contains messages that should be ignored and it is automatically updated with new entries if you specify the --update-ignorefile
parameter.
$ pylint-ignore src/ --update-ignorefile
-------------------------------------------------------------------
Your code has been rated at 10.00/10 (previous run: 9.92/10, +0.08)
$ echo $? # exit status == 0
0
The original message no longer shows up in the output, and it is instead logged in the pylint-ignore.md
, which will now look something like this:
...
## File src/mymodule.py - Line 290 - W0102 (dangerous-default-value)
- message: Dangerous default value sys.argv[1:] (builtins.list) as argument
- author : Manuel Barkhau <mbarkhau@gmail.com>
- date : 2020-07-17T21:15:25
```
289:
> 290: def main(args: Sequence[str] = sys.argv[1:]) -> ExitCode:
291: try:
```
Ideally, you should only do this once when you start to use Pylint, and going forward the file will only get smaller. As your time permits, the recommended approach to using pylint-ignore
is the following:
# pylint:disable=<symbol> ; explain why this is a false positive
pylintrc
or setup.cfg
file.In principal these are the same options you have when using Pylint by itself. For the above example, dangerous-default-value
is a useful message in general) just not in this particular case. You might take the approach of option 2. and add a pylint:disable
comment:
def main(args: Sequence[str] = sys.argv[1:]) -> ExitCode:
# pylint:disable=dangerous-default-value; args is not mutated
# mypy prevents this because Sequence[str] does not support mutation
try:
With this change, the next time you run pylint-ignore --update-ignorefile
, the corresponding entry will disappear and the backlog will shrink.
The pylint-ignore
command has only two options, any other options on the command line are passed-through to pylint
. For example, pylint-ignore --help
will behave exactly the same as pylint --help
. The options pylint-ignore
provides are:
Usage: pylint-ignore [options]
Options:
--ignorefile=<FILE> Path to ignore file [default: pylint-ignore.md]
--update-ignorefile Update the ignorefile, adds new messages,
removes any messages that are no longer
emmitted by pylint (were fixed or disabled)
Normally the pylint-ignore
command will not update the pylint-ignore.md
file. This is appropriate for
If you fix an issue or explicitly disable a message, you can cleanup obsolete entries by adding the --update-ignorefile
argument. For example:
$ pylint-ignore --update-ignorefile src/ test/
Caveat: If you change some code for which there is an entry in the pylint-ignore.md
file, the entry may no longer be matched up with the message as it is generated by Pylint. Usually, changes in line numbers will be detected as long as the code itself did not change and your build will not fail if that is the case. Hopefully you will not feel the need to habitually use --update-ignorefile
but you may need to use it occasionally, simply to refresh an existing entry that became invalid. You can of course also take such an occasion as an opportunity to deal with the underlying issue.
pre-commit
pylint-ignore
can be used as a pre-commit hook, but inherits the limitations of pylint
described in Pre-commit integration.
To include pylint-ignore
as a pre-commit hook using the provided plugin, add the following entry to a .pre-commit-config.yaml
file in the repository being linted:
- repo: https://github.com/mbarkhau/pylint-ignore
rev: "2021.1024"
hooks:
- id: pylint-ignore
If you find that pylint
will only function correctly when run in the local Python environment (as described in Pre-commit integration) then the following local hook entry can instead be used for pylint-ignore
:
repos:
- repo: local
hooks:
- id: pylint-ignore
name: pylint-ignore
entry: pylint-ignore
language: system
types: [python]
require_serial: true
# args: [
# "--rcfile",
# "setup.cfg",
# "src/",
# "test/",
# "--ignore-paths",
# "scripts/,fixtures/,setup.py",
# ]
The args: [...]
property can be added to the entries as required.
To test you can use pre-commit run:
$ pre-commit run pylint-ignore --all-files
Pylint's behaviour can be configured in the usual way, see Command-line arguments and configuration files for details.
pylint-ignore.md
fileYou can view an example file here: fixtures/pylint-ignore.md. You can consider this file as a backlog of possible issues. The entries are sorted first by category, i.e. errors and warnings first then by frequency. You can change the path/filename using the --ignorefile
parameter: pylint-ignore --ignorefile=etc/pylint-backlog.md
The pylint-ignore.md
file uses a bespoke format but it is valid markdown. This choice is primarily so that you can read it and review it more easily on platforms such as github/gitlab/bitbucket. You don't have to edit the file and it is not a format that any other program has to parse, so I think this is a reasonable choice.
What does this approach solve, why not just use Pylint by itself?
There is a reason flake8 is used so much more often than Pylint. The problem of "noise" is acknowledged early in the documentation of Pylint. In fact, the frustration of using Pylint is so obvious that it is even the topic of the project's tag-line: "It's not just a linter that annoys you!".
Pylint-Ignore doesn't get rid of this noise of course, but it does put in a dedicated place, rather than Spam in your terminal. Each issue with your code is one entry in a file, rather than a line that you have to scan again and again.
Once you've established silence as your baseline, you can trust that you only have to deal with two states: OK and FAIL. This vastly reduces cognitive load for developers and makes it possible for you to integrate the linter into your CI system, even if you haven't yet dealt with every last Pylint message.
I won't belabour this point, but it's better if you can spend as little time as possible to just get started using a useful tool, rather than putting it off into the future, possibly indefinitely or only using it occasionally rather than making it a part of your regular workflow.
That being said, the sooner you take the time to pay down this setup cost, and to disable messages in your configuration that are actual noise, the more useful Pylint will be for you. Every useless message will increase the likelihood that you miss one of the more important messages.
Even if you've setup Pylint perfectly and are done with the initial cleanup of your codebase, there might be reason for you to continue to use Pylint-Ignore in your development workflow.
Without Pylint-Ignore, chances are, you (or your teammates) will be overzealous with the disable
section of your configuration. Sooner or later, you will be short on time and effectively turn the linter off. Who will later know or care to look if the message was disabled because it is genuinely useless or if you just had other priorities at that moment? You can try to remind yourself to review things, you can add a TODO
comment which you hopefully remember to grep
for regularly, but there is a high chance that such good intentions will sooner or later go by the wayside.
With Pylint-Ignore, you have a dedicated file in your repository, which is more explicit and visible than the other options. The entries are ordered by importance, rather than appearing more or less randomly on your terminal. You can focus your diligence on other things, and deal with minor linting issues when you have time, or perhaps leave them open as a first contribution for a new member of your team, just so they can get used to your workflow.
You may find some messages useful, but with an existing codebase, the work would be too much at once. You don't want to disable it, but you don't want to start with it enabled either. An example is perhaps the missing-function-docstring
message. If you were to enabled it, you may find a pattern like this emerge:
def get_author_name() -> str:
"""Gets the author name and returns it as a string."""
In case it's not obvious, the above doc-string is redundant, it adds no new information relative to what is already contained in the function name and types. In other words, the temptation is to pacify the linter by changing the code in ways that are at best a useless waste of time and at worst they are malicious and counterproductive.
You are in control, as you can just ignore and commit a change if you feel that ignoring the linter is justified by your current priorities. With Pylint-Ignore you don't have to halt the train because a delicate flower fainted in wagon 2 fainted at the sight of oil spraying all over her luggage and make your journey on-time. The pylint-ignore.md
will keep track of the issue and you can deal with it once you've arrived at the station, not while you're running at full steam.
While you can and should deal with most false positives using disable
comments, there are some cases where you'd rather not do that and some cases where that isn't even possible. For such edge cases, you can just permanently leave an entry in the pylint-ignore.md
and still benefit from an otherwise useful message if new cases pop up.
If you are not convinced of the usefulness of Pylint, linters, or static analysis in general (and perhaps think they are mostly make-work for people who are overly pedantic) let me show you what convinced me to use Pylint.
Some code may syntactically valid Python and will even execute without raising an error and yet is almost certainly not what the author intended. To be sure, if you have proper testing, you will catch such bugs, but even so, static analysis may pay its dues if it can help you catch such bugs more quickly.
def frobnicate(seq: Sequence[int]):
total = 0
for value in seq:
total += value
return value / len(seq)
The above code will "work", depending on how you call it, it won't even throw an error and yet it is almost certainly not correct. Were the function longer than 5 lines, the bug would perhaps be less obvious. Just recently I spent at least an hour tracking down such a bug, which had made it into production. In any case, Pylint will report the following message for such code:
W0631: Using possibly undefined loop variable 'value'
(undefined-loop-variable)
There are other messages, related to name shadowing and unused arguments that I have found to be particularly useful in that they have pointed to actual bugs, rather than "mere" preferences or "best-practices" according to the authors of Pylint.
The perhaps most important aspect of a linter, whenever working with other people, is that the feedback related to mundane issues of code styling will come from a computer rather than from another person. This is a benefit, both the reviewer and to the author:
A linter also allows you to establish a rule that will end discussions about subjective style preferences. Everybody might agree that any particular style is stupid, but the endless discussion about code style is even more stupid. So, establish this rule: If it passes the linter, the discussion is over (except of course if the linter only passes because it was maliciously disabled). This is a similar argument as is made for the use of code formatters and its main value is that it allows you to focus your review time on the actual problem related to the code.
Junior programmers and even (experienced programmers who are new to Python) may not be aware of common pitfalls of working with Python. They need every help they can get and you can look at static analysis as a form of codified knowledge and automated communication from experienced programmers. The code that you write may be perfect, but hell is other people, and Pylint can help to keep some minimum standards in your projects, even when you on-board new developers.
When you're hacking away, focused entirely on solving the actual problem, getting the actual work™ done, you can end up with some code that may well work, may well pass all of your tests, may well be efficient and may even be (let's just postulate for the sake of argument) optimal and correct. That still doesn't mean, that anybody but the author can understand it.
R0902 Too many instance attributes (10/7) (too-many-instance-attributes)
Simple code metrics such as too-many-locals
, too-many-branches
, etc. may well be subjective, pedantic, paternalistic gamification nonsense, and of course such metrics should not be turned into targets. The question is, how do you use them. If they are triggering very often, then the threshold may well be too low and you should increase it to a tolerable level. If your code is perfect as it is, then there is no shame, perhaps it's even a badge of honor to add a comment such as this:
class ToCoolForSchool():
# pylint:disable=too-many-branches
# behold this glorious perfection 🤘 — rockstar@unicorn.io
...
Such cases aside, a common reason for complicated code is that the author was too lazy didn't have the time to re-factor their code so that others could also understand it. I would caution against code-golfing such cases, just to satisfy the linter. Just consider the message as a nudge to at least take a second look, to a least consider looking for obviously better ways to structure your code.
To the extent that the excessive noise of Pylint has scared you away from using it, I hope you will find pylint-ignore
helpful to at least get started. Here is another approach you may prefer.
An alternative approach is suggested by Itamar Turner-Trauring with "Why Pylint is both useful and unusable, and how you can actually use it" is in essence to do the following:
Obviously, this is abbreviated, so I encourage you to read his article if selective whitelisting is a better approach for you. For me, this approach suffers from the diligence issue, as it requires you to revisit the configuration at least a few times, keep track of what you've found to be valuable and so you run a higher risk of neglecting it.
Another automated approach is to use pylint-silent. Be sure to use version control if you consider this approach.