PYLINT(1) Pylint PYLINT(1) NAME pylint - Pylint Documentation PyPI Package versionDocumentation Statuspre-commit.ci statusCII Best PracticesOpenSSF ScorecardDiscord.SH WHAT IS PYLINT? Pylint is a static code analyser for Python 2 or 3. The latest version supports Python 3.9.0 and above. Pylint analyses your code without actually running it. It checks for errors, enforces a coding standard, looks for code smells, and can make suggestions about how the code could be refactored. INSTALL For command line use, pylint is installed with: pip install pylint Or if you want to also check spelling with enchant (you might need to install the enchant C library): pip install pylint[spelling] It can also be integrated in most editors or IDEs. More information can be found in the documentation. WHAT DIFFERENTIATES PYLINT? Pylint is not trusting your typing and is inferring the actual values of nodes (for a start because there was no typing when pylint started off) using its internal code representation (astroid). If your code is import logging as argparse, Pylint can check and know that argparse.error(...) is in fact a logging call and not an argparse call. This makes pylint slower, but it also lets pylint find more issues if your code is not fully typed. [inference] is the killer feature that keeps us using [pylint] in our project despite how painfully slow it is. - Realist pylint user, 2022 pylint, not afraid of being a little slower than it already is, is also a lot more thorough than other linters. There are more checks, including some opinionated ones that are deactivated by default but can be enabled using configuration. HOW TO USE PYLINT Pylint isn't smarter than you: it may warn you about things that you have conscientiously done or check for some things that you don't care about. During adoption, especially in a legacy project where pylint was never enforced, it's best to start with the --errors-only flag, then disable convention and refactor messages with --disable=C,R and progressively re-evaluate and re-enable messages as your priorities evolve. Pylint is highly configurable and permits to write plugins in order to add your own checks (for example, for internal libraries or an internal rule). Pylint also has an ecosystem of existing plugins for popular frameworks and third-party libraries. NOTE: Pylint supports the Python standard library out of the box. Third-party libraries are not always supported, so a plugin might be needed. A good place to start is PyPI which often returns a plugin by searching for pylint . pylint-pydantic, pylint-django and pylint-sonarjson are examples of such plugins. More information about plugins and how to load them can be found at plugins. ADVISED LINTERS ALONGSIDE PYLINT Projects that you might want to use alongside pylint include ruff (really fast, with builtin auto-fix and a large number of checks taken from popular linters, but implemented in rust) or flake8 (a framework to implement your own checks in python using ast directly), mypy, pyright / pylance or pyre (typing checks), bandit (security oriented checks), black and isort (auto-formatting), autoflake (automated removal of unused imports or variables), pyupgrade (automated upgrade to newer python syntax) and pydocstringformatter (automated pep257). ADDITIONAL TOOLS INCLUDED IN PYLINT Pylint ships with two additional tools: o pyreverse (standalone tool that generates package and class diagrams.) o symilar (duplicate code finder that is also integrated in pylint) CONTRIBUTING We welcome all forms of contributions such as updates for documentation, new code, checking issues for duplicates or telling us that we can close them, confirming that issues still exist, creating issues because you found a bug or want a feature, etc. Everything is much appreciated! Please follow the code of conduct and check the Contributor Guides if you want to make a code contribution. SHOW YOUR USAGE You can place this badge in your README to let others know your project uses pylint. .UNINDENT Learn how to add a badge to your documentation in the badge documentation. LICENSE pylint is, with a few exceptions listed below, GPLv2. The icon files are licensed under the CC BY-SA 4.0 license: o doc/logo.png o doc/logo.svg SUPPORT Please check the contact information. +--------------------------+---------------------------------------------------------------------------------------------------------------------------+ |[image: Tidelift] [image] | Professional support for pylint is available as part of the Tidelift Subscription. Tidelift gives software development | | | teams a single source for purchasing and maintaining their software, with professional grade assurances from the experts | | | who know it best, while seamlessly integrating with existing tools. | +--------------------------+---------------------------------------------------------------------------------------------------------------------------+ Tutorial This tutorial is all about approaching coding standards with little or no knowledge of in-depth programming or the code standards themselves. It's the equivalent of skipping the manual and jumping right in. The command line prompt for these examples is: tutor Desktop$ Getting Started Running Pylint with the --help arguments will give you an idea of the arguments available. Do that now, i.e.: pylint --help A couple of the options that we'll focus on here are: Commands: --help-msg= --generate-toml-config Messages control: --disable= Reports: --reports= --output-format= If you need more detail, you can also ask for an even longer help message: pylint --long-help Pay attention to the last bit of this longer help output. This gives you a hint of what Pylint is going to pick on: Output: Using the default text output, the message format is : MESSAGE_TYPE: LINE_NUM:[OBJECT:] MESSAGE There are 5 kind of message types : * (C) convention, for programming standard violation * (R) refactor, for bad code smell * (W) warning, for python specific problems * (E) error, for probable bugs in the code * (F) fatal, if an error occurred which prevented pylint from doing further processing. When Pylint is first run on a fresh piece of code, a common complaint is that it is too noisy. The default configuration enforce a lot of warnings. We'll use some of the options we noted above to make it suit your preferences a bit better. Your First Pylint'ing We'll use a basic Python script with black already applied on it, as fodder for our tutorial. The starting code we will use is called simplecaesar.py and is here in its entirety: #!/usr/bin/env python3 import string shift = 3 choice = input("would you like to encode or decode?") word = input("Please enter text") letters = string.ascii_letters + string.punctuation + string.digits encoded = "" if choice == "encode": for letter in word: if letter == " ": encoded = encoded + " " else: x = letters.index(letter) + shift encoded = encoded + letters[x] if choice == "decode": for letter in word: if letter == " ": encoded = encoded + " " else: x = letters.index(letter) - shift encoded = encoded + letters[x] print(encoded) Let's get started. If we run this: tutor Desktop$ pylint simplecaesar.py ************* Module simplecaesar simplecaesar.py:1:0: C0114: Missing module docstring (missing-module-docstring) simplecaesar.py:5:0: C0103: Constant name "shift" doesn't conform to UPPER_CASE naming style (invalid-name) simplecaesar.py:8:0: C0103: Constant name "letters" doesn't conform to UPPER_CASE naming style (invalid-name) simplecaesar.py:9:0: C0103: Constant name "encoded" doesn't conform to UPPER_CASE naming style (invalid-name) simplecaesar.py:13:12: C0103: Constant name "encoded" doesn't conform to UPPER_CASE naming style (invalid-name) simplecaesar.py:15:12: C0103: Constant name "x" doesn't conform to UPPER_CASE naming style (invalid-name) simplecaesar.py:16:12: C0103: Constant name "encoded" doesn't conform to UPPER_CASE naming style (invalid-name) simplecaesar.py:20:12: C0103: Constant name "encoded" doesn't conform to UPPER_CASE naming style (invalid-name) simplecaesar.py:22:12: C0103: Constant name "x" doesn't conform to UPPER_CASE naming style (invalid-name) simplecaesar.py:23:12: C0103: Constant name "encoded" doesn't conform to UPPER_CASE naming style (invalid-name) ----------------------------------- Your code has been rated at 4.74/10 We can see the second line is: "simplecaesar.py:1:0: C0114: Missing module docstring (missing-module-docstring)" This basically means that line 1 at column 0 violates the convention C0114. Another piece of information is the message symbol between parens, missing-module-docstring. If we want to read up a bit more about that, we can go back to the command line and try this: tutor Desktop$ pylint --help-msg=missing-module-docstring :missing-module-docstring (C0114): *Missing module docstring* Used when a module has no docstring.Empty modules do not require a docstring. This message belongs to the basic checker. That one was a bit of a no-brainer, but we can also run into error messages where we are unfamiliar with the underlying code theory. The Next Step Now that we got some configuration stuff out of the way, let's see what we can do with the remaining warnings. If we add a docstring to describe what the code is meant to do that will help. There are invalid-name messages that we will get to later. Here is the updated code: #!/usr/bin/env python3 """This script prompts a user to enter a message to encode or decode using a classic Caesar shift substitution (3 letter shift)""" import string shift = 3 choice = input("would you like to encode or decode?") word = input("Please enter text") letters = string.ascii_letters + string.punctuation + string.digits encoded = "" if choice == "encode": for letter in word: if letter == " ": encoded = encoded + " " else: x = letters.index(letter) + shift encoded = encoded + letters[x] if choice == "decode": for letter in word: if letter == " ": encoded = encoded + " " else: x = letters.index(letter) - shift encoded = encoded + letters[x] print(encoded) Here is what happens when we run it: tutor Desktop$ pylint simplecaesar.py ************* Module simplecaesar simplecaesar.py:8:0: C0103: Constant name "shift" doesn't conform to UPPER_CASE naming style (invalid-name) simplecaesar.py:11:0: C0103: Constant name "letters" doesn't conform to UPPER_CASE naming style (invalid-name) simplecaesar.py:12:0: C0103: Constant name "encoded" doesn't conform to UPPER_CASE naming style (invalid-name) simplecaesar.py:16:12: C0103: Constant name "encoded" doesn't conform to UPPER_CASE naming style (invalid-name) simplecaesar.py:18:12: C0103: Constant name "x" doesn't conform to UPPER_CASE naming style (invalid-name) simplecaesar.py:19:12: C0103: Constant name "encoded" doesn't conform to UPPER_CASE naming style (invalid-name) simplecaesar.py:23:12: C0103: Constant name "encoded" doesn't conform to UPPER_CASE naming style (invalid-name) simplecaesar.py:25:12: C0103: Constant name "x" doesn't conform to UPPER_CASE naming style (invalid-name) simplecaesar.py:26:12: C0103: Constant name "encoded" doesn't conform to UPPER_CASE naming style (invalid-name) ------------------------------------------------------------------ Your code has been rated at 5.26/10 (previous run: 4.74/10, +0.53) Nice! Pylint told us how much our code rating has improved since our last run, and we're down to just the invalid-name messages. There are fairly well defined conventions around naming things like instance variables, functions, classes, etc. The conventions focus on the use of UPPERCASE and lowercase as well as the characters that separate multiple words in the name. This lends itself well to checking via a regular expression, thus the should match (([A-Z_][A-Z1-9_]*)|(__.*__))$. In this case Pylint is telling us that those variables appear to be constants and should be all UPPERCASE. This is an in-house convention that has lived with Pylint since its inception. You too can create your own in-house naming conventions but for the purpose of this tutorial, we want to stick to the PEP 8 standard. In this case, the variables we declared should follow the convention of all lowercase. The appropriate rule would be something like: "should match [a-z_][a-z0-9_]{2,30}$". Notice the lowercase letters in the regular expression (a-z versus A-Z). If we run that rule using a --const-rgx='[a-z\_][a-z0-9\_]{2,30}$' option, it will now be quite quiet: tutor Desktop$ pylint simplecaesar.py --const-rgx='[a-z\_][a-z0-9\_]{2,30}$' ************* Module simplecaesar simplecaesar.py:18:12: C0103: Constant name "x" doesn't conform to '[a-z\\_][a-z0-9\\_]{2,30}$' pattern (invalid-name) simplecaesar.py:25:12: C0103: Constant name "x" doesn't conform to '[a-z\\_][a-z0-9\\_]{2,30}$' pattern (invalid-name) ------------------------------------------------------------------ Your code has been rated at 8.95/10 (previous run: 5.26/10, +3.68) You can read up on regular expressions or use a website to help you. TIP: It would really be a pain to specify that regex on the command line all the time, particularly if we're using many other options. That's what a configuration file is for. We can configure our Pylint to store our options for us so we don't have to declare them on the command line. Using a configuration file is a nice way of formalizing your rules and quickly sharing them with others. Invoking pylint --generate-toml-config will create a sample .toml section with all the options set and explained in comments. This can then be added to your pyproject.toml file or any other .toml file pointed to with the --rcfile option. Installation Pylint can be installed: o As a command line tool o Integrated in your editor/ide o As a pre-commit hook o For multiple python interpreters in your continuous integration Command line installation Pylint is installable using a package manager. Your package manager will find a version that works with your interpreter. We recommend pip: pip install pylint Or if you want to also check spelling with enchant (you might need to install the enchant C library): pip install pylint[spelling] The newest pylint supports all Python interpreters that are not past end of life. We recommend to use the latest interpreter because we rely on the ast builtin module that gets better with each new Python interpreter. For example a Python 3.6 interpreter can't analyse 3.8 syntax (amongst others, because of the new walrus operator) while a 3.8 interpreter can also deal with Python 3.6. See using pylint with multiple interpreters for more details. NOTE: You can also use conda or your system package manager on debian based OS. These package managers lag a little behind as they are maintained by a separate entity on a slower release cycle. conda install pylint sudo apt-get install pylint Editor and IDE integration Pylint can be integrated in various editors and IDE's. Below you can find tutorials for some of the most common ones. o Eclipse o Emacs o Eric IDE in the Project > Check menu, o gedit (another option for gedit) o Flymake o Jupyter Notebook o Komodo o Pycharm o PyDev o pyscripter in the Tool -> Tools menu. o Spyder in the View -> Panes -> Static code analysis o Sublime Text o TextMate o Vim o Visual Studio Code in the Preferences -> Settings menu o Visual Studio Code Pylint Extension o Visual Studio in the Python > Run PyLint command on a project's context menu. o WingIDE Using Pylint through Flymake in Emacs WARNING: epylint was deprecated in 2.16.0 and targeted for deletion in 3.0.0. All emacs and flymake related files were removed and their support will now happen in an external repository: https://github.com/emacsorphanage/pylint. Integrate Pylint with TextMate Install Pylint in the usual way: pip install pylint Install the Python bundle for TextMate: 1. select TextMate > Preferences 2. select the Bundles tab 3. find and tick the Python bundle in the list You should now see it in Bundles > Python. In Preferences, select the Variables tab. If a TM_PYCHECKER variable is not already listed, add it, with the value pylint. The default keyboard shortcut to run the syntax checker is Control-Shift-V - open a .py file in Textmate, and try it. You should see the output in a new window: PyCheckMate 1.2 - Pylint 1.4.4 No config file found, using default configuration Then all is well, and most likely Pylint will have expressed some opinions about your Python code (or will exit with 0 if your code already conforms to its expectations). If you receive a message: Please install PyChecker, PyFlakes, Pylint, PEP 8 or flake8 for more extensive code checking. That means that Pylint wasn't found, which is likely an issue with command paths - TextMate needs be looking for Pylint on the right paths. Check where Pylint has been installed, using which: $ which pylint /usr/local/bin/pylint The output will tell you where Pylint can be found; in this case, in /usr/local/bin. 1. select TextMate > Preferences 2. select the Variables tab 3. find and check that a PATH variable exists, and that it contains the appropriate path (if the path to Pylint were /usr/local/bin/pylint as above, then the variable would need to contain /usr/local/bin). An actual example in this case might be $PATH:/opt/local/bin:/usr/local/bin:/usr/texbin, which includes other paths. ... and try running Pylint again. Pre-commit integration pylint can be used as a pre-commit hook. We however discourage it as pylint -- due to its speed -- is more suited to a continuous integration job or a git pre-push hook, especially if your repository is large. Since pylint needs to import modules and dependencies to work correctly, the hook only works with a local installation of pylint (in your environment). It means it can't be used with pre-commit.ci, and you will need to add the following to your .pre-commit-config.yaml .. sourcecode:: yaml ci: skip: [pylint] Another limitation is that pylint should analyse all your code at once in order to best infer the actual values that result from calls. If only some of the files are given, pylint might miss a particular value's type and produce inferior inference for the subset. Since pre-commit slices the files given to it in order to parallelize the processing, the result can be degraded. It can also be unexpectedly different when the file set changes because the new slicing can change the inference. Thus the require_serial option should be set to true if correctness and determinism are more important than parallelization to you. If you installed pylint locally it can be added to .pre-commit-config.yaml as follows: - repo: local hooks: - id: pylint name: pylint entry: pylint language: system types: [python] require_serial: true args: [ "-rn", # Only display messages "-sn", # Don't display the score ] You can use args to pass command line arguments as described in the Tutorial. A hook with more arguments could look something like this: - repo: local hooks: - id: pylint name: pylint entry: pylint language: system types: [python] args: [ "-rn", # Only display messages "-sn", # Don't display the score "--rcfile=pylintrc", # Link to your config file "--load-plugins=pylint.extensions.docparams", # Load an extension ] Installation with multiple interpreters It's possible to analyse code written for older or multiple interpreters by using the py-version option and setting it to the oldest supported interpreter of your code. For example you can check that there are no f-strings in Python 3.5 code using Python 3.8 with an up-to-date pylint even if Python 3.5 is past end of life (EOL) and the version of pylint you use is not compatible with it. We do not guarantee that py-version will work for all EOL Python interpreters indefinitely, (for anything before Python 3.5, it probably won't). If a newer version does not work for you, the best available pylint might be an old version that works with your old interpreter but without the bug fixes and features of later versions. Show your usage You can place this badge in your README to let others know your project uses pylint. .UNINDENT Use the badge in your project's README.md (or any other Markdown file): [![linting: pylint](https://img.shields.io/badge/linting-pylint-yellowgreen)](https://github.com/pylint-dev/pylint) Use the badge in your project's README.rst (or any other rst file): .. image:: https://img.shields.io/badge/linting-pylint-yellowgreen :target: https://github.com/pylint-dev/pylint If you use GitHub Actions, and one of your CI workflows begins with "name: pylint", you can use GitHub's workflow status badges to show an up-to-date indication of whether pushes to your default branch pass pylint. For more detailed information, check the documentation. Upgrading pylint You should probably set the version of pylint in your development environment in order to choose when you actually upgrade pylint's warnings. pylint is following semver versioning. But we can't guarantee that the output between version will stays the same. What this means is that: o In patch release (1.2.3), we only fix false positives and crashes. You can expect less messages if you set the minor and upgrade to a new patch version. But still, if you enable useless-suppression it still means you can get a new useless-suppression when a false positive that you disabled is now fixed. Also, if a library you're using was upgraded and is understood better or worse than the previous one, you could get new messages too. o In minor releases (1.2.0), we add checks, remove checks, drop python interpreters past end of life, upgrade astroid minor/major versions and fix false negatives. You can expect a lot more change in output, the main one being new checks. o In major releases (1.0.0) we change everything else (pylint options, json output, dev API...) while still trying to minimize disruption. You could have to change the command you're launching or the plugin and editor integration you're using. Usage Running Pylint On module packages or directories Pylint is meant to be called from the command line. The usage is pylint [options] modules_or_packages By default the pylint command only accepts a list of python modules and packages. On versions below 2.15, specifying a directory that is not an explicit package (with __init__.py) results in an error: pylint mydir ************* Module mydir mydir/__init__.py:1:0: F0010: error while code parsing: Unable to load file mydir/__init__.py: [Errno 2] No such file or directory: 'mydir/__init__.py' (parse-error) Thus, on versions before 2.15 using the --recursive=y option allows for linting a namespace package: pylint --recursive=y mydir mymodule mypackage This option makes pylint attempt to discover all modules (files ending with .py extension) and all explicit packages (all directories containing a __init__.py file). Pylint will not import this package or module, but it does use Python internals to locate them and as such is subject to the same rules and configuration. You should pay attention to your PYTHONPATH, since it is a common error to analyze an installed version of a module instead of the development version. On files It is also possible to analyze Python files, with a few restrictions. As a convenience, you can give it a file name if it's possible to guess a module name from the file's path using the python path. Some examples: pylint mymodule.py should always work since the current working directory is automatically added on top of the python path pylint directory/mymodule.py will work if: directory is a python package (i.e. has an __init__.py file), an implicit namespace package or if directory is in the python path. With implicit namespace packages If the analyzed sources use implicit namespace packages (PEP 420), the source root(s) should be specified using the --source-roots option. Otherwise, the package names are detected incorrectly, since implicit namespace packages don't contain an __init__.py. Globbing support It is also possible to specify both directories and files using globbing patterns: pylint [options] packages/*/src Command line options First of all, we have two basic (but useful) options. --version show program's version number and exit -h, --help show help about the command line options Pylint is architected around several checkers. You can disable a specific checker or some of its messages or message categories by specifying --disable=. If you want to enable only some checkers or some message symbols, first use --disable=all then --enable= with being a comma-separated list of checker names and message symbols. See the list of available features for a description of provided checkers with their functionalities. The --disable and --enable options can be used with comma-separated lists mixing checkers, message ids and categories like -d C,W,no-error,design It is possible to disable all messages with --disable=all. This is useful to enable only a few checkers or a few messages by first disabling everything, and then re-enabling only what you need. Each checker has some specific options, which can take either a yes/no value, an integer, a python regular expression, or a comma-separated list of values (which are generally used to override a regular expression in special cases). For a full list of options, use --help Specifying all the options suitable for your setup and coding standards can be tedious, so it is possible to use a configuration file to specify the default values. You can specify a configuration file on the command line using the --rcfile option. Otherwise, Pylint searches for a configuration file in the following order and uses the first one it finds: 1. pylintrc in the current working directory 2. pylintrc.toml in the current working directory, providing it has at least one tool.pylint. section. 3. .pylintrc in the current working directory 4. .pylintrc.toml in the current working directory, providing it has at least one tool.pylint. section. 5. pyproject.toml in the current working directory, providing it has at least one tool.pylint. section. The pyproject.toml must prepend section names with tool.pylint., for example [tool.pylint.'MESSAGES CONTROL']. They can also be passed in on the command line. 6. setup.cfg in the current working directory, providing it has at least one pylint. section 7. tox.ini in the current working directory, providing it has at least one pylint. section 8. Pylint will search for the pyproject.toml file up the directories hierarchy unless it's found, or a .git/.hg directory is found, or the file system root is approached. 9. If the current working directory is in a Python package, Pylint searches up the hierarchy of Python packages until it finds a pylintrc file. This allows you to specify coding standards on a module-by-module basis. Of course, a directory is judged to be a Python package if it contains an __init__.py file. 10. The file named by environment variable PYLINTRC 11. if you have a home directory which isn't /root: 1. .pylintrc in your home directory 2. .config/pylintrc in your home directory 12. /etc/pylintrc The --generate-toml-config option will generate a commented configuration file on standard output according to the current configuration and exit. This includes: o Any configuration file found as explained above o Options appearing before --generate-toml-config on the Pylint command line Of course you can also start with the default values and hand-tune the configuration. Other useful global options include: --ignore= Files or directories to be skipped. They should be base names, not paths. --output-format= Select output format (text, json, custom). --msg-template=