passwords.txt 31 KB

123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154155156157158159160161162163164165166167168169170171172173174175176177178179180181182183184185186187188189190191192193194195196197198199200201202203204205206207208209210211212213214215216217218219220221222223224225226227228229230231232233234235236237238239240241242243244245246247248249250251252253254255256257258259260261262263264265266267268269270271272273274275276277278279280281282283284285286287288289290291292293294295296297298299300301302303304305306307308309310311312313314315316317318319320321322323324325326327328329330331332333334335336337338339340341342343344345346347348349350351352353354355356357358359360361362363364365366367368369370371372373374375376377378379380381382383384385386387388389390391392393394395396397398399400401402403404405406407408409410411412413414415416417418419420421422423424425426427428429430431432433434435436437438439440441442443444445446447448449450451452453454455456457458459460461462463464465466467468469470471472473474475476477478479480481482483484485486487488489490491492493494495496497498499500501502503504505506507508509510511512513514515516517518519520521522523524525526527528529530531532533534535536537538539540541542543544545546547548549550551552553554555556557558559560561562563564565566567568569570571572573574575576577578579580581582583584585586587588589590591592593594595596597598599600601602603604605606607608609610611612613614615616617618619620621622623624625626627628629630631632633634635636637638639640641642643644645646647648649650651652653654655656657658659660661662663664665666667668669670671672673674675676677678679680681682683684685686687688689690691692693694695696697698699700701702703704705706707708709710711712713714715716717718719720721722723724725726727728729730731732733734735736737738739740741742743744
  1. =============================
  2. Password management in Django
  3. =============================
  4. Password management is something that should generally not be reinvented
  5. unnecessarily, and Django endeavors to provide a secure and flexible set of
  6. tools for managing user passwords. This document describes how Django stores
  7. passwords, how the storage hashing can be configured, and some utilities to
  8. work with hashed passwords.
  9. .. seealso::
  10. Even though users may use strong passwords, attackers might be able to
  11. eavesdrop on their connections. Use :ref:`HTTPS
  12. <security-recommendation-ssl>` to avoid sending passwords (or any other
  13. sensitive data) over plain HTTP connections because they will be vulnerable
  14. to password sniffing.
  15. .. _auth_password_storage:
  16. How Django stores passwords
  17. ===========================
  18. Django provides a flexible password storage system and uses PBKDF2 by default.
  19. The :attr:`~django.contrib.auth.models.User.password` attribute of a
  20. :class:`~django.contrib.auth.models.User` object is a string in this format::
  21. <algorithm>$<iterations>$<salt>$<hash>
  22. Those are the components used for storing a User's password, separated by the
  23. dollar-sign character and consist of: the hashing algorithm, the number of
  24. algorithm iterations (work factor), the random salt, and the resulting password
  25. hash. The algorithm is one of a number of one-way hashing or password storage
  26. algorithms Django can use; see below. Iterations describe the number of times
  27. the algorithm is run over the hash. Salt is the random seed used and the hash
  28. is the result of the one-way function.
  29. By default, Django uses the PBKDF2_ algorithm with a SHA256 hash, a
  30. password stretching mechanism recommended by NIST_. This should be
  31. sufficient for most users: it's quite secure, requiring massive
  32. amounts of computing time to break.
  33. However, depending on your requirements, you may choose a different
  34. algorithm, or even use a custom algorithm to match your specific
  35. security situation. Again, most users shouldn't need to do this -- if
  36. you're not sure, you probably don't. If you do, please read on:
  37. Django chooses the algorithm to use by consulting the
  38. :setting:`PASSWORD_HASHERS` setting. This is a list of hashing algorithm
  39. classes that this Django installation supports.
  40. For storing passwords, Django will use the first hasher in
  41. :setting:`PASSWORD_HASHERS`. To store new passwords with a different algorithm,
  42. put your preferred algorithm first in :setting:`PASSWORD_HASHERS`.
  43. For verifying passwords, Django will find the hasher in the list that matches
  44. the algorithm name in the stored password. If a stored password names an
  45. algorithm not found in :setting:`PASSWORD_HASHERS`, trying to verify it will
  46. raise ``ValueError``.
  47. The default for :setting:`PASSWORD_HASHERS` is::
  48. PASSWORD_HASHERS = [
  49. 'django.contrib.auth.hashers.PBKDF2PasswordHasher',
  50. 'django.contrib.auth.hashers.PBKDF2SHA1PasswordHasher',
  51. 'django.contrib.auth.hashers.Argon2PasswordHasher',
  52. 'django.contrib.auth.hashers.BCryptSHA256PasswordHasher',
  53. 'django.contrib.auth.hashers.ScryptPasswordHasher',
  54. ]
  55. This means that Django will use PBKDF2_ to store all passwords but will support
  56. checking passwords stored with PBKDF2SHA1, argon2_, and bcrypt_.
  57. The next few sections describe a couple of common ways advanced users may want
  58. to modify this setting.
  59. .. _argon2_usage:
  60. Using Argon2 with Django
  61. ------------------------
  62. Argon2_ is the winner of the 2015 `Password Hashing Competition`_, a community
  63. organized open competition to select a next generation hashing algorithm. It's
  64. designed not to be easier to compute on custom hardware than it is to compute
  65. on an ordinary CPU. The default variant for the Argon2 password hasher is
  66. Argon2id.
  67. Argon2_ is not the default for Django because it requires a third-party
  68. library. The Password Hashing Competition panel, however, recommends immediate
  69. use of Argon2 rather than the other algorithms supported by Django.
  70. To use Argon2id as your default storage algorithm, do the following:
  71. #. Install the `argon2-cffi library`_. This can be done by running
  72. ``python -m pip install django[argon2]``, which is equivalent to
  73. ``python -m pip install argon2-cffi`` (along with any version requirement
  74. from Django's ``setup.cfg``).
  75. #. Modify :setting:`PASSWORD_HASHERS` to list ``Argon2PasswordHasher`` first.
  76. That is, in your settings file, you'd put::
  77. PASSWORD_HASHERS = [
  78. 'django.contrib.auth.hashers.Argon2PasswordHasher',
  79. 'django.contrib.auth.hashers.PBKDF2PasswordHasher',
  80. 'django.contrib.auth.hashers.PBKDF2SHA1PasswordHasher',
  81. 'django.contrib.auth.hashers.BCryptSHA256PasswordHasher',
  82. 'django.contrib.auth.hashers.ScryptPasswordHasher',
  83. ]
  84. Keep and/or add any entries in this list if you need Django to :ref:`upgrade
  85. passwords <password-upgrades>`.
  86. .. _bcrypt_usage:
  87. Using ``bcrypt`` with Django
  88. ----------------------------
  89. Bcrypt_ is a popular password storage algorithm that's specifically designed
  90. for long-term password storage. It's not the default used by Django since it
  91. requires the use of third-party libraries, but since many people may want to
  92. use it Django supports bcrypt with minimal effort.
  93. To use Bcrypt as your default storage algorithm, do the following:
  94. #. Install the `bcrypt library`_. This can be done by running
  95. ``python -m pip install django[bcrypt]``, which is equivalent to
  96. ``python -m pip install bcrypt`` (along with any version requirement from
  97. Django's ``setup.cfg``).
  98. #. Modify :setting:`PASSWORD_HASHERS` to list ``BCryptSHA256PasswordHasher``
  99. first. That is, in your settings file, you'd put::
  100. PASSWORD_HASHERS = [
  101. 'django.contrib.auth.hashers.BCryptSHA256PasswordHasher',
  102. 'django.contrib.auth.hashers.PBKDF2PasswordHasher',
  103. 'django.contrib.auth.hashers.PBKDF2SHA1PasswordHasher',
  104. 'django.contrib.auth.hashers.Argon2PasswordHasher',
  105. 'django.contrib.auth.hashers.ScryptPasswordHasher',
  106. ]
  107. Keep and/or add any entries in this list if you need Django to :ref:`upgrade
  108. passwords <password-upgrades>`.
  109. That's it -- now your Django install will use Bcrypt as the default storage
  110. algorithm.
  111. .. _scrypt-usage:
  112. Using ``scrypt`` with Django
  113. ----------------------------
  114. scrypt_ is similar to PBKDF2 and bcrypt in utilizing a set number of iterations
  115. to slow down brute-force attacks. However, because PBKDF2 and bcrypt do not
  116. require a lot of memory, attackers with sufficient resources can launch
  117. large-scale parallel attacks in order to speed up the attacking process.
  118. scrypt_ is specifically designed to use more memory compared to other
  119. password-based key derivation functions in order to limit the amount of
  120. parallelism an attacker can use, see :rfc:`7914` for more details.
  121. To use scrypt_ as your default storage algorithm, do the following:
  122. #. Modify :setting:`PASSWORD_HASHERS` to list ``ScryptPasswordHasher`` first.
  123. That is, in your settings file::
  124. PASSWORD_HASHERS = [
  125. 'django.contrib.auth.hashers.ScryptPasswordHasher',
  126. 'django.contrib.auth.hashers.PBKDF2PasswordHasher',
  127. 'django.contrib.auth.hashers.PBKDF2SHA1PasswordHasher',
  128. 'django.contrib.auth.hashers.Argon2PasswordHasher',
  129. 'django.contrib.auth.hashers.BCryptSHA256PasswordHasher',
  130. ]
  131. Keep and/or add any entries in this list if you need Django to :ref:`upgrade
  132. passwords <password-upgrades>`.
  133. .. note::
  134. ``scrypt`` requires OpenSSL 1.1+.
  135. Increasing the salt entropy
  136. ---------------------------
  137. Most password hashes include a salt along with their password hash in order to
  138. protect against rainbow table attacks. The salt itself is a random value which
  139. increases the size and thus the cost of the rainbow table and is currently set
  140. at 128 bits with the ``salt_entropy`` value in the ``BasePasswordHasher``. As
  141. computing and storage costs decrease this value should be raised. When
  142. implementing your own password hasher you are free to override this value in
  143. order to use a desired entropy level for your password hashes. ``salt_entropy``
  144. is measured in bits.
  145. .. admonition:: Implementation detail
  146. Due to the method in which salt values are stored the ``salt_entropy``
  147. value is effectively a minimum value. For instance a value of 128 would
  148. provide a salt which would actually contain 131 bits of entropy.
  149. .. _increasing-password-algorithm-work-factor:
  150. Increasing the work factor
  151. --------------------------
  152. PBKDF2 and bcrypt
  153. ~~~~~~~~~~~~~~~~~
  154. The PBKDF2 and bcrypt algorithms use a number of iterations or rounds of
  155. hashing. This deliberately slows down attackers, making attacks against hashed
  156. passwords harder. However, as computing power increases, the number of
  157. iterations needs to be increased. We've chosen a reasonable default (and will
  158. increase it with each release of Django), but you may wish to tune it up or
  159. down, depending on your security needs and available processing power. To do so,
  160. you'll subclass the appropriate algorithm and override the ``iterations``
  161. parameter (use the ``rounds`` parameter when subclassing a bcrypt hasher). For
  162. example, to increase the number of iterations used by the default PBKDF2
  163. algorithm:
  164. #. Create a subclass of ``django.contrib.auth.hashers.PBKDF2PasswordHasher``::
  165. from django.contrib.auth.hashers import PBKDF2PasswordHasher
  166. class MyPBKDF2PasswordHasher(PBKDF2PasswordHasher):
  167. """
  168. A subclass of PBKDF2PasswordHasher that uses 100 times more iterations.
  169. """
  170. iterations = PBKDF2PasswordHasher.iterations * 100
  171. Save this somewhere in your project. For example, you might put this in
  172. a file like ``myproject/hashers.py``.
  173. #. Add your new hasher as the first entry in :setting:`PASSWORD_HASHERS`::
  174. PASSWORD_HASHERS = [
  175. 'myproject.hashers.MyPBKDF2PasswordHasher',
  176. 'django.contrib.auth.hashers.PBKDF2PasswordHasher',
  177. 'django.contrib.auth.hashers.PBKDF2SHA1PasswordHasher',
  178. 'django.contrib.auth.hashers.Argon2PasswordHasher',
  179. 'django.contrib.auth.hashers.BCryptSHA256PasswordHasher',
  180. 'django.contrib.auth.hashers.ScryptPasswordHasher',
  181. ]
  182. That's it -- now your Django install will use more iterations when it
  183. stores passwords using PBKDF2.
  184. .. note::
  185. bcrypt ``rounds`` is a logarithmic work factor, e.g. 12 rounds means
  186. ``2 ** 12`` iterations.
  187. Argon2
  188. ~~~~~~
  189. Argon2 has the following attributes that can be customized:
  190. #. ``time_cost`` controls the number of iterations within the hash.
  191. #. ``memory_cost`` controls the size of memory that must be used during the
  192. computation of the hash.
  193. #. ``parallelism`` controls how many CPUs the computation of the hash can be
  194. parallelized on.
  195. The default values of these attributes are probably fine for you. If you
  196. determine that the password hash is too fast or too slow, you can tweak it as
  197. follows:
  198. #. Choose ``parallelism`` to be the number of threads you can
  199. spare computing the hash.
  200. #. Choose ``memory_cost`` to be the KiB of memory you can spare.
  201. #. Adjust ``time_cost`` and measure the time hashing a password takes.
  202. Pick a ``time_cost`` that takes an acceptable time for you.
  203. If ``time_cost`` set to 1 is unacceptably slow, lower ``memory_cost``.
  204. .. admonition:: ``memory_cost`` interpretation
  205. The argon2 command-line utility and some other libraries interpret the
  206. ``memory_cost`` parameter differently from the value that Django uses. The
  207. conversion is given by ``memory_cost == 2 ** memory_cost_commandline``.
  208. ``scrypt``
  209. ~~~~~~~~~~
  210. scrypt_ has the following attributes that can be customized:
  211. #. ``work_factor`` controls the number of iterations within the hash.
  212. #. ``block_size``
  213. #. ``parallelism`` controls how many threads will run in parallel.
  214. #. ``maxmem`` limits the maximum size of memory that can be used during the
  215. computation of the hash. Defaults to ``0``, which means the default
  216. limitation from the OpenSSL library.
  217. We've chosen reasonable defaults, but you may wish to tune it up or down,
  218. depending on your security needs and available processing power.
  219. .. admonition:: Estimating memory usage
  220. The minimum memory requirement of scrypt_ is::
  221. work_factor * 2 * block_size * 64
  222. so you may need to tweak ``maxmem`` when changing the ``work_factor`` or
  223. ``block_size`` values.
  224. .. _password-upgrades:
  225. Password upgrading
  226. ------------------
  227. When users log in, if their passwords are stored with anything other than
  228. the preferred algorithm, Django will automatically upgrade the algorithm
  229. to the preferred one. This means that old installs of Django will get
  230. automatically more secure as users log in, and it also means that you
  231. can switch to new (and better) storage algorithms as they get invented.
  232. However, Django can only upgrade passwords that use algorithms mentioned in
  233. :setting:`PASSWORD_HASHERS`, so as you upgrade to new systems you should make
  234. sure never to *remove* entries from this list. If you do, users using
  235. unmentioned algorithms won't be able to upgrade. Hashed passwords will be
  236. updated when increasing (or decreasing) the number of PBKDF2 iterations, bcrypt
  237. rounds, or argon2 attributes.
  238. Be aware that if all the passwords in your database aren't encoded in the
  239. default hasher's algorithm, you may be vulnerable to a user enumeration timing
  240. attack due to a difference between the duration of a login request for a user
  241. with a password encoded in a non-default algorithm and the duration of a login
  242. request for a nonexistent user (which runs the default hasher). You may be able
  243. to mitigate this by :ref:`upgrading older password hashes
  244. <wrapping-password-hashers>`.
  245. .. _wrapping-password-hashers:
  246. Password upgrading without requiring a login
  247. --------------------------------------------
  248. If you have an existing database with an older, weak hash such as MD5, you
  249. might want to upgrade those hashes yourself instead of waiting for the upgrade
  250. to happen when a user logs in (which may never happen if a user doesn't return
  251. to your site). In this case, you can use a "wrapped" password hasher.
  252. For this example, we'll migrate a collection of MD5 hashes to use
  253. PBKDF2(MD5(password)) and add the corresponding password hasher for checking
  254. if a user entered the correct password on login. We assume we're using the
  255. built-in ``User`` model and that our project has an ``accounts`` app. You can
  256. modify the pattern to work with any algorithm or with a custom user model.
  257. First, we'll add the custom hasher:
  258. .. code-block:: python
  259. :caption: ``accounts/hashers.py``
  260. from django.contrib.auth.hashers import (
  261. PBKDF2PasswordHasher, MD5PasswordHasher,
  262. )
  263. class PBKDF2WrappedMD5PasswordHasher(PBKDF2PasswordHasher):
  264. algorithm = 'pbkdf2_wrapped_md5'
  265. def encode_md5_hash(self, md5_hash, salt, iterations=None):
  266. return super().encode(md5_hash, salt, iterations)
  267. def encode(self, password, salt, iterations=None):
  268. _, _, md5_hash = MD5PasswordHasher().encode(password, salt).split('$', 2)
  269. return self.encode_md5_hash(md5_hash, salt, iterations)
  270. The data migration might look something like:
  271. .. code-block:: python
  272. :caption: ``accounts/migrations/0002_migrate_md5_passwords.py``
  273. from django.db import migrations
  274. from ..hashers import PBKDF2WrappedMD5PasswordHasher
  275. def forwards_func(apps, schema_editor):
  276. User = apps.get_model('auth', 'User')
  277. users = User.objects.filter(password__startswith='md5$')
  278. hasher = PBKDF2WrappedMD5PasswordHasher()
  279. for user in users:
  280. algorithm, salt, md5_hash = user.password.split('$', 2)
  281. user.password = hasher.encode_md5_hash(md5_hash, salt)
  282. user.save(update_fields=['password'])
  283. class Migration(migrations.Migration):
  284. dependencies = [
  285. ('accounts', '0001_initial'),
  286. # replace this with the latest migration in contrib.auth
  287. ('auth', '####_migration_name'),
  288. ]
  289. operations = [
  290. migrations.RunPython(forwards_func),
  291. ]
  292. Be aware that this migration will take on the order of several minutes for
  293. several thousand users, depending on the speed of your hardware.
  294. Finally, we'll add a :setting:`PASSWORD_HASHERS` setting:
  295. .. code-block:: python
  296. :caption: ``mysite/settings.py``
  297. PASSWORD_HASHERS = [
  298. 'django.contrib.auth.hashers.PBKDF2PasswordHasher',
  299. 'accounts.hashers.PBKDF2WrappedMD5PasswordHasher',
  300. ]
  301. Include any other hashers that your site uses in this list.
  302. .. _pbkdf2: https://en.wikipedia.org/wiki/PBKDF2
  303. .. _nist: https://nvlpubs.nist.gov/nistpubs/Legacy/SP/nistspecialpublication800-132.pdf
  304. .. _bcrypt: https://en.wikipedia.org/wiki/Bcrypt
  305. .. _`bcrypt library`: https://pypi.org/project/bcrypt/
  306. .. _`argon2-cffi library`: https://pypi.org/project/argon2-cffi/
  307. .. _argon2: https://en.wikipedia.org/wiki/Argon2
  308. .. _scrypt: https://en.wikipedia.org/wiki/Scrypt
  309. .. _`Password Hashing Competition`: https://www.password-hashing.net/
  310. .. _auth-included-hashers:
  311. Included hashers
  312. ----------------
  313. The full list of hashers included in Django is::
  314. [
  315. 'django.contrib.auth.hashers.PBKDF2PasswordHasher',
  316. 'django.contrib.auth.hashers.PBKDF2SHA1PasswordHasher',
  317. 'django.contrib.auth.hashers.Argon2PasswordHasher',
  318. 'django.contrib.auth.hashers.BCryptSHA256PasswordHasher',
  319. 'django.contrib.auth.hashers.BCryptPasswordHasher',
  320. 'django.contrib.auth.hashers.ScryptPasswordHasher',
  321. 'django.contrib.auth.hashers.MD5PasswordHasher',
  322. ]
  323. The corresponding algorithm names are:
  324. * ``pbkdf2_sha256``
  325. * ``pbkdf2_sha1``
  326. * ``argon2``
  327. * ``bcrypt_sha256``
  328. * ``bcrypt``
  329. * ``scrypt``
  330. * ``md5``
  331. .. _write-your-own-password-hasher:
  332. Writing your own hasher
  333. -----------------------
  334. If you write your own password hasher that contains a work factor such as a
  335. number of iterations, you should implement a
  336. ``harden_runtime(self, password, encoded)`` method to bridge the runtime gap
  337. between the work factor supplied in the ``encoded`` password and the default
  338. work factor of the hasher. This prevents a user enumeration timing attack due
  339. to difference between a login request for a user with a password encoded in an
  340. older number of iterations and a nonexistent user (which runs the default
  341. hasher's default number of iterations).
  342. Taking PBKDF2 as example, if ``encoded`` contains 20,000 iterations and the
  343. hasher's default ``iterations`` is 30,000, the method should run ``password``
  344. through another 10,000 iterations of PBKDF2.
  345. If your hasher doesn't have a work factor, implement the method as a no-op
  346. (``pass``).
  347. Manually managing a user's password
  348. ===================================
  349. .. module:: django.contrib.auth.hashers
  350. The :mod:`django.contrib.auth.hashers` module provides a set of functions
  351. to create and validate hashed passwords. You can use them independently
  352. from the ``User`` model.
  353. .. function:: check_password(password, encoded, setter=None, preferred="default")
  354. If you'd like to manually authenticate a user by comparing a plain-text
  355. password to the hashed password in the database, use the convenience
  356. function :func:`check_password`. It takes two mandatory arguments: the
  357. plain-text password to check, and the full value of a user's ``password``
  358. field in the database to check against. It returns ``True`` if they match,
  359. ``False`` otherwise. Optionally, you can pass a callable ``setter`` that
  360. takes the password and will be called when you need to regenerate it. You
  361. can also pass ``preferred`` to change a hashing algorithm if you don't want
  362. to use the default (first entry of ``PASSWORD_HASHERS`` setting). See
  363. :ref:`auth-included-hashers` for the algorithm name of each hasher.
  364. .. function:: make_password(password, salt=None, hasher='default')
  365. Creates a hashed password in the format used by this application. It takes
  366. one mandatory argument: the password in plain-text (string or bytes).
  367. Optionally, you can provide a salt and a hashing algorithm to use, if you
  368. don't want to use the defaults (first entry of ``PASSWORD_HASHERS``
  369. setting). See :ref:`auth-included-hashers` for the algorithm name of each
  370. hasher. If the password argument is ``None``, an unusable password is
  371. returned (one that will never be accepted by :func:`check_password`).
  372. .. function:: is_password_usable(encoded_password)
  373. Returns ``False`` if the password is a result of
  374. :meth:`.User.set_unusable_password`.
  375. .. _password-validation:
  376. Password validation
  377. ===================
  378. .. module:: django.contrib.auth.password_validation
  379. Users often choose poor passwords. To help mitigate this problem, Django
  380. offers pluggable password validation. You can configure multiple password
  381. validators at the same time. A few validators are included in Django, but you
  382. can write your own as well.
  383. Each password validator must provide a help text to explain the requirements to
  384. the user, validate a given password and return an error message if it does not
  385. meet the requirements, and optionally receive passwords that have been set.
  386. Validators can also have optional settings to fine tune their behavior.
  387. Validation is controlled by the :setting:`AUTH_PASSWORD_VALIDATORS` setting.
  388. The default for the setting is an empty list, which means no validators are
  389. applied. In new projects created with the default :djadmin:`startproject`
  390. template, a set of validators is enabled by default.
  391. By default, validators are used in the forms to reset or change passwords and
  392. in the :djadmin:`createsuperuser` and :djadmin:`changepassword` management
  393. commands. Validators aren't applied at the model level, for example in
  394. ``User.objects.create_user()`` and ``create_superuser()``, because we assume
  395. that developers, not users, interact with Django at that level and also because
  396. model validation doesn't automatically run as part of creating models.
  397. .. note::
  398. Password validation can prevent the use of many types of weak passwords.
  399. However, the fact that a password passes all the validators doesn't
  400. guarantee that it is a strong password. There are many factors that can
  401. weaken a password that are not detectable by even the most advanced
  402. password validators.
  403. Enabling password validation
  404. ----------------------------
  405. Password validation is configured in the
  406. :setting:`AUTH_PASSWORD_VALIDATORS` setting::
  407. AUTH_PASSWORD_VALIDATORS = [
  408. {
  409. 'NAME': 'django.contrib.auth.password_validation.UserAttributeSimilarityValidator',
  410. },
  411. {
  412. 'NAME': 'django.contrib.auth.password_validation.MinimumLengthValidator',
  413. 'OPTIONS': {
  414. 'min_length': 9,
  415. }
  416. },
  417. {
  418. 'NAME': 'django.contrib.auth.password_validation.CommonPasswordValidator',
  419. },
  420. {
  421. 'NAME': 'django.contrib.auth.password_validation.NumericPasswordValidator',
  422. },
  423. ]
  424. This example enables all four included validators:
  425. * ``UserAttributeSimilarityValidator``, which checks the similarity between
  426. the password and a set of attributes of the user.
  427. * ``MinimumLengthValidator``, which checks whether the password meets a minimum
  428. length. This validator is configured with a custom option: it now requires
  429. the minimum length to be nine characters, instead of the default eight.
  430. * ``CommonPasswordValidator``, which checks whether the password occurs in a
  431. list of common passwords. By default, it compares to an included list of
  432. 20,000 common passwords.
  433. * ``NumericPasswordValidator``, which checks whether the password isn't
  434. entirely numeric.
  435. For ``UserAttributeSimilarityValidator`` and ``CommonPasswordValidator``,
  436. we're using the default settings in this example. ``NumericPasswordValidator``
  437. has no settings.
  438. The help texts and any errors from password validators are always returned in
  439. the order they are listed in :setting:`AUTH_PASSWORD_VALIDATORS`.
  440. Included validators
  441. -------------------
  442. Django includes four validators:
  443. .. class:: MinimumLengthValidator(min_length=8)
  444. Validates that the password is of a minimum length.
  445. The minimum length can be customized with the ``min_length`` parameter.
  446. .. class:: UserAttributeSimilarityValidator(user_attributes=DEFAULT_USER_ATTRIBUTES, max_similarity=0.7)
  447. Validates that the password is sufficiently different from certain
  448. attributes of the user.
  449. The ``user_attributes`` parameter should be an iterable of names of user
  450. attributes to compare to. If this argument is not provided, the default
  451. is used: ``'username', 'first_name', 'last_name', 'email'``.
  452. Attributes that don't exist are ignored.
  453. The maximum allowed similarity of passwords can be set on a scale of 0.1
  454. to 1.0 with the ``max_similarity`` parameter. This is compared to the
  455. result of :meth:`difflib.SequenceMatcher.quick_ratio`. A value of 0.1
  456. rejects passwords unless they are substantially different from the
  457. ``user_attributes``, whereas a value of 1.0 rejects only passwords that are
  458. identical to an attribute's value.
  459. .. versionchanged:: 2.2.26
  460. The ``max_similarity`` parameter was limited to a minimum value of 0.1.
  461. .. class:: CommonPasswordValidator(password_list_path=DEFAULT_PASSWORD_LIST_PATH)
  462. Validates that the password is not a common password. This converts the
  463. password to lowercase (to do a case-insensitive comparison) and checks it
  464. against a list of 20,000 common password created by `Royce Williams
  465. <https://gist.github.com/roycewilliams/226886fd01572964e1431ac8afc999ce>`_.
  466. The ``password_list_path`` can be set to the path of a custom file of
  467. common passwords. This file should contain one lowercase password per line
  468. and may be plain text or gzipped.
  469. .. versionchanged:: 4.2
  470. The list of 20,000 common passwords was updated to the most recent
  471. version.
  472. .. class:: NumericPasswordValidator()
  473. Validate that the password is not entirely numeric.
  474. Integrating validation
  475. ----------------------
  476. There are a few functions in ``django.contrib.auth.password_validation`` that
  477. you can call from your own forms or other code to integrate password
  478. validation. This can be useful if you use custom forms for password setting,
  479. or if you have API calls that allow passwords to be set, for example.
  480. .. function:: validate_password(password, user=None, password_validators=None)
  481. Validates a password. If all validators find the password valid, returns
  482. ``None``. If one or more validators reject the password, raises a
  483. :exc:`~django.core.exceptions.ValidationError` with all the error messages
  484. from the validators.
  485. The ``user`` object is optional: if it's not provided, some validators may
  486. not be able to perform any validation and will accept any password.
  487. .. function:: password_changed(password, user=None, password_validators=None)
  488. Informs all validators that the password has been changed. This can be used
  489. by validators such as one that prevents password reuse. This should be
  490. called once the password has been successfully changed.
  491. For subclasses of :class:`~django.contrib.auth.models.AbstractBaseUser`,
  492. the password field will be marked as "dirty" when calling
  493. :meth:`~django.contrib.auth.models.AbstractBaseUser.set_password` which
  494. triggers a call to ``password_changed()`` after the user is saved.
  495. .. function:: password_validators_help_texts(password_validators=None)
  496. Returns a list of the help texts of all validators. These explain the
  497. password requirements to the user.
  498. .. function:: password_validators_help_text_html(password_validators=None)
  499. Returns an HTML string with all help texts in an ``<ul>``. This is
  500. helpful when adding password validation to forms, as you can pass the
  501. output directly to the ``help_text`` parameter of a form field.
  502. .. function:: get_password_validators(validator_config)
  503. Returns a set of validator objects based on the ``validator_config``
  504. parameter. By default, all functions use the validators defined in
  505. :setting:`AUTH_PASSWORD_VALIDATORS`, but by calling this function with an
  506. alternate set of validators and then passing the result into the
  507. ``password_validators`` parameter of the other functions, your custom set
  508. of validators will be used instead. This is useful when you have a typical
  509. set of validators to use for most scenarios, but also have a special
  510. situation that requires a custom set. If you always use the same set
  511. of validators, there is no need to use this function, as the configuration
  512. from :setting:`AUTH_PASSWORD_VALIDATORS` is used by default.
  513. The structure of ``validator_config`` is identical to the
  514. structure of :setting:`AUTH_PASSWORD_VALIDATORS`. The return value of
  515. this function can be passed into the ``password_validators`` parameter
  516. of the functions listed above.
  517. Note that where the password is passed to one of these functions, this should
  518. always be the clear text password - not a hashed password.
  519. Writing your own validator
  520. --------------------------
  521. If Django's built-in validators are not sufficient, you can write your own
  522. password validators. Validators have a fairly small interface. They must
  523. implement two methods:
  524. * ``validate(self, password, user=None)``: validate a password. Return
  525. ``None`` if the password is valid, or raise a
  526. :exc:`~django.core.exceptions.ValidationError` with an error message if the
  527. password is not valid. You must be able to deal with ``user`` being
  528. ``None`` - if that means your validator can't run, return ``None`` for no
  529. error.
  530. * ``get_help_text()``: provide a help text to explain the requirements to
  531. the user.
  532. Any items in the ``OPTIONS`` in :setting:`AUTH_PASSWORD_VALIDATORS` for your
  533. validator will be passed to the constructor. All constructor arguments should
  534. have a default value.
  535. Here's a basic example of a validator, with one optional setting::
  536. from django.core.exceptions import ValidationError
  537. from django.utils.translation import gettext as _
  538. class MinimumLengthValidator:
  539. def __init__(self, min_length=8):
  540. self.min_length = min_length
  541. def validate(self, password, user=None):
  542. if len(password) < self.min_length:
  543. raise ValidationError(
  544. _("This password must contain at least %(min_length)d characters."),
  545. code='password_too_short',
  546. params={'min_length': self.min_length},
  547. )
  548. def get_help_text(self):
  549. return _(
  550. "Your password must contain at least %(min_length)d characters."
  551. % {'min_length': self.min_length}
  552. )
  553. You can also implement ``password_changed(password, user=None``), which will
  554. be called after a successful password change. That can be used to prevent
  555. password reuse, for example. However, if you decide to store a user's previous
  556. passwords, you should never do so in clear text.