3.1.txt 33 KB

123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154155156157158159160161162163164165166167168169170171172173174175176177178179180181182183184185186187188189190191192193194195196197198199200201202203204205206207208209210211212213214215216217218219220221222223224225226227228229230231232233234235236237238239240241242243244245246247248249250251252253254255256257258259260261262263264265266267268269270271272273274275276277278279280281282283284285286287288289290291292293294295296297298299300301302303304305306307308309310311312313314315316317318319320321322323324325326327328329330331332333334335336337338339340341342343344345346347348349350351352353354355356357358359360361362363364365366367368369370371372373374375376377378379380381382383384385386387388389390391392393394395396397398399400401402403404405406407408409410411412413414415416417418419420421422423424425426427428429430431432433434435436437438439440441442443444445446447448449450451452453454455456457458459460461462463464465466467468469470471472473474475476477478479480481482483484485486487488489490491492493494495496497498499500501502503504505506507508509510511512513514515516517518519520521522523524525526527528529530531532533534535536537538539540541542543544545546547548549550551552553554555556557558559560561562563564565566567568569570571572573574575576577578579580581582583584585586587588589590591592593594595596597598599600601602603604605606607608609610611612613614615616617618619620621622623624625626627628629630631632633634635636637638639640641642643644645646647648649650651652653654655656657658659660661662663664665666667668669670671672673674675676677678679680681682683684685686687688689690691692693694695696697698699700701702703704705706707708709710711712713714715716717718719720721722723724725726727728729730731732733734735736737738739740741742743744745746747748749750751752753754755756757758759760761762763764765766767768769770771772773774775776777778779780781782783784785786787788789790791792793794795796797798799800801802803804805806807808809810811812813814815816817818819820821822823824825826827828829830831832833834835836837838839840841842843844845846847848849850851852853854855856
  1. ========================
  2. Django 3.1 release notes
  3. ========================
  4. *August 4, 2020*
  5. Welcome to Django 3.1!
  6. These release notes cover the :ref:`new features <whats-new-3.1>`, as well as
  7. some :ref:`backwards incompatible changes <backwards-incompatible-3.1>` you'll
  8. want to be aware of when upgrading from Django 3.0 or earlier. We've
  9. :ref:`dropped some features<removed-features-3.1>` that have reached the end of
  10. their deprecation cycle, and we've :ref:`begun the deprecation process for
  11. some features <deprecated-features-3.1>`.
  12. See the :doc:`/howto/upgrade-version` guide if you're updating an existing
  13. project.
  14. Python compatibility
  15. ====================
  16. Django 3.1 supports Python 3.6, 3.7, 3.8, and 3.9 (as of 3.1.3). We **highly
  17. recommend** and only officially support the latest release of each series.
  18. .. _whats-new-3.1:
  19. What's new in Django 3.1
  20. ========================
  21. Asynchronous views and middleware support
  22. -----------------------------------------
  23. Django now supports a fully asynchronous request path, including:
  24. * :ref:`Asynchronous views <async-views>`
  25. * :ref:`Asynchronous middleware <async-middleware>`
  26. * :ref:`Asynchronous tests and test client <async-tests>`
  27. To get started with async views, you need to declare a view using
  28. ``async def``::
  29. async def my_view(request):
  30. await asyncio.sleep(0.5)
  31. return HttpResponse('Hello, async world!')
  32. All asynchronous features are supported whether you are running under WSGI or
  33. ASGI mode. However, there will be performance penalties using async code in
  34. WSGI mode. You can read more about the specifics in :doc:`/topics/async`
  35. documentation.
  36. You are free to mix async and sync views, middleware, and tests as much as you
  37. want. Django will ensure that you always end up with the right execution
  38. context. We expect most projects will keep the majority of their views
  39. synchronous, and only have a select few running in async mode - but it is
  40. entirely your choice.
  41. Django's ORM, cache layer, and other pieces of code that do long-running
  42. network calls do not yet support async access. We expect to add support for
  43. them in upcoming releases. Async views are ideal, however, if you are doing a
  44. lot of API or HTTP calls inside your view, you can now natively do all those
  45. HTTP calls in parallel to considerably speed up your view's execution.
  46. Asynchronous support should be entirely backwards-compatible and we have tried
  47. to ensure that it has no speed regressions for your existing, synchronous code.
  48. It should have no noticeable effect on any existing Django projects.
  49. JSONField for all supported database backends
  50. ---------------------------------------------
  51. Django now includes :class:`.models.JSONField` and
  52. :class:`forms.JSONField <django.forms.JSONField>` that can be used on all
  53. supported database backends. Both fields support the use of custom JSON
  54. encoders and decoders. The model field supports the introspection,
  55. :ref:`lookups, and transforms <querying-jsonfield>` that were previously
  56. PostgreSQL-only::
  57. from django.db import models
  58. class ContactInfo(models.Model):
  59. data = models.JSONField()
  60. ContactInfo.objects.create(data={
  61. 'name': 'John',
  62. 'cities': ['London', 'Cambridge'],
  63. 'pets': {'dogs': ['Rufus', 'Meg']},
  64. })
  65. ContactInfo.objects.filter(
  66. data__name='John',
  67. data__pets__has_key='dogs',
  68. data__cities__contains='London',
  69. ).delete()
  70. If your project uses ``django.contrib.postgres.fields.JSONField``, plus the
  71. related form field and transforms, you should adjust to use the new fields,
  72. and generate and apply a database migration. For now, the old fields and
  73. transforms are left as a reference to the new ones and are :ref:`deprecated as
  74. of this release <deprecated-jsonfield>`.
  75. .. _default-hashing-algorithm-usage:
  76. ``DEFAULT_HASHING_ALGORITHM`` settings
  77. --------------------------------------
  78. The new ``DEFAULT_HASHING_ALGORITHM`` transitional setting allows specifying
  79. the default hashing algorithm to use for encoding cookies, password reset
  80. tokens in the admin site, user sessions, and signatures created by
  81. :class:`django.core.signing.Signer` and :meth:`django.core.signing.dumps`.
  82. Support for SHA-256 was added in Django 3.1. If you are upgrading multiple
  83. instances of the same project to Django 3.1, you should set
  84. ``DEFAULT_HASHING_ALGORITHM`` to ``'sha1'`` during the transition, in order to
  85. allow compatibility with the older versions of Django. Note that this requires
  86. Django 3.1.1+. Once the transition to 3.1 is complete you can stop overriding
  87. ``DEFAULT_HASHING_ALGORITHM``.
  88. This setting is deprecated as of this release, because support for tokens,
  89. cookies, sessions, and signatures that use SHA-1 algorithm will be removed in
  90. Django 4.0.
  91. Minor features
  92. --------------
  93. :mod:`django.contrib.admin`
  94. ~~~~~~~~~~~~~~~~~~~~~~~~~~~
  95. * The new ``django.contrib.admin.EmptyFieldListFilter`` for
  96. :attr:`.ModelAdmin.list_filter` allows filtering on empty values (empty
  97. strings and nulls) in the admin changelist view.
  98. * Filters in the right sidebar of the admin changelist view now contain a link
  99. to clear all filters.
  100. * The admin now has a sidebar on larger screens for easier navigation. It is
  101. enabled by default but can be disabled by using a custom ``AdminSite`` and
  102. setting :attr:`.AdminSite.enable_nav_sidebar` to ``False``.
  103. Rendering the sidebar requires access to the current request in order to set
  104. CSS and ARIA role affordances. This requires using
  105. ``'django.template.context_processors.request'`` in the
  106. ``'context_processors'`` option of :setting:`OPTIONS <TEMPLATES-OPTIONS>`.
  107. * ``XRegExp`` is upgraded from version 2.0.0 to 3.2.0.
  108. * jQuery is upgraded from version 3.4.1 to 3.5.1.
  109. * Select2 library is upgraded from version 4.0.7 to 4.0.13.
  110. :mod:`django.contrib.auth`
  111. ~~~~~~~~~~~~~~~~~~~~~~~~~~
  112. * The default iteration count for the PBKDF2 password hasher is increased from
  113. 180,000 to 216,000.
  114. * The new :setting:`PASSWORD_RESET_TIMEOUT` setting allows defining the number
  115. of seconds a password reset link is valid for. This is encouraged instead of
  116. the deprecated ``PASSWORD_RESET_TIMEOUT_DAYS`` setting, which will be removed
  117. in Django 4.0.
  118. * The password reset mechanism now uses the SHA-256 hashing algorithm. Support
  119. for tokens that use the old hashing algorithm remains until Django 4.0.
  120. * :meth:`.AbstractBaseUser.get_session_auth_hash` now uses the SHA-256 hashing
  121. algorithm. Support for user sessions that use the old hashing algorithm
  122. remains until Django 4.0.
  123. :mod:`django.contrib.contenttypes`
  124. ~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~
  125. * The new :option:`remove_stale_contenttypes --include-stale-apps` option
  126. allows removing stale content types from previously installed apps that have
  127. been removed from :setting:`INSTALLED_APPS`.
  128. :mod:`django.contrib.gis`
  129. ~~~~~~~~~~~~~~~~~~~~~~~~~
  130. * :lookup:`relate` lookup is now supported on MariaDB.
  131. * Added the :attr:`.LinearRing.is_counterclockwise` property.
  132. * :class:`~django.contrib.gis.db.models.functions.AsGeoJSON` is now supported
  133. on Oracle.
  134. * Added the :class:`~django.contrib.gis.db.models.functions.AsWKB` and
  135. :class:`~django.contrib.gis.db.models.functions.AsWKT` functions.
  136. * Added support for PostGIS 3 and GDAL 3.
  137. :mod:`django.contrib.humanize`
  138. ~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~
  139. * :tfilter:`intword` template filter now supports negative integers.
  140. :mod:`django.contrib.postgres`
  141. ~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~
  142. * The new :class:`~django.contrib.postgres.indexes.BloomIndex` class allows
  143. creating ``bloom`` indexes in the database. The new
  144. :class:`~django.contrib.postgres.operations.BloomExtension` migration
  145. operation installs the ``bloom`` extension to add support for this index.
  146. * :meth:`~django.db.models.Model.get_FOO_display` now supports
  147. :class:`~django.contrib.postgres.fields.ArrayField` and
  148. :class:`~django.contrib.postgres.fields.RangeField`.
  149. * The new :lookup:`rangefield.lower_inc`, :lookup:`rangefield.lower_inf`,
  150. :lookup:`rangefield.upper_inc`, and :lookup:`rangefield.upper_inf` lookups
  151. allow querying :class:`~django.contrib.postgres.fields.RangeField` by a bound
  152. type.
  153. * :lookup:`rangefield.contained_by` now supports
  154. :class:`~django.db.models.SmallAutoField`,
  155. :class:`~django.db.models.AutoField`,
  156. :class:`~django.db.models.BigAutoField`,
  157. :class:`~django.db.models.SmallIntegerField`, and
  158. :class:`~django.db.models.DecimalField`.
  159. * :class:`~django.contrib.postgres.search.SearchQuery` now supports
  160. ``'websearch'`` search type on PostgreSQL 11+.
  161. * :class:`SearchQuery.value <django.contrib.postgres.search.SearchQuery>` now
  162. supports query expressions.
  163. * The new :class:`~django.contrib.postgres.search.SearchHeadline` class allows
  164. highlighting search results.
  165. * :lookup:`search` lookup now supports query expressions.
  166. * The new ``cover_density`` parameter of
  167. :class:`~django.contrib.postgres.search.SearchRank` allows ranking by cover
  168. density.
  169. * The new ``normalization`` parameter of
  170. :class:`~django.contrib.postgres.search.SearchRank` allows rank
  171. normalization.
  172. * The new :attr:`.ExclusionConstraint.deferrable` attribute allows creating
  173. deferrable exclusion constraints.
  174. :mod:`django.contrib.sessions`
  175. ~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~
  176. * The :setting:`SESSION_COOKIE_SAMESITE` setting now allows ``'None'`` (string)
  177. value to explicitly state that the cookie is sent with all same-site and
  178. cross-site requests.
  179. :mod:`django.contrib.staticfiles`
  180. ~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~
  181. * The :setting:`STATICFILES_DIRS` setting now supports :class:`pathlib.Path`.
  182. Cache
  183. ~~~~~
  184. * The :func:`~django.views.decorators.cache.cache_control` decorator and
  185. :func:`~django.utils.cache.patch_cache_control` method now support multiple
  186. field names in the ``no-cache`` directive for the ``Cache-Control`` header,
  187. according to :rfc:`7234#section-5.2.2.2`.
  188. * :meth:`~django.core.caches.cache.delete` now returns ``True`` if the key was
  189. successfully deleted, ``False`` otherwise.
  190. CSRF
  191. ~~~~
  192. * The :setting:`CSRF_COOKIE_SAMESITE` setting now allows ``'None'`` (string)
  193. value to explicitly state that the cookie is sent with all same-site and
  194. cross-site requests.
  195. Email
  196. ~~~~~
  197. * The :setting:`EMAIL_FILE_PATH` setting, used by the :ref:`file email backend
  198. <topic-email-file-backend>`, now supports :class:`pathlib.Path`.
  199. Error Reporting
  200. ~~~~~~~~~~~~~~~
  201. * :class:`django.views.debug.SafeExceptionReporterFilter` now filters sensitive
  202. values from ``request.META`` in exception reports.
  203. * The new :attr:`.SafeExceptionReporterFilter.cleansed_substitute` and
  204. :attr:`.SafeExceptionReporterFilter.hidden_settings` attributes allow
  205. customization of sensitive settings and ``request.META`` filtering in
  206. exception reports.
  207. * The technical 404 debug view now respects
  208. :setting:`DEFAULT_EXCEPTION_REPORTER_FILTER` when applying settings
  209. filtering.
  210. * The new :setting:`DEFAULT_EXCEPTION_REPORTER` allows providing a
  211. :class:`django.views.debug.ExceptionReporter` subclass to customize exception
  212. report generation. See :ref:`custom-error-reports` for details.
  213. File Storage
  214. ~~~~~~~~~~~~
  215. * ``FileSystemStorage.save()`` method now supports :class:`pathlib.Path`.
  216. * :class:`~django.db.models.FileField` and
  217. :class:`~django.db.models.ImageField` now accept a callable for ``storage``.
  218. This allows you to modify the used storage at runtime, selecting different
  219. storages for different environments, for example.
  220. Forms
  221. ~~~~~
  222. * :class:`~django.forms.ModelChoiceIterator`, used by
  223. :class:`~django.forms.ModelChoiceField` and
  224. :class:`~django.forms.ModelMultipleChoiceField`, now uses
  225. :class:`~django.forms.ModelChoiceIteratorValue` that can be used by widgets
  226. to access model instances. See :ref:`iterating-relationship-choices` for
  227. details.
  228. * :class:`django.forms.DateTimeField` now accepts dates in a subset of ISO 8601
  229. datetime formats, including optional timezone, e.g. ``2019-10-10T06:47``,
  230. ``2019-10-10T06:47:23+04:00``, or ``2019-10-10T06:47:23Z``. The timezone will
  231. always be retained if provided, with timezone-aware datetimes being returned
  232. even when :setting:`USE_TZ` is ``False``.
  233. Additionally, ``DateTimeField`` now uses ``DATE_INPUT_FORMATS`` in addition
  234. to ``DATETIME_INPUT_FORMATS`` when converting a field input to a ``datetime``
  235. value.
  236. * :attr:`.MultiWidget.widgets` now accepts a dictionary which allows
  237. customizing subwidget ``name`` attributes.
  238. * The new :attr:`.BoundField.widget_type` property can be used to dynamically
  239. adjust form rendering based upon the widget type.
  240. Internationalization
  241. ~~~~~~~~~~~~~~~~~~~~
  242. * The :setting:`LANGUAGE_COOKIE_SAMESITE` setting now allows ``'None'``
  243. (string) value to explicitly state that the cookie is sent with all same-site
  244. and cross-site requests.
  245. * Added support and translations for the Algerian Arabic, Igbo, Kyrgyz, Tajik,
  246. and Turkmen languages.
  247. Management Commands
  248. ~~~~~~~~~~~~~~~~~~~
  249. * The new :option:`check --database` option allows specifying database aliases
  250. for running the ``database`` system checks. Previously these checks were
  251. enabled for all configured :setting:`DATABASES` by passing the ``database``
  252. tag to the command.
  253. * The new :option:`migrate --check` option makes the command exit with a
  254. non-zero status when unapplied migrations are detected.
  255. * The new ``returncode`` argument for
  256. :attr:`~django.core.management.CommandError` allows customizing the exit
  257. status for management commands.
  258. * The new :option:`dbshell -- ARGUMENTS <dbshell -->` option allows passing
  259. extra arguments to the command-line client for the database.
  260. * The :djadmin:`flush` and :djadmin:`sqlflush` commands now include SQL to
  261. reset sequences on SQLite.
  262. Models
  263. ~~~~~~
  264. * The new :class:`~django.db.models.functions.ExtractIsoWeekDay` function
  265. extracts ISO-8601 week days from :class:`~django.db.models.DateField` and
  266. :class:`~django.db.models.DateTimeField`, and the new :lookup:`iso_week_day`
  267. lookup allows querying by an ISO-8601 day of week.
  268. * :meth:`.QuerySet.explain` now supports:
  269. * ``TREE`` format on MySQL 8.0.16+,
  270. * ``analyze`` option on MySQL 8.0.18+ and MariaDB.
  271. * Added :class:`~django.db.models.PositiveBigIntegerField` which acts much like
  272. a :class:`~django.db.models.PositiveIntegerField` except that it only allows
  273. values under a certain (database-dependent) limit. Values from ``0`` to
  274. ``9223372036854775807`` are safe in all databases supported by Django.
  275. * The new :class:`~django.db.models.RESTRICT` option for
  276. :attr:`~django.db.models.ForeignKey.on_delete` argument of ``ForeignKey`` and
  277. ``OneToOneField`` emulates the behavior of the SQL constraint ``ON DELETE
  278. RESTRICT``.
  279. * :attr:`.CheckConstraint.check` now supports boolean expressions.
  280. * The :meth:`.RelatedManager.add`, :meth:`~.RelatedManager.create`, and
  281. :meth:`~.RelatedManager.set` methods now accept callables as values in the
  282. ``through_defaults`` argument.
  283. * The new ``is_dst`` parameter of the :meth:`.QuerySet.datetimes` determines
  284. the treatment of nonexistent and ambiguous datetimes.
  285. * The new :class:`~django.db.models.F` expression ``bitxor()`` method allows
  286. :ref:`bitwise XOR operation <using-f-expressions-in-filters>`.
  287. * :meth:`.QuerySet.bulk_create` now sets the primary key on objects when using
  288. MariaDB 10.5+.
  289. * The ``DatabaseOperations.sql_flush()`` method now generates more efficient
  290. SQL on MySQL by using ``DELETE`` instead of ``TRUNCATE`` statements for
  291. tables which don't require resetting sequences.
  292. * SQLite functions are now marked as :py:meth:`deterministic
  293. <sqlite3.Connection.create_function>` on Python 3.8+. This allows using them
  294. in check constraints and partial indexes.
  295. * The new :attr:`.UniqueConstraint.deferrable` attribute allows creating
  296. deferrable unique constraints.
  297. Pagination
  298. ~~~~~~~~~~
  299. * :class:`~django.core.paginator.Paginator` can now be iterated over to yield
  300. its pages.
  301. Requests and Responses
  302. ~~~~~~~~~~~~~~~~~~~~~~
  303. * If :setting:`ALLOWED_HOSTS` is empty and ``DEBUG=True``, subdomains of
  304. localhost are now allowed in the ``Host`` header, e.g. ``static.localhost``.
  305. * :meth:`.HttpResponse.set_cookie` and :meth:`.HttpResponse.set_signed_cookie`
  306. now allow using ``samesite='None'`` (string) to explicitly state that the
  307. cookie is sent with all same-site and cross-site requests.
  308. * The new :meth:`.HttpRequest.accepts` method returns whether the request
  309. accepts the given MIME type according to the ``Accept`` HTTP header.
  310. .. _whats-new-security-3.1:
  311. Security
  312. ~~~~~~~~
  313. * The :setting:`SECURE_REFERRER_POLICY` setting now defaults to
  314. ``'same-origin'``. With this configured,
  315. :class:`~django.middleware.security.SecurityMiddleware` sets the
  316. :ref:`referrer-policy` header to ``same-origin`` on all responses that do not
  317. already have it. This prevents the ``Referer`` header being sent to other
  318. origins. If you need the previous behavior, explicitly set
  319. :setting:`SECURE_REFERRER_POLICY` to ``None``.
  320. * The default algorithm of :class:`django.core.signing.Signer`,
  321. :meth:`django.core.signing.loads`, and :meth:`django.core.signing.dumps` is
  322. changed to the SHA-256. Support for signatures made with the old SHA-1
  323. algorithm remains until Django 4.0.
  324. Also, the new ``algorithm`` parameter of the
  325. :class:`~django.core.signing.Signer` allows customizing the hashing
  326. algorithm.
  327. Templates
  328. ~~~~~~~~~
  329. * The renamed :ttag:`translate` and :ttag:`blocktranslate` template tags are
  330. introduced for internationalization in template code. The older :ttag:`trans`
  331. and :ttag:`blocktrans` template tags aliases continue to work, and will be
  332. retained for the foreseeable future.
  333. * The :ttag:`include` template tag now accepts iterables of template names.
  334. Tests
  335. ~~~~~
  336. * :class:`~django.test.SimpleTestCase` now implements the ``debug()`` method to
  337. allow running a test without collecting the result and catching exceptions.
  338. This can be used to support running tests under a debugger.
  339. * The new :setting:`MIGRATE <TEST_MIGRATE>` test database setting allows
  340. disabling of migrations during a test database creation.
  341. * Django test runner now supports a :option:`test --buffer` option to discard
  342. output for passing tests.
  343. * :class:`~django.test.runner.DiscoverRunner` now skips running the system
  344. checks on databases not :ref:`referenced by tests<testing-multi-db>`.
  345. * :class:`~django.test.TransactionTestCase` teardown is now faster on MySQL
  346. due to :djadmin:`flush` command improvements. As a side effect the latter
  347. doesn't automatically reset sequences on teardown anymore. Enable
  348. :attr:`.TransactionTestCase.reset_sequences` if your tests require this
  349. feature.
  350. URLs
  351. ~~~~
  352. * :ref:`Path converters <registering-custom-path-converters>` can now raise
  353. ``ValueError`` in ``to_url()`` to indicate no match when reversing URLs.
  354. Utilities
  355. ~~~~~~~~~
  356. * :func:`~django.utils.encoding.filepath_to_uri` now supports
  357. :class:`pathlib.Path`.
  358. * :func:`~django.utils.dateparse.parse_duration` now supports comma separators
  359. for decimal fractions in the ISO 8601 format.
  360. * :func:`~django.utils.dateparse.parse_datetime`,
  361. :func:`~django.utils.dateparse.parse_duration`, and
  362. :func:`~django.utils.dateparse.parse_time` now support comma separators for
  363. milliseconds.
  364. Miscellaneous
  365. ~~~~~~~~~~~~~
  366. * The SQLite backend now supports :class:`pathlib.Path` for the ``NAME``
  367. setting.
  368. * The ``settings.py`` generated by the :djadmin:`startproject` command now uses
  369. :class:`pathlib.Path` instead of :mod:`os.path` for building filesystem
  370. paths.
  371. * The :setting:`TIME_ZONE <DATABASE-TIME_ZONE>` setting is now allowed on
  372. databases that support time zones.
  373. .. _backwards-incompatible-3.1:
  374. Backwards incompatible changes in 3.1
  375. =====================================
  376. Database backend API
  377. --------------------
  378. This section describes changes that may be needed in third-party database
  379. backends.
  380. * ``DatabaseOperations.fetch_returned_insert_columns()`` now requires an
  381. additional ``returning_params`` argument.
  382. * ``connection.timezone`` property is now ``'UTC'`` by default, or the
  383. :setting:`TIME_ZONE <DATABASE-TIME_ZONE>` when :setting:`USE_TZ` is ``True``
  384. on databases that support time zones. Previously, it was ``None`` on
  385. databases that support time zones.
  386. * ``connection._nodb_connection`` property is changed to the
  387. ``connection._nodb_cursor()`` method and now returns a context manager that
  388. yields a cursor and automatically closes the cursor and connection upon
  389. exiting the ``with`` statement.
  390. * ``DatabaseClient.runshell()`` now requires an additional ``parameters``
  391. argument as a list of extra arguments to pass on to the command-line client.
  392. * The ``sequences`` positional argument of ``DatabaseOperations.sql_flush()``
  393. is replaced by the boolean keyword-only argument ``reset_sequences``. If
  394. ``True``, the sequences of the truncated tables will be reset.
  395. * The ``allow_cascade`` argument of ``DatabaseOperations.sql_flush()`` is now a
  396. keyword-only argument.
  397. * The ``using`` positional argument of
  398. ``DatabaseOperations.execute_sql_flush()`` is removed. The method now uses
  399. the database of the called instance.
  400. * Third-party database backends must implement support for ``JSONField`` or set
  401. ``DatabaseFeatures.supports_json_field`` to ``False``. If storing primitives
  402. is not supported, set ``DatabaseFeatures.supports_primitives_in_json_field``
  403. to ``False``. If there is a true datatype for JSON, set
  404. ``DatabaseFeatures.has_native_json_field`` to ``True``. If
  405. :lookup:`jsonfield.contains` and :lookup:`jsonfield.contained_by` are not
  406. supported, set ``DatabaseFeatures.supports_json_field_contains`` to
  407. ``False``.
  408. * Third party database backends must implement introspection for ``JSONField``
  409. or set ``can_introspect_json_field`` to ``False``.
  410. Dropped support for MariaDB 10.1
  411. --------------------------------
  412. Upstream support for MariaDB 10.1 ends in October 2020. Django 3.1 supports
  413. MariaDB 10.2 and higher.
  414. ``contrib.admin`` browser support
  415. ---------------------------------
  416. The admin no longer supports the legacy Internet Explorer browser. See
  417. :ref:`the admin FAQ <admin-browser-support>` for details on supported browsers.
  418. :attr:`AbstractUser.first_name <django.contrib.auth.models.User.first_name>` ``max_length`` increased to 150
  419. ------------------------------------------------------------------------------------------------------------
  420. A migration for :attr:`django.contrib.auth.models.User.first_name` is included.
  421. If you have a custom user model inheriting from ``AbstractUser``, you'll need
  422. to generate and apply a database migration for your user model.
  423. If you want to preserve the 30 character limit for first names, use a custom
  424. form::
  425. from django import forms
  426. from django.contrib.auth.forms import UserChangeForm
  427. class MyUserChangeForm(UserChangeForm):
  428. first_name = forms.CharField(max_length=30, required=False)
  429. If you wish to keep this restriction in the admin when editing users, set
  430. ``UserAdmin.form`` to use this form::
  431. from django.contrib.auth.admin import UserAdmin
  432. from django.contrib.auth.models import User
  433. class MyUserAdmin(UserAdmin):
  434. form = MyUserChangeForm
  435. admin.site.unregister(User)
  436. admin.site.register(User, MyUserAdmin)
  437. Miscellaneous
  438. -------------
  439. * The cache keys used by :ttag:`cache` and generated by
  440. :func:`~django.core.cache.utils.make_template_fragment_key` are different
  441. from the keys generated by older versions of Django. After upgrading to
  442. Django 3.1, the first request to any previously cached template fragment will
  443. be a cache miss.
  444. * The logic behind the decision to return a redirection fallback or a 204 HTTP
  445. response from the :func:`~django.views.i18n.set_language` view is now based
  446. on the ``Accept`` HTTP header instead of the ``X-Requested-With`` HTTP header
  447. presence.
  448. * The compatibility imports of ``django.core.exceptions.EmptyResultSet`` in
  449. ``django.db.models.query``, ``django.db.models.sql``, and
  450. ``django.db.models.sql.datastructures`` are removed.
  451. * The compatibility import of ``django.core.exceptions.FieldDoesNotExist`` in
  452. ``django.db.models.fields`` is removed.
  453. * The compatibility imports of ``django.forms.utils.pretty_name()`` and
  454. ``django.forms.boundfield.BoundField`` in ``django.forms.forms`` are removed.
  455. * The compatibility imports of ``Context``, ``ContextPopException``, and
  456. ``RequestContext`` in ``django.template.base`` are removed.
  457. * The compatibility import of
  458. ``django.contrib.admin.helpers.ACTION_CHECKBOX_NAME`` in
  459. ``django.contrib.admin`` is removed.
  460. * The :setting:`STATIC_URL` and :setting:`MEDIA_URL` settings set to relative
  461. paths are now prefixed by the server-provided value of ``SCRIPT_NAME`` (or
  462. ``/`` if not set). This change should not affect settings set to valid URLs
  463. or absolute paths.
  464. * :class:`~django.middleware.http.ConditionalGetMiddleware` no longer adds the
  465. ``ETag`` header to responses with an empty
  466. :attr:`~django.http.HttpResponse.content`.
  467. * ``django.utils.decorators.classproperty()`` decorator is made public and
  468. moved to :class:`django.utils.functional.classproperty()`.
  469. * :tfilter:`floatformat` template filter now outputs (positive) ``0`` for
  470. negative numbers which round to zero.
  471. * :attr:`Meta.ordering <django.db.models.Options.ordering>` and
  472. :attr:`Meta.unique_together <django.db.models.Options.unique_together>`
  473. options on models in ``django.contrib`` modules that were formerly tuples are
  474. now lists.
  475. * The admin calendar widget now handles two-digit years according to the Open
  476. Group Specification, i.e. values between 69 and 99 are mapped to the previous
  477. century, and values between 0 and 68 are mapped to the current century.
  478. * Date-only formats are removed from the default list for
  479. :setting:`DATETIME_INPUT_FORMATS`.
  480. * The :class:`~django.forms.FileInput` widget no longer renders with the
  481. ``required`` HTML attribute when initial data exists.
  482. * The undocumented ``django.views.debug.ExceptionReporterFilter`` class is
  483. removed. As per the :ref:`custom-error-reports` documentation, classes to be
  484. used with :setting:`DEFAULT_EXCEPTION_REPORTER_FILTER` need to inherit from
  485. :class:`django.views.debug.SafeExceptionReporterFilter`.
  486. * The cache timeout set by :func:`~django.views.decorators.cache.cache_page`
  487. decorator now takes precedence over the ``max-age`` directive from the
  488. ``Cache-Control`` header.
  489. * Providing a non-local remote field in the :attr:`.ForeignKey.to_field`
  490. argument now raises :class:`~django.core.exceptions.FieldError`.
  491. * :setting:`SECURE_REFERRER_POLICY` now defaults to ``'same-origin'``. See the
  492. *What's New* :ref:`Security section <whats-new-security-3.1>` above for more
  493. details.
  494. * :djadmin:`check` management command now runs the ``database`` system checks
  495. only for database aliases specified using :option:`check --database` option.
  496. * :djadmin:`migrate` management command now runs the ``database`` system checks
  497. only for a database to migrate.
  498. * The admin CSS classes ``row1`` and ``row2`` are removed in favor of
  499. ``:nth-child(odd)`` and ``:nth-child(even)`` pseudo-classes.
  500. * The :func:`~django.contrib.auth.hashers.make_password` function now requires
  501. its argument to be a string or bytes. Other types should be explicitly cast
  502. to one of these.
  503. * The undocumented ``version`` parameter to the
  504. :class:`~django.contrib.gis.db.models.functions.AsKML` function is removed.
  505. * :ref:`JSON and YAML serializers <serialization-formats>`, used by
  506. :djadmin:`dumpdata`, now dump all data with Unicode by default. If you need
  507. the previous behavior, pass ``ensure_ascii=True`` to JSON serializer, or
  508. ``allow_unicode=False`` to YAML serializer.
  509. * The auto-reloader no longer monitors changes in built-in Django translation
  510. files.
  511. * The minimum supported version of ``mysqlclient`` is increased from 1.3.13 to
  512. 1.4.0.
  513. * The undocumented ``django.contrib.postgres.forms.InvalidJSONInput`` and
  514. ``django.contrib.postgres.forms.JSONString`` are moved to
  515. ``django.forms.fields``.
  516. * The undocumented ``django.contrib.postgres.fields.jsonb.JsonAdapter`` class
  517. is removed.
  518. * The :ttag:`{% localize off %} <localize>` tag and :tfilter:`unlocalize`
  519. filter no longer respect :setting:`DECIMAL_SEPARATOR` setting.
  520. * The minimum supported version of ``asgiref`` is increased from 3.2 to
  521. 3.2.10.
  522. * The :doc:`Media </topics/forms/media>` class now renders ``<script>`` tags
  523. without the ``type`` attribute to follow `WHATWG recommendations
  524. <https://html.spec.whatwg.org/multipage/scripting.html#the-script-element>`_.
  525. * :class:`~django.forms.ModelChoiceIterator`, used by
  526. :class:`~django.forms.ModelChoiceField` and
  527. :class:`~django.forms.ModelMultipleChoiceField`, now yields 2-tuple choices
  528. containing :class:`~django.forms.ModelChoiceIteratorValue` instances as the
  529. first ``value`` element in each choice. In most cases this proxies
  530. transparently, but if you need the ``field`` value itself, use the
  531. :attr:`.ModelChoiceIteratorValue.value` attribute instead.
  532. .. _deprecated-features-3.1:
  533. Features deprecated in 3.1
  534. ==========================
  535. .. _deprecated-jsonfield:
  536. PostgreSQL ``JSONField``
  537. ------------------------
  538. ``django.contrib.postgres.fields.JSONField`` and
  539. ``django.contrib.postgres.forms.JSONField`` are deprecated in favor of
  540. :class:`.models.JSONField` and
  541. :class:`forms.JSONField <django.forms.JSONField>`.
  542. The undocumented ``django.contrib.postgres.fields.jsonb.KeyTransform`` and
  543. ``django.contrib.postgres.fields.jsonb.KeyTextTransform`` are also deprecated
  544. in favor of the transforms in ``django.db.models.fields.json``.
  545. The new ``JSONField``\s, ``KeyTransform``, and ``KeyTextTransform`` can be used
  546. on all supported database backends.
  547. Miscellaneous
  548. -------------
  549. * ``PASSWORD_RESET_TIMEOUT_DAYS`` setting is deprecated in favor of
  550. :setting:`PASSWORD_RESET_TIMEOUT`.
  551. * The undocumented usage of the :lookup:`isnull` lookup with non-boolean values
  552. as the right-hand side is deprecated, use ``True`` or ``False`` instead.
  553. * The barely documented ``django.db.models.query_utils.InvalidQuery`` exception
  554. class is deprecated in favor of
  555. :class:`~django.core.exceptions.FieldDoesNotExist` and
  556. :class:`~django.core.exceptions.FieldError`.
  557. * The ``django-admin.py`` entry point is deprecated in favor of
  558. ``django-admin``.
  559. * The ``HttpRequest.is_ajax()`` method is deprecated as it relied on a
  560. jQuery-specific way of signifying AJAX calls, while current usage tends to
  561. use the JavaScript `Fetch API
  562. <https://developer.mozilla.org/en-US/docs/Web/API/Fetch_API>`_. Depending on
  563. your use case, you can either write your own AJAX detection method, or use
  564. the new :meth:`.HttpRequest.accepts` method if your code depends on the
  565. client ``Accept`` HTTP header.
  566. If you are writing your own AJAX detection method, ``request.is_ajax()`` can
  567. be reproduced exactly as
  568. ``request.headers.get('x-requested-with') == 'XMLHttpRequest'``.
  569. * Passing ``None`` as the first argument to
  570. ``django.utils.deprecation.MiddlewareMixin.__init__()`` is deprecated.
  571. * The encoding format of cookies values used by
  572. :class:`~django.contrib.messages.storage.cookie.CookieStorage` is different
  573. from the format generated by older versions of Django. Support for the old
  574. format remains until Django 4.0.
  575. * The encoding format of sessions is different from the format generated by
  576. older versions of Django. Support for the old format remains until Django
  577. 4.0.
  578. * The purely documentational ``providing_args`` argument for
  579. :class:`~django.dispatch.Signal` is deprecated. If you rely on this
  580. argument as documentation, you can move the text to a code comment or
  581. docstring.
  582. * Calling ``django.utils.crypto.get_random_string()`` without a ``length``
  583. argument is deprecated.
  584. * The ``list`` message for :class:`~django.forms.ModelMultipleChoiceField` is
  585. deprecated in favor of ``invalid_list``.
  586. * Passing raw column aliases to :meth:`.QuerySet.order_by` is deprecated. The
  587. same result can be achieved by passing aliases in a
  588. :class:`~django.db.models.expressions.RawSQL` instead beforehand.
  589. * The ``NullBooleanField`` model field is deprecated in favor of
  590. ``BooleanField(null=True)``.
  591. * ``django.conf.urls.url()`` alias of :func:`django.urls.re_path` is
  592. deprecated.
  593. * The ``{% ifequal %}`` and ``{% ifnotequal %}`` template tags are deprecated
  594. in favor of :ttag:`{% if %}<if>`. ``{% if %}`` covers all use cases, but if
  595. you need to continue using these tags, they can be extracted from Django to a
  596. module and included as a built-in tag in the :class:`'builtins'
  597. <django.template.backends.django.DjangoTemplates>` option in
  598. :setting:`OPTIONS <TEMPLATES-OPTIONS>`.
  599. * ``DEFAULT_HASHING_ALGORITHM`` transitional setting is deprecated.
  600. .. _removed-features-3.1:
  601. Features removed in 3.1
  602. =======================
  603. These features have reached the end of their deprecation cycle and are removed
  604. in Django 3.1.
  605. See :ref:`deprecated-features-2.2` for details on these changes, including how
  606. to remove usage of these features.
  607. * ``django.utils.timezone.FixedOffset`` is removed.
  608. * ``django.core.paginator.QuerySetPaginator`` is removed.
  609. * A model's ``Meta.ordering`` doesn't affect ``GROUP BY`` queries.
  610. * ``django.contrib.postgres.fields.FloatRangeField`` and
  611. ``django.contrib.postgres.forms.FloatRangeField`` are removed.
  612. * The ``FILE_CHARSET`` setting is removed.
  613. * ``django.contrib.staticfiles.storage.CachedStaticFilesStorage`` is removed.
  614. * The ``RemoteUserBackend.configure_user()`` method requires ``request`` as the
  615. first positional argument.
  616. * Support for ``SimpleTestCase.allow_database_queries`` and
  617. ``TransactionTestCase.multi_db`` is removed.