coding-style.txt 10 KB

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