5.0.txt 19 KB

123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154155156157158159160161162163164165166167168169170171172173174175176177178179180181182183184185186187188189190191192193194195196197198199200201202203204205206207208209210211212213214215216217218219220221222223224225226227228229230231232233234235236237238239240241242243244245246247248249250251252253254255256257258259260261262263264265266267268269270271272273274275276277278279280281282283284285286287288289290291292293294295296297298299300301302303304305306307308309310311312313314315316317318319320321322323324325326327328329330331332333334335336337338339340341342343344345346347348349350351352353354355356357358359360361362363364365366367368369370371372373374375376377378379380381382383384385386387388389390391392393394395396397398399400401402403404405406407408409410411412413414415416417418419420421422423424425426427428429430431432433434435436437438439440441442443444445446447448449450451452453454455456457458459460461462463464465466467468469470471472473474475476477478479480481482483484485486487488489490491492493494495496497498499500501502503504505506507508509510511512513514515516517518519520521522523524525526527528529530531532533534535536537538539540541542543544545546547548549550551552553554555556557558559560561562563564565566567568569570571572573574575576577578579580581582583584585586587588589590591592593594595596597598599600601602603604605606607608609610611612613614615616617618619620621622623624625626627628629630631632633634635636637638639640641642
  1. ============================================
  2. Django 5.0 release notes - UNDER DEVELOPMENT
  3. ============================================
  4. *Expected December 2023*
  5. Welcome to Django 5.0!
  6. These release notes cover the :ref:`new features <whats-new-5.0>`, as well as
  7. some :ref:`backwards incompatible changes <backwards-incompatible-5.0>` you'll
  8. want to be aware of when upgrading from Django 4.2 or earlier. We've
  9. :ref:`begun the deprecation process for some features
  10. <deprecated-features-5.0>`.
  11. See the :doc:`/howto/upgrade-version` guide if you're updating an existing
  12. project.
  13. Python compatibility
  14. ====================
  15. Django 5.0 supports Python 3.10, 3.11, and 3.12. We **highly recommend** and
  16. only officially support the latest release of each series.
  17. The Django 4.2.x series is the last to support Python 3.8 and 3.9.
  18. Third-party library support for older version of Django
  19. =======================================================
  20. Following the release of Django 5.0, we suggest that third-party app authors
  21. drop support for all versions of Django prior to 4.2. At that time, you should
  22. be able to run your package's tests using ``python -Wd`` so that deprecation
  23. warnings appear. After making the deprecation warning fixes, your app should be
  24. compatible with Django 5.0.
  25. .. _whats-new-5.0:
  26. What's new in Django 5.0
  27. ========================
  28. Facet filters in the admin
  29. --------------------------
  30. Facet counts are now shown for applied filters in the admin changelist when
  31. toggled on via the UI. This behavior can be changed via the new
  32. :attr:`.ModelAdmin.show_facets` attribute. For more information see
  33. :ref:`facet-filters`.
  34. Simplified templates for form field rendering
  35. ---------------------------------------------
  36. Django 5.0 introduces the concept of a field group, and field group templates.
  37. This simplifies rendering of the related elements of a Django form field such
  38. as its label, widget, help text, and errors.
  39. For example, the template below:
  40. .. code-block:: html+django
  41. <form>
  42. ...
  43. <div>
  44. {{ form.name.label_tag }}
  45. {% if form.name.help_text %}
  46. <div class="helptext" id="{{ form.name.id_for_label }}_helptext">
  47. {{ form.name.help_text|safe }}
  48. </div>
  49. {% endif %}
  50. {{ form.name.errors }}
  51. {{ form.name }}
  52. <div class="row">
  53. <div class="col">
  54. {{ form.email.label_tag }}
  55. {% if form.email.help_text %}
  56. <div class="helptext" id="{{ form.email.id_for_label }}_helptext">
  57. {{ form.email.help_text|safe }}
  58. </div>
  59. {% endif %}
  60. {{ form.email.errors }}
  61. {{ form.email }}
  62. </div>
  63. <div class="col">
  64. {{ form.password.label_tag }}
  65. {% if form.password.help_text %}
  66. <div class="helptext" id="{{ form.password.id_for_label }}_helptext">
  67. {{ form.password.help_text|safe }}
  68. </div>
  69. {% endif %}
  70. {{ form.password.errors }}
  71. {{ form.password }}
  72. </div>
  73. </div>
  74. </div>
  75. ...
  76. </form>
  77. Can now be simplified to:
  78. .. code-block:: html+django
  79. <form>
  80. ...
  81. <div>
  82. {{ form.name.as_field_group }}
  83. <div class="row">
  84. <div class="col">{{ form.email.as_field_group }}</div>
  85. <div class="col">{{ form.password.as_field_group }}</div>
  86. </div>
  87. </div>
  88. ...
  89. </form>
  90. :meth:`~django.forms.BoundField.as_field_group` renders fields with the
  91. ``"django/forms/field.html"`` template by default and can be customized on a
  92. per-project, per-field, or per-request basis. See
  93. :ref:`reusable-field-group-templates`.
  94. Database-computed default values
  95. --------------------------------
  96. The new :attr:`Field.db_default <django.db.models.Field.db_default>` parameter
  97. sets a database-computed default value. For example::
  98. from django.db import models
  99. from django.db.models.functions import Now, Pi
  100. class MyModel(models.Model):
  101. age = models.IntegerField(db_default=18)
  102. created = models.DateTimeField(db_default=Now())
  103. circumference = models.FloatField(db_default=2 * Pi())
  104. Minor features
  105. --------------
  106. :mod:`django.contrib.admin`
  107. ~~~~~~~~~~~~~~~~~~~~~~~~~~~
  108. * The new :meth:`.AdminSite.get_log_entries` method allows customizing the
  109. queryset for the site's listed log entries.
  110. * The ``django.contrib.admin.AllValuesFieldListFilter``,
  111. ``ChoicesFieldListFilter``, ``RelatedFieldListFilter``, and
  112. ``RelatedOnlyFieldListFilter`` admin filters now handle multi-valued query
  113. parameters.
  114. * ``XRegExp`` is upgraded from version 3.2.0 to 5.1.1.
  115. * The new :meth:`.AdminSite.get_model_admin` method returns an admin class for
  116. the given model class.
  117. :mod:`django.contrib.admindocs`
  118. ~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~
  119. * ...
  120. :mod:`django.contrib.auth`
  121. ~~~~~~~~~~~~~~~~~~~~~~~~~~
  122. * The default iteration count for the PBKDF2 password hasher is increased from
  123. 600,000 to 720,000.
  124. * The new asynchronous functions are now provided, using an
  125. ``a`` prefix: :func:`django.contrib.auth.aauthenticate`,
  126. :func:`~.django.contrib.auth.aget_user`,
  127. :func:`~.django.contrib.auth.alogin`, :func:`~.django.contrib.auth.alogout`,
  128. and :func:`~.django.contrib.auth.aupdate_session_auth_hash`.
  129. * ``AuthenticationMiddleware`` now adds an :meth:`.HttpRequest.auser`
  130. asynchronous method that returns the currently logged-in user.
  131. * The new :func:`django.contrib.auth.hashers.acheck_password` asynchronous
  132. function and :meth:`.AbstractBaseUser.acheck_password` method allow
  133. asynchronous checking of user passwords.
  134. :mod:`django.contrib.contenttypes`
  135. ~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~
  136. * ...
  137. :mod:`django.contrib.gis`
  138. ~~~~~~~~~~~~~~~~~~~~~~~~~
  139. * The new
  140. :class:`ClosestPoint() <django.contrib.gis.db.models.functions.ClosestPoint>`
  141. function returns a 2-dimensional point on the geometry that is closest to
  142. another geometry.
  143. * :ref:`GIS aggregates <gis-aggregation-functions>` now support the ``filter``
  144. argument.
  145. * Added support for GDAL 3.7.
  146. :mod:`django.contrib.messages`
  147. ~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~
  148. * ...
  149. :mod:`django.contrib.postgres`
  150. ~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~
  151. * The new :attr:`~.ExclusionConstraint.violation_error_code` attribute of
  152. :class:`~django.contrib.postgres.constraints.ExclusionConstraint` allows
  153. customizing the ``code`` of ``ValidationError`` raised during
  154. :ref:`model validation <validating-objects>`.
  155. :mod:`django.contrib.redirects`
  156. ~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~
  157. * ...
  158. :mod:`django.contrib.sessions`
  159. ~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~
  160. * ...
  161. :mod:`django.contrib.sitemaps`
  162. ~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~
  163. * ...
  164. :mod:`django.contrib.sites`
  165. ~~~~~~~~~~~~~~~~~~~~~~~~~~~
  166. * ...
  167. :mod:`django.contrib.staticfiles`
  168. ~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~
  169. * ...
  170. :mod:`django.contrib.syndication`
  171. ~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~
  172. * ...
  173. Asynchronous views
  174. ~~~~~~~~~~~~~~~~~~
  175. * Under ASGI, ``http.disconnect`` events are now handled. This allows views to
  176. perform any necessary cleanup if a client disconnects before the response is
  177. generated. See :ref:`async-handling-disconnect` for more details.
  178. Cache
  179. ~~~~~
  180. * ...
  181. CSRF
  182. ~~~~
  183. * ...
  184. Decorators
  185. ~~~~~~~~~~
  186. * The following decorators now support wrapping asynchronous view functions:
  187. * :func:`~django.views.decorators.cache.cache_control`
  188. * :func:`~django.views.decorators.cache.never_cache`
  189. * :func:`~django.views.decorators.common.no_append_slash`
  190. * :func:`~django.views.decorators.csrf.csrf_exempt`
  191. * :func:`~django.views.decorators.debug.sensitive_variables`
  192. * :func:`~django.views.decorators.debug.sensitive_post_parameters`
  193. * :func:`~django.views.decorators.http.condition`
  194. * :func:`~django.views.decorators.http.etag`
  195. * :func:`~django.views.decorators.http.last_modified`
  196. * :func:`~django.views.decorators.http.require_http_methods`
  197. * :func:`~django.views.decorators.http.require_GET`
  198. * :func:`~django.views.decorators.http.require_POST`
  199. * :func:`~django.views.decorators.http.require_safe`
  200. * :func:`~django.views.decorators.vary.vary_on_cookie`
  201. * :func:`~django.views.decorators.vary.vary_on_headers`
  202. * ``xframe_options_deny()``
  203. * ``xframe_options_sameorigin()``
  204. * ``xframe_options_exempt()``
  205. Email
  206. ~~~~~
  207. * ...
  208. Error Reporting
  209. ~~~~~~~~~~~~~~~
  210. * :func:`~django.views.decorators.debug.sensitive_variables` and
  211. :func:`~django.views.decorators.debug.sensitive_post_parameters` can now be
  212. used with asynchronous functions.
  213. File Storage
  214. ~~~~~~~~~~~~
  215. * ...
  216. File Uploads
  217. ~~~~~~~~~~~~
  218. * ...
  219. Forms
  220. ~~~~~
  221. * :attr:`.ChoiceField.choices` now accepts
  222. :ref:`Choices classes <field-choices-enum-types>` directly instead of
  223. requiring expansion with the ``choices`` attribute.
  224. * The new ``assume_scheme`` argument for :class:`~django.forms.URLField` allows
  225. specifying a default URL scheme.
  226. * In order to improve accessibility and enable screen readers to associate form
  227. fields with their help text, the form field now includes the
  228. ``aria-describedby`` HTML attribute.
  229. Generic Views
  230. ~~~~~~~~~~~~~
  231. * ...
  232. Internationalization
  233. ~~~~~~~~~~~~~~~~~~~~
  234. * ...
  235. Logging
  236. ~~~~~~~
  237. * ...
  238. Management Commands
  239. ~~~~~~~~~~~~~~~~~~~
  240. * ...
  241. Migrations
  242. ~~~~~~~~~~
  243. * ...
  244. Models
  245. ~~~~~~
  246. * The new ``create_defaults`` argument of :meth:`.QuerySet.update_or_create`
  247. and :meth:`.QuerySet.aupdate_or_create` methods allows specifying a different
  248. field values for the create operation.
  249. * The new ``violation_error_code`` attribute of
  250. :class:`~django.db.models.BaseConstraint`,
  251. :class:`~django.db.models.CheckConstraint`, and
  252. :class:`~django.db.models.UniqueConstraint` allows customizing the ``code``
  253. of ``ValidationError`` raised during
  254. :ref:`model validation <validating-objects>`.
  255. * :attr:`.Field.choices` now accepts
  256. :ref:`Choices classes <field-choices-enum-types>` directly instead of
  257. requiring expansion with the ``choices`` attribute.
  258. * The :ref:`force_insert <ref-models-force-insert>` argument of
  259. :meth:`.Model.save` now allows specifying a tuple of parent classes that must
  260. be forced to be inserted.
  261. Pagination
  262. ~~~~~~~~~~
  263. * The new :attr:`django.core.paginator.Paginator.error_messages` argument
  264. allows customizing the error messages raised by :meth:`.Paginator.page`.
  265. Requests and Responses
  266. ~~~~~~~~~~~~~~~~~~~~~~
  267. * ...
  268. Security
  269. ~~~~~~~~
  270. * ...
  271. Serialization
  272. ~~~~~~~~~~~~~
  273. * ...
  274. Signals
  275. ~~~~~~~
  276. * The new :meth:`.Signal.asend` and :meth:`.Signal.asend_robust` methods allow
  277. asynchronous signal dispatch. Signal receivers may be synchronous or
  278. asynchronous, and will be automatically adapted to the correct calling style.
  279. Templates
  280. ~~~~~~~~~
  281. * The new :tfilter:`escapeseq` template filter applies :tfilter:`escape` to
  282. each element of a sequence.
  283. Tests
  284. ~~~~~
  285. * :class:`~django.test.Client` and :class:`~django.test.AsyncClient` now
  286. provide asynchronous methods, using an ``a`` prefix:
  287. :meth:`~django.test.Client.asession`, :meth:`~django.test.Client.alogin`,
  288. :meth:`~django.test.Client.aforce_login`, and
  289. :meth:`~django.test.Client.alogout`.
  290. URLs
  291. ~~~~
  292. * ...
  293. Utilities
  294. ~~~~~~~~~
  295. * ...
  296. Validators
  297. ~~~~~~~~~~
  298. * The new ``offset`` argument of
  299. :class:`~django.core.validators.StepValueValidator` allows specifying an
  300. offset for valid values.
  301. .. _backwards-incompatible-5.0:
  302. Backwards incompatible changes in 5.0
  303. =====================================
  304. Database backend API
  305. --------------------
  306. This section describes changes that may be needed in third-party database
  307. backends.
  308. * ``DatabaseFeatures.supports_expression_defaults`` should be set to ``False``
  309. if the database doesn't support using database functions as defaults.
  310. * ``DatabaseFeatures.supports_default_keyword_in_insert`` should be set to
  311. ``False`` if the database doesn't support the ``DEFAULT`` keyword in
  312. ``INSERT`` queries.
  313. * ``DatabaseFeatures.supports_default_keyword_in_bulk insert`` should be set to
  314. ``False`` if the database doesn't support the ``DEFAULT`` keyword in bulk
  315. ``INSERT`` queries.
  316. :mod:`django.contrib.gis`
  317. -------------------------
  318. * Support for GDAL 2.2 and 2.3 is removed.
  319. * Support for GEOS 3.6 and 3.7 is removed.
  320. :mod:`django.contrib.sitemaps`
  321. ------------------------------
  322. * The ``django.contrib.sitemaps.ping_google()`` function and the
  323. ``ping_google`` management command are removed as the Google
  324. Sitemaps ping endpoint is deprecated and will be removed in January 2024.
  325. * The ``django.contrib.sitemaps.SitemapNotFound`` exception class is removed.
  326. Using ``create_defaults__exact`` may now be required with ``QuerySet.update_or_create()``
  327. -----------------------------------------------------------------------------------------
  328. :meth:`.QuerySet.update_or_create` now supports the parameter
  329. ``create_defaults``. As a consequence, any models that have a field named
  330. ``create_defaults`` that are used with an ``update_or_create()`` should specify
  331. the field in the lookup with ``create_defaults__exact``.
  332. Miscellaneous
  333. -------------
  334. * The ``instance`` argument of the undocumented
  335. ``BaseModelFormSet.save_existing()`` method is renamed to ``obj``.
  336. * The undocumented ``django.contrib.admin.helpers.checkbox`` is removed.
  337. * Integer fields are now validated as 64-bit integers on SQLite to match the
  338. behavior of ``sqlite3``.
  339. * The undocumented ``Query.annotation_select_mask`` attribute is changed from a
  340. set of strings to an ordered list of strings.
  341. * ``ImageField.update_dimension_fields()`` is no longer called on the
  342. ``post_init`` signal if ``width_field`` and ``height_field`` are not set.
  343. * :class:`~django.db.models.functions.Now` database function now uses
  344. ``LOCALTIMESTAMP`` instead of ``CURRENT_TIMESTAMP`` on Oracle.
  345. * :attr:`.AdminSite.site_header` is now rendered in a ``<div>`` tag instead of
  346. ``<h1>``. Screen reader users rely on heading elements for navigation within
  347. a page. Having two ``<h1>`` elements was confusing and the site header wasn't
  348. helpful as it is repeated on all pages.
  349. * On databases without native support for the SQL ``XOR`` operator, ``^`` as
  350. the exclusive or (``XOR``) operator now returns rows that are matched by an
  351. odd number of operands rather than exactly one operand. This is consistent
  352. with the behavior of MySQL, MariaDB, and Python.
  353. * The minimum supported version of ``asgiref`` is increased from 3.6.0 to
  354. 3.7.0.
  355. * The minimum supported version of ``selenium`` is increased from 3.8.0 to
  356. 4.8.0.
  357. * The ``AlreadyRegistered`` and ``NotRegistered`` exceptions are moved from
  358. ``django.contrib.admin.sites`` to ``django.contrib.admin.exceptions``.
  359. .. _deprecated-features-5.0:
  360. Features deprecated in 5.0
  361. ==========================
  362. Miscellaneous
  363. -------------
  364. * The ``DjangoDivFormRenderer`` and ``Jinja2DivFormRenderer`` transitional form
  365. renderers are deprecated.
  366. * Passing positional arguments ``name`` and ``violation_error_message`` to
  367. :class:`~django.db.models.BaseConstraint` is deprecated in favor of
  368. keyword-only arguments.
  369. * ``request`` is added to the signature of :meth:`.ModelAdmin.lookup_allowed`.
  370. Support for ``ModelAdmin`` subclasses that do not accept this argument is
  371. deprecated.
  372. * The ``get_joining_columns()`` method of ``ForeignObject`` and
  373. ``ForeignObjectRel`` is deprecated. Starting with Django 6.0,
  374. ``django.db.models.sql.datastructures.Join`` will no longer fallback to
  375. ``get_joining_columns()``. Subclasses should implement
  376. ``get_joining_fields()`` instead.
  377. * The ``ForeignObject.get_reverse_joining_columns()`` method is deprecated.
  378. * The default scheme for ``forms.URLField`` will change from ``"http"`` to
  379. ``"https"`` in Django 6.0.
  380. * Support for calling ``format_html()`` without passing args or kwargs will be
  381. removed.
  382. Features removed in 5.0
  383. =======================
  384. These features have reached the end of their deprecation cycle and are removed
  385. in Django 5.0.
  386. See :ref:`deprecated-features-4.0` for details on these changes, including how
  387. to remove usage of these features.
  388. * The ``SERIALIZE`` test setting is removed.
  389. * The undocumented ``django.utils.baseconv`` module is removed.
  390. * The undocumented ``django.utils.datetime_safe`` module is removed.
  391. * The default value of the ``USE_TZ`` setting is changed from ``False`` to
  392. ``True``.
  393. * The default sitemap protocol for sitemaps built outside the context of a
  394. request is changed from ``'http'`` to ``'https'``.
  395. * The ``extra_tests`` argument for ``DiscoverRunner.build_suite()`` and
  396. ``DiscoverRunner.run_tests()`` is removed.
  397. * The ``django.contrib.postgres.aggregates.ArrayAgg``, ``JSONBAgg``, and
  398. ``StringAgg`` aggregates no longer return ``[]``, ``[]``, and ``''``,
  399. respectively, when there are no rows.
  400. * The ``USE_L10N`` setting is removed.
  401. * The ``USE_DEPRECATED_PYTZ`` transitional setting is removed.
  402. * Support for ``pytz`` timezones is removed.
  403. * The ``is_dst`` argument is removed from:
  404. * ``QuerySet.datetimes()``
  405. * ``django.utils.timezone.make_aware()``
  406. * ``django.db.models.functions.Trunc()``
  407. * ``django.db.models.functions.TruncSecond()``
  408. * ``django.db.models.functions.TruncMinute()``
  409. * ``django.db.models.functions.TruncHour()``
  410. * ``django.db.models.functions.TruncDay()``
  411. * ``django.db.models.functions.TruncWeek()``
  412. * ``django.db.models.functions.TruncMonth()``
  413. * ``django.db.models.functions.TruncQuarter()``
  414. * ``django.db.models.functions.TruncYear()``
  415. * The ``django.contrib.gis.admin.GeoModelAdmin`` and ``OSMGeoAdmin`` classes
  416. are removed.
  417. * The undocumented ``BaseForm._html_output()`` method is removed.
  418. * The ability to return a ``str``, rather than a ``SafeString``, when rendering
  419. an ``ErrorDict`` and ``ErrorList`` is removed.
  420. See :ref:`deprecated-features-4.1` for details on these changes, including how
  421. to remove usage of these features.
  422. * The ``SitemapIndexItem.__str__()`` method is removed.
  423. * The ``CSRF_COOKIE_MASKED`` transitional setting is removed.
  424. * The ``name`` argument of ``django.utils.functional.cached_property()`` is
  425. removed.
  426. * The ``opclasses`` argument of
  427. ``django.contrib.postgres.constraints.ExclusionConstraint`` is removed.
  428. * The undocumented ability to pass ``errors=None`` to
  429. ``SimpleTestCase.assertFormError()`` and ``assertFormsetError()`` is removed.
  430. * ``django.contrib.sessions.serializers.PickleSerializer`` is removed.
  431. * The usage of ``QuerySet.iterator()`` on a queryset that prefetches related
  432. objects without providing the ``chunk_size`` argument is no longer allowed.
  433. * Passing unsaved model instances to related filters is no longer allowed.
  434. * ``created=True`` is required in the signature of
  435. ``RemoteUserBackend.configure_user()`` subclasses.
  436. * Support for logging out via ``GET`` requests in the
  437. ``django.contrib.auth.views.LogoutView`` and
  438. ``django.contrib.auth.views.logout_then_login()`` is removed.
  439. * The ``django.utils.timezone.utc`` alias to ``datetime.timezone.utc`` is
  440. removed.
  441. * Passing a response object and a form/formset name to
  442. ``SimpleTestCase.assertFormError()`` and ``assertFormSetError()`` is no
  443. longer allowed.
  444. * The ``django.contrib.gis.admin.OpenLayersWidget`` is removed.
  445. + The ``django.contrib.auth.hashers.CryptPasswordHasher`` is removed.
  446. * The ``"django/forms/default.html"`` and
  447. ``"django/forms/formsets/default.html"`` templates are removed.
  448. * The default form and formset rendering style is changed to the div-based.
  449. * Passing ``nulls_first=False`` or ``nulls_last=False`` to ``Expression.asc()``
  450. and ``Expression.desc()`` methods, and the ``OrderBy`` expression is no
  451. longer allowed.