coding-style.txt 12 KB

123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154155156157158159160161162163164165166167168169170171172173174175176177178179180181182183184185186187188189190191192193194195196197198199200201202203204205206207208209210211212213214215216217218219220221222223224225226227228229230231232233234235236237238239240241242243244245246247248249250251252253254255256257258259260261262263264265266267268269270271272273274275276277278279280281282283284285286287288289290291292293294295296297298299300301302303304305306307308309310311312313314315316317318319320321322323324325326327328329330331332333334335336337338339340341342343344345346347348349350351352353354355356357358359360361362363364365366367368369370371372373374375376377378379380381
  1. ============
  2. Coding style
  3. ============
  4. Please follow these coding standards when writing code for inclusion in Django.
  5. .. _coding-style-pre-commit:
  6. Pre-commit checks
  7. =================
  8. `pre-commit <https://pre-commit.com>`_ is a framework for managing pre-commit
  9. hooks. These hooks help to identify simple issues before committing code for
  10. review. By checking for these issues before code review it allows the reviewer
  11. to focus on the change itself, and it can also help to reduce the number of CI
  12. runs.
  13. To use the tool, first install ``pre-commit`` and then the git hooks:
  14. .. console::
  15. $ python -m pip install pre-commit
  16. $ pre-commit install
  17. On the first commit ``pre-commit`` will install the hooks, these are
  18. installed in their own environments and will take a short while to
  19. install on the first run. Subsequent checks will be significantly faster.
  20. If an error is found an appropriate error message will be displayed.
  21. If the error was with ``black`` or ``isort`` then the tool will go ahead and
  22. fix them for you. Review the changes and re-stage for commit if you are happy
  23. with them.
  24. .. _coding-style-python:
  25. Python style
  26. ============
  27. * All files should be formatted using the `black`_ auto-formatter. This will be
  28. run by ``pre-commit`` if that is configured.
  29. * The project repository includes an ``.editorconfig`` file. We recommend using
  30. a text editor with `EditorConfig`_ support to avoid indentation and
  31. whitespace issues. The Python files use 4 spaces for indentation and the HTML
  32. files use 2 spaces.
  33. * Unless otherwise specified, follow :pep:`8`.
  34. Use :pypi:`flake8` to check for problems in this area. Note that our
  35. ``setup.cfg`` file contains some excluded files (deprecated modules we don't
  36. care about cleaning up and some third-party code that Django vendors) as well
  37. as some excluded errors that we don't consider as gross violations. Remember
  38. that :pep:`8` is only a guide, so respect the style of the surrounding code
  39. as a primary goal.
  40. An exception to :pep:`8` is our rules on line lengths. Don't limit lines of
  41. code to 79 characters if it means the code looks significantly uglier or is
  42. harder to read. We allow up to 88 characters as this is the line length used
  43. by ``black``. This check is included when you run ``flake8``. Documentation,
  44. comments, and docstrings should be wrapped at 79 characters, even though
  45. :pep:`8` suggests 72.
  46. * String variable interpolation may use
  47. :py:ref:`%-formatting <old-string-formatting>`, :py:ref:`f-strings
  48. <f-strings>`, or :py:meth:`str.format` as appropriate, with the goal of
  49. maximizing code readability.
  50. Final judgments of readability are left to the Merger's discretion. As a
  51. guide, f-strings should use only plain variable and property access, with
  52. prior local variable assignment for more complex cases::
  53. # Allowed
  54. f"hello {user}"
  55. f"hello {user.name}"
  56. f"hello {self.user.name}"
  57. # Disallowed
  58. f"hello {get_user()}"
  59. f"you are {user.age * 365.25} days old"
  60. # Allowed with local variable assignment
  61. user = get_user()
  62. f"hello {user}"
  63. user_days_old = user.age * 365.25
  64. f"you are {user_days_old} days old"
  65. f-strings should not be used for any string that may require translation,
  66. including error and logging messages. In general ``format()`` is more
  67. verbose, so the other formatting methods are preferred.
  68. Don't waste time doing unrelated refactoring of existing code to adjust the
  69. formatting method.
  70. * Avoid use of "we" in comments, e.g. "Loop over" rather than "We loop over".
  71. * Use underscores, not camelCase, for variable, function and method names
  72. (i.e. ``poll.get_unique_voters()``, not ``poll.getUniqueVoters()``).
  73. * Use ``InitialCaps`` for class names (or for factory functions that
  74. return classes).
  75. * In docstrings, follow the style of existing docstrings and :pep:`257`.
  76. * In tests, use
  77. :meth:`~django.test.SimpleTestCase.assertRaisesMessage` and
  78. :meth:`~django.test.SimpleTestCase.assertWarnsMessage`
  79. instead of :meth:`~unittest.TestCase.assertRaises` and
  80. :meth:`~unittest.TestCase.assertWarns` so you can check the
  81. exception or warning message. Use :meth:`~unittest.TestCase.assertRaisesRegex`
  82. and :meth:`~unittest.TestCase.assertWarnsRegex` only if you need regular
  83. expression matching.
  84. Use :meth:`assertIs(…, True/False)<unittest.TestCase.assertIs>` for testing
  85. boolean values, rather than :meth:`~unittest.TestCase.assertTrue` and
  86. :meth:`~unittest.TestCase.assertFalse`, so you can check the actual boolean
  87. value, not the truthiness of the expression.
  88. * In test docstrings, state the expected behavior that each test demonstrates.
  89. Don't include preambles such as "Tests that" or "Ensures that".
  90. Reserve ticket references for obscure issues where the ticket has additional
  91. details that can't be easily described in docstrings or comments. Include the
  92. ticket number at the end of a sentence like this::
  93. def test_foo():
  94. """
  95. A test docstring looks like this (#123456).
  96. """
  97. ...
  98. .. _coding-style-imports:
  99. Imports
  100. =======
  101. * Use :pypi:`isort` to automate import sorting using the guidelines below.
  102. Quick start:
  103. .. console::
  104. $ python -m pip install "isort >= 5.1.0"
  105. $ isort .
  106. This runs ``isort`` recursively from your current directory, modifying any
  107. files that don't conform to the guidelines. If you need to have imports out
  108. of order (to avoid a circular import, for example) use a comment like this::
  109. import module # isort:skip
  110. * Put imports in these groups: future, standard library, third-party libraries,
  111. other Django components, local Django component, try/excepts. Sort lines in
  112. each group alphabetically by the full module name. Place all ``import module``
  113. statements before ``from module import objects`` in each section. Use absolute
  114. imports for other Django components and relative imports for local components.
  115. * On each line, alphabetize the items with the upper case items grouped before
  116. the lowercase items.
  117. * Break long lines using parentheses and indent continuation lines by 4 spaces.
  118. Include a trailing comma after the last import and put the closing
  119. parenthesis on its own line.
  120. Use a single blank line between the last import and any module level code,
  121. and use two blank lines above the first function or class.
  122. For example (comments are for explanatory purposes only):
  123. .. code-block:: python
  124. :caption: ``django/contrib/admin/example.py``
  125. # future
  126. from __future__ import unicode_literals
  127. # standard library
  128. import json
  129. from itertools import chain
  130. # third-party
  131. import bcrypt
  132. # Django
  133. from django.http import Http404
  134. from django.http.response import (
  135. Http404,
  136. HttpResponse,
  137. HttpResponseNotAllowed,
  138. StreamingHttpResponse,
  139. cookie,
  140. )
  141. # local Django
  142. from .models import LogEntry
  143. # try/except
  144. try:
  145. import yaml
  146. except ImportError:
  147. yaml = None
  148. CONSTANT = "foo"
  149. class Example: ...
  150. * Use convenience imports whenever available. For example, do this
  151. ::
  152. from django.views import View
  153. instead of::
  154. from django.views.generic.base import View
  155. Template style
  156. ==============
  157. * In Django template code, put one (and only one) space between the curly
  158. brackets and the tag contents.
  159. Do this:
  160. .. code-block:: html+django
  161. {{ foo }}
  162. Don't do this:
  163. .. code-block:: html+django
  164. {{foo}}
  165. View style
  166. ==========
  167. * In Django views, the first parameter in a view function should be called
  168. ``request``.
  169. Do this::
  170. def my_view(request, foo): ...
  171. Don't do this::
  172. def my_view(req, foo): ...
  173. Model style
  174. ===========
  175. * Field names should be all lowercase, using underscores instead of
  176. camelCase.
  177. Do this::
  178. class Person(models.Model):
  179. first_name = models.CharField(max_length=20)
  180. last_name = models.CharField(max_length=40)
  181. Don't do this::
  182. class Person(models.Model):
  183. FirstName = models.CharField(max_length=20)
  184. Last_Name = models.CharField(max_length=40)
  185. * The ``class Meta`` should appear *after* the fields are defined, with
  186. a single blank line separating the fields and the class definition.
  187. Do this::
  188. class Person(models.Model):
  189. first_name = models.CharField(max_length=20)
  190. last_name = models.CharField(max_length=40)
  191. class Meta:
  192. verbose_name_plural = "people"
  193. Don't do this::
  194. class Person(models.Model):
  195. class Meta:
  196. verbose_name_plural = "people"
  197. first_name = models.CharField(max_length=20)
  198. last_name = models.CharField(max_length=40)
  199. * The order of model inner classes and standard methods should be as
  200. follows (noting that these are not all required):
  201. * All database fields
  202. * Custom manager attributes
  203. * ``class Meta``
  204. * ``def __str__()``
  205. * ``def save()``
  206. * ``def get_absolute_url()``
  207. * Any custom methods
  208. * If ``choices`` is defined for a given model field, define each choice as a
  209. mapping, with an all-uppercase name as a class attribute on the model.
  210. Example::
  211. class MyModel(models.Model):
  212. DIRECTION_UP = "U"
  213. DIRECTION_DOWN = "D"
  214. DIRECTION_CHOICES = {
  215. DIRECTION_UP: "Up",
  216. DIRECTION_DOWN: "Down",
  217. }
  218. Alternatively, consider using :ref:`field-choices-enum-types`::
  219. class MyModel(models.Model):
  220. class Direction(models.TextChoices):
  221. UP = "U", "Up"
  222. DOWN = "D", "Down"
  223. Use of ``django.conf.settings``
  224. ===============================
  225. Modules should not in general use settings stored in ``django.conf.settings``
  226. at the top level (i.e. evaluated when the module is imported). The explanation
  227. for this is as follows:
  228. Manual configuration of settings (i.e. not relying on the
  229. :envvar:`DJANGO_SETTINGS_MODULE` environment variable) is allowed and possible
  230. as follows::
  231. from django.conf import settings
  232. settings.configure({}, SOME_SETTING="foo")
  233. However, if any setting is accessed before the ``settings.configure`` line,
  234. this will not work. (Internally, ``settings`` is a ``LazyObject`` which
  235. configures itself automatically when the settings are accessed if it has not
  236. already been configured).
  237. So, if there is a module containing some code as follows::
  238. from django.conf import settings
  239. from django.urls import get_callable
  240. default_foo_view = get_callable(settings.FOO_VIEW)
  241. ...then importing this module will cause the settings object to be configured.
  242. That means that the ability for third parties to import the module at the top
  243. level is incompatible with the ability to configure the settings object
  244. manually, or makes it very difficult in some circumstances.
  245. Instead of the above code, a level of laziness or indirection must be used,
  246. such as ``django.utils.functional.LazyObject``,
  247. ``django.utils.functional.lazy()`` or ``lambda``.
  248. Miscellaneous
  249. =============
  250. * Mark all strings for internationalization; see the :doc:`i18n
  251. documentation </topics/i18n/index>` for details.
  252. * Remove ``import`` statements that are no longer used when you change code.
  253. :pypi:`flake8` will identify these imports for you. If an unused import needs
  254. to remain for backwards-compatibility, mark the end of with ``# NOQA`` to
  255. silence the flake8 warning.
  256. * Systematically remove all trailing whitespaces from your code as those
  257. add unnecessary bytes, add visual clutter to the patches and can also
  258. occasionally cause unnecessary merge conflicts. Some IDE's can be
  259. configured to automatically remove them and most VCS tools can be set to
  260. highlight them in diff outputs.
  261. * Please don't put your name in the code you contribute. Our policy is to
  262. keep contributors' names in the ``AUTHORS`` file distributed with Django
  263. -- not scattered throughout the codebase itself. Feel free to include a
  264. change to the ``AUTHORS`` file in your patch if you make more than a
  265. single trivial change.
  266. JavaScript style
  267. ================
  268. For details about the JavaScript code style used by Django, see
  269. :doc:`javascript`.
  270. .. _black: https://black.readthedocs.io/en/stable/
  271. .. _editorconfig: https://editorconfig.org/