5.0.txt 25 KB

123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154155156157158159160161162163164165166167168169170171172173174175176177178179180181182183184185186187188189190191192193194195196197198199200201202203204205206207208209210211212213214215216217218219220221222223224225226227228229230231232233234235236237238239240241242243244245246247248249250251252253254255256257258259260261262263264265266267268269270271272273274275276277278279280281282283284285286287288289290291292293294295296297298299300301302303304305306307308309310311312313314315316317318319320321322323324325326327328329330331332333334335336337338339340341342343344345346347348349350351352353354355356357358359360361362363364365366367368369370371372373374375376377378379380381382383384385386387388389390391392393394395396397398399400401402403404405406407408409410411412413414415416417418419420421422423424425426427428429430431432433434435436437438439440441442443444445446447448449450451452453454455456457458459460461462463464465466467468469470471472473474475476477478479480481482483484485486487488489490491492493494495496497498499500501502503504505506507508509510511512513514515516517518519520521522523524525526527528529530531532533534535536537538539540541542543544545546547548549550551552553554555556557558559560561562563564565566567568569570571572573574575576577578579580581582583584585586587588589590591592593594595596597598599600601602603604605606607608609610611612613614615616617618619620621622623624625626627628629630631632633634635636637638639640641642643644645646647648649650651652653654655656657658659660661662663664665666667668669670671672673674675676677678679680681682683684685686687688689690691692693694695696697698699700701702703704705706707708709710711712713714715716717718719720721722723724725726727728729730731732733734735736737738739740741742743744745746747748749750751752753754755756757758759760761762763764765766767768769770771772773774775776777778779780781782783784785786787788789790791792793794795796797798799800801802803804805806807
  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. Database generated model field
  105. ------------------------------
  106. The new :class:`~django.db.models.GeneratedField` allows creation of database
  107. generated columns. This field can be used on all supported database backends
  108. to create a field that is always computed from other fields.
  109. More options for declaring field choices
  110. ----------------------------------------
  111. :attr:`.Field.choices` *(for model fields)* and :attr:`.ChoiceField.choices`
  112. *(for form fields)* allow for more flexibility when declaring their values. In
  113. previous versions of Django, ``choices`` should either be a list of 2-tuples,
  114. or an :ref:`field-choices-enum-types` subclass, but the latter required
  115. accessing the ``.choices`` attribute to provide the values in the expected
  116. form::
  117. from django.db import models
  118. Medal = models.TextChoices("Medal", "GOLD SILVER BRONZE")
  119. SPORT_CHOICES = [
  120. ("Martial Arts", [("judo", "Judo"), ("karate", "Karate")]),
  121. ("Racket", [("badminton", "Badminton"), ("tennis", "Tennis")]),
  122. ("unknown", "Unknown"),
  123. ]
  124. class Winners(models.Model):
  125. name = models.CharField(...)
  126. medal = models.CharField(..., choices=Medal.choices)
  127. sport = models.CharField(..., choices=SPORT_CHOICES)
  128. Django 5.0 supports providing a mapping instead of an iterable, and also no
  129. longer requires ``.choices`` to be used directly to expand :ref:`enumeration
  130. types <field-choices-enum-types>`::
  131. from django.db import models
  132. Medal = models.TextChoices("Medal", "GOLD SILVER BRONZE")
  133. SPORT_CHOICES = { # Using a mapping instead of a list of 2-tuples.
  134. "Martial Arts": {"judo": "Judo", "karate": "Karate"},
  135. "Racket": {"badminton": "Badminton", "tennis": "Tennis"},
  136. "unknown": "Unknown",
  137. }
  138. class Winners(models.Model):
  139. name = models.CharField(...)
  140. medal = models.CharField(..., choices=Medal) # Using `.choices` not required.
  141. sport = models.CharField(..., choices=SPORT_CHOICES)
  142. Under the hood the provided ``choices`` are normalized into a list of 2-tuples
  143. as the canonical form whenever the ``choices`` value is updated.
  144. Minor features
  145. --------------
  146. :mod:`django.contrib.admin`
  147. ~~~~~~~~~~~~~~~~~~~~~~~~~~~
  148. * The new :meth:`.AdminSite.get_log_entries` method allows customizing the
  149. queryset for the site's listed log entries.
  150. * The ``django.contrib.admin.AllValuesFieldListFilter``,
  151. ``ChoicesFieldListFilter``, ``RelatedFieldListFilter``, and
  152. ``RelatedOnlyFieldListFilter`` admin filters now handle multi-valued query
  153. parameters.
  154. * ``XRegExp`` is upgraded from version 3.2.0 to 5.1.1.
  155. * The new :meth:`.AdminSite.get_model_admin` method returns an admin class for
  156. the given model class.
  157. :mod:`django.contrib.admindocs`
  158. ~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~
  159. * ...
  160. :mod:`django.contrib.auth`
  161. ~~~~~~~~~~~~~~~~~~~~~~~~~~
  162. * The default iteration count for the PBKDF2 password hasher is increased from
  163. 600,000 to 720,000.
  164. * The new asynchronous functions are now provided, using an
  165. ``a`` prefix: :func:`django.contrib.auth.aauthenticate`,
  166. :func:`~.django.contrib.auth.aget_user`,
  167. :func:`~.django.contrib.auth.alogin`, :func:`~.django.contrib.auth.alogout`,
  168. and :func:`~.django.contrib.auth.aupdate_session_auth_hash`.
  169. * ``AuthenticationMiddleware`` now adds an :meth:`.HttpRequest.auser`
  170. asynchronous method that returns the currently logged-in user.
  171. * The new :func:`django.contrib.auth.hashers.acheck_password` asynchronous
  172. function and :meth:`.AbstractBaseUser.acheck_password` method allow
  173. asynchronous checking of user passwords.
  174. :mod:`django.contrib.contenttypes`
  175. ~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~
  176. * ...
  177. :mod:`django.contrib.gis`
  178. ~~~~~~~~~~~~~~~~~~~~~~~~~
  179. * The new
  180. :class:`ClosestPoint() <django.contrib.gis.db.models.functions.ClosestPoint>`
  181. function returns a 2-dimensional point on the geometry that is closest to
  182. another geometry.
  183. * :ref:`GIS aggregates <gis-aggregation-functions>` now support the ``filter``
  184. argument.
  185. * Added support for GDAL 3.7.
  186. * Added support for GEOS 3.12.
  187. * The new :meth:`.GEOSGeometry.equals_identical` method allows point-wise
  188. equivalence checking of geometries.
  189. :mod:`django.contrib.messages`
  190. ~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~
  191. * The new :meth:`.MessagesTestMixin.assertMessages` assertion method allows
  192. testing :mod:`~django.contrib.messages` added to a
  193. :class:`response <django.http.HttpResponse>`.
  194. :mod:`django.contrib.postgres`
  195. ~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~
  196. * The new :attr:`~.ExclusionConstraint.violation_error_code` attribute of
  197. :class:`~django.contrib.postgres.constraints.ExclusionConstraint` allows
  198. customizing the ``code`` of ``ValidationError`` raised during
  199. :ref:`model validation <validating-objects>`.
  200. :mod:`django.contrib.redirects`
  201. ~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~
  202. * ...
  203. :mod:`django.contrib.sessions`
  204. ~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~
  205. * ...
  206. :mod:`django.contrib.sitemaps`
  207. ~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~
  208. * ...
  209. :mod:`django.contrib.sites`
  210. ~~~~~~~~~~~~~~~~~~~~~~~~~~~
  211. * ...
  212. :mod:`django.contrib.staticfiles`
  213. ~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~
  214. * ...
  215. :mod:`django.contrib.syndication`
  216. ~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~
  217. * ...
  218. Asynchronous views
  219. ~~~~~~~~~~~~~~~~~~
  220. * Under ASGI, ``http.disconnect`` events are now handled. This allows views to
  221. perform any necessary cleanup if a client disconnects before the response is
  222. generated. See :ref:`async-handling-disconnect` for more details.
  223. Cache
  224. ~~~~~
  225. * ...
  226. CSRF
  227. ~~~~
  228. * ...
  229. Decorators
  230. ~~~~~~~~~~
  231. * The following decorators now support wrapping asynchronous view functions:
  232. * :func:`~django.views.decorators.cache.cache_control`
  233. * :func:`~django.views.decorators.cache.never_cache`
  234. * :func:`~django.views.decorators.common.no_append_slash`
  235. * :func:`~django.views.decorators.csrf.csrf_exempt`
  236. * :func:`~django.views.decorators.csrf.csrf_protect`
  237. * :func:`~django.views.decorators.csrf.ensure_csrf_cookie`
  238. * :func:`~django.views.decorators.csrf.requires_csrf_token`
  239. * :func:`~django.views.decorators.debug.sensitive_variables`
  240. * :func:`~django.views.decorators.debug.sensitive_post_parameters`
  241. * :func:`~django.views.decorators.gzip.gzip_page`
  242. * :func:`~django.views.decorators.http.condition`
  243. * ``conditional_page()``
  244. * :func:`~django.views.decorators.http.etag`
  245. * :func:`~django.views.decorators.http.last_modified`
  246. * :func:`~django.views.decorators.http.require_http_methods`
  247. * :func:`~django.views.decorators.http.require_GET`
  248. * :func:`~django.views.decorators.http.require_POST`
  249. * :func:`~django.views.decorators.http.require_safe`
  250. * :func:`~django.views.decorators.vary.vary_on_cookie`
  251. * :func:`~django.views.decorators.vary.vary_on_headers`
  252. * ``xframe_options_deny()``
  253. * ``xframe_options_sameorigin()``
  254. * ``xframe_options_exempt()``
  255. Email
  256. ~~~~~
  257. * ...
  258. Error Reporting
  259. ~~~~~~~~~~~~~~~
  260. * :func:`~django.views.decorators.debug.sensitive_variables` and
  261. :func:`~django.views.decorators.debug.sensitive_post_parameters` can now be
  262. used with asynchronous functions.
  263. File Storage
  264. ~~~~~~~~~~~~
  265. * :meth:`.File.open` now passes all positional (``*args``) and keyword
  266. arguments (``**kwargs``) to Python's built-in :func:`python:open`.
  267. File Uploads
  268. ~~~~~~~~~~~~
  269. * ...
  270. Forms
  271. ~~~~~
  272. * The new ``assume_scheme`` argument for :class:`~django.forms.URLField` allows
  273. specifying a default URL scheme.
  274. * In order to improve accessibility and enable screen readers to associate form
  275. fields with their help text, the form field now includes the
  276. ``aria-describedby`` HTML attribute.
  277. * In order to improve accessibility, the invalid form field now includes the
  278. ``aria-invalid="true"`` HTML attribute.
  279. Generic Views
  280. ~~~~~~~~~~~~~
  281. * ...
  282. Internationalization
  283. ~~~~~~~~~~~~~~~~~~~~
  284. * Added support and translations for the Uyghur language.
  285. Logging
  286. ~~~~~~~
  287. * ...
  288. Management Commands
  289. ~~~~~~~~~~~~~~~~~~~
  290. * ...
  291. Migrations
  292. ~~~~~~~~~~
  293. * Serialization of functions decorated with :func:`functools.cache` or
  294. :func:`functools.lru_cache` is now supported without the need to write a
  295. custom serializer.
  296. Models
  297. ~~~~~~
  298. * The new ``create_defaults`` argument of :meth:`.QuerySet.update_or_create`
  299. and :meth:`.QuerySet.aupdate_or_create` methods allows specifying a different
  300. field values for the create operation.
  301. * The new ``violation_error_code`` attribute of
  302. :class:`~django.db.models.BaseConstraint`,
  303. :class:`~django.db.models.CheckConstraint`, and
  304. :class:`~django.db.models.UniqueConstraint` allows customizing the ``code``
  305. of ``ValidationError`` raised during
  306. :ref:`model validation <validating-objects>`.
  307. * The :ref:`force_insert <ref-models-force-insert>` argument of
  308. :meth:`.Model.save` now allows specifying a tuple of parent classes that must
  309. be forced to be inserted.
  310. * :meth:`.QuerySet.bulk_create` and :meth:`.QuerySet.abulk_create` methods now
  311. set the primary key on each model instance when the ``update_conflicts``
  312. parameter is enabled (if the database supports it).
  313. * The new :attr:`.UniqueConstraint.nulls_distinct` attribute allows customizing
  314. the treatment of ``NULL`` values on PostgreSQL 15+.
  315. * The new :func:`~django.shortcuts.aget_object_or_404` and
  316. :func:`~django.shortcuts.aget_list_or_404` asynchronous shortcuts allow
  317. asynchronous getting objects.
  318. * The new :func:`~django.db.models.aprefetch_related_objects` function allows
  319. asynchronous prefetching of model instances.
  320. * :meth:`.QuerySet.aiterator` now supports previous calls to
  321. ``prefetch_related()``.
  322. * On MariaDB 10.7+, ``UUIDField`` is now created as ``UUID`` column rather than
  323. ``CHAR(32)`` column. See the migration guide above for more details on
  324. :ref:`migrating-uuidfield`.
  325. * Django now supports `oracledb`_ version 1.3.2 or higher. Support for
  326. ``cx_Oracle`` is deprecated as of this release and will be removed in Django
  327. 6.0.
  328. Pagination
  329. ~~~~~~~~~~
  330. * The new :attr:`django.core.paginator.Paginator.error_messages` argument
  331. allows customizing the error messages raised by :meth:`.Paginator.page`.
  332. Requests and Responses
  333. ~~~~~~~~~~~~~~~~~~~~~~
  334. * ...
  335. Security
  336. ~~~~~~~~
  337. * ...
  338. Serialization
  339. ~~~~~~~~~~~~~
  340. * ...
  341. Signals
  342. ~~~~~~~
  343. * The new :meth:`.Signal.asend` and :meth:`.Signal.asend_robust` methods allow
  344. asynchronous signal dispatch. Signal receivers may be synchronous or
  345. asynchronous, and will be automatically adapted to the correct calling style.
  346. Templates
  347. ~~~~~~~~~
  348. * The new :tfilter:`escapeseq` template filter applies :tfilter:`escape` to
  349. each element of a sequence.
  350. Tests
  351. ~~~~~
  352. * :class:`~django.test.Client` and :class:`~django.test.AsyncClient` now
  353. provide asynchronous methods, using an ``a`` prefix:
  354. :meth:`~django.test.Client.asession`, :meth:`~django.test.Client.alogin`,
  355. :meth:`~django.test.Client.aforce_login`, and
  356. :meth:`~django.test.Client.alogout`.
  357. * :class:`~django.test.AsyncClient` now supports the ``follow`` parameter.
  358. * The new :option:`test --durations` option allows showing the duration of the
  359. slowest tests on Python 3.12+.
  360. URLs
  361. ~~~~
  362. * ...
  363. Utilities
  364. ~~~~~~~~~
  365. * ...
  366. Validators
  367. ~~~~~~~~~~
  368. * The new ``offset`` argument of
  369. :class:`~django.core.validators.StepValueValidator` allows specifying an
  370. offset for valid values.
  371. .. _backwards-incompatible-5.0:
  372. Backwards incompatible changes in 5.0
  373. =====================================
  374. Database backend API
  375. --------------------
  376. This section describes changes that may be needed in third-party database
  377. backends.
  378. * ``DatabaseFeatures.supports_expression_defaults`` should be set to ``False``
  379. if the database doesn't support using database functions as defaults.
  380. * ``DatabaseFeatures.supports_default_keyword_in_insert`` should be set to
  381. ``False`` if the database doesn't support the ``DEFAULT`` keyword in
  382. ``INSERT`` queries.
  383. * ``DatabaseFeatures.supports_default_keyword_in_bulk insert`` should be set to
  384. ``False`` if the database doesn't support the ``DEFAULT`` keyword in bulk
  385. ``INSERT`` queries.
  386. Dropped support for MySQL < 8.0.11
  387. ----------------------------------
  388. Support for pre-releases of MySQL 8.0.x series is removed. Django 5.0 supports
  389. MySQL 8.0.11 and higher.
  390. :mod:`django.contrib.gis`
  391. -------------------------
  392. * Support for GDAL 2.2 and 2.3 is removed.
  393. * Support for GEOS 3.6 and 3.7 is removed.
  394. :mod:`django.contrib.sitemaps`
  395. ------------------------------
  396. * The ``django.contrib.sitemaps.ping_google()`` function and the
  397. ``ping_google`` management command are removed as the Google
  398. Sitemaps ping endpoint is deprecated and will be removed in January 2024.
  399. * The ``django.contrib.sitemaps.SitemapNotFound`` exception class is removed.
  400. Using ``create_defaults__exact`` may now be required with ``QuerySet.update_or_create()``
  401. -----------------------------------------------------------------------------------------
  402. :meth:`.QuerySet.update_or_create` now supports the parameter
  403. ``create_defaults``. As a consequence, any models that have a field named
  404. ``create_defaults`` that are used with an ``update_or_create()`` should specify
  405. the field in the lookup with ``create_defaults__exact``.
  406. .. _migrating-uuidfield:
  407. Migrating existing ``UUIDField`` on MariaDB 10.7+
  408. -------------------------------------------------
  409. On MariaDB 10.7+, ``UUIDField`` is now created as ``UUID`` column rather than
  410. ``CHAR(32)`` column. As a consequence, any ``UUIDField`` created in
  411. Django < 5.0 should be replaced with a ``UUIDField`` subclass backed by
  412. ``CHAR(32)``::
  413. class Char32UUIDField(models.UUIDField):
  414. def db_type(self, connection):
  415. return "char(32)"
  416. For example::
  417. class MyModel(models.Model):
  418. uuid = models.UUIDField(primary_key=True, default=uuid.uuid4)
  419. Should become::
  420. class Char32UUIDField(models.UUIDField):
  421. def db_type(self, connection):
  422. return "char(32)"
  423. class MyModel(models.Model):
  424. uuid = Char32UUIDField(primary_key=True, default=uuid.uuid4)
  425. Running the :djadmin:`makemigrations` command will generate a migration
  426. containing a no-op ``AlterField`` operation.
  427. Miscellaneous
  428. -------------
  429. * The ``instance`` argument of the undocumented
  430. ``BaseModelFormSet.save_existing()`` method is renamed to ``obj``.
  431. * The undocumented ``django.contrib.admin.helpers.checkbox`` is removed.
  432. * Integer fields are now validated as 64-bit integers on SQLite to match the
  433. behavior of ``sqlite3``.
  434. * The undocumented ``Query.annotation_select_mask`` attribute is changed from a
  435. set of strings to an ordered list of strings.
  436. * ``ImageField.update_dimension_fields()`` is no longer called on the
  437. ``post_init`` signal if ``width_field`` and ``height_field`` are not set.
  438. * :class:`~django.db.models.functions.Now` database function now uses
  439. ``LOCALTIMESTAMP`` instead of ``CURRENT_TIMESTAMP`` on Oracle.
  440. * :attr:`.AdminSite.site_header` is now rendered in a ``<div>`` tag instead of
  441. ``<h1>``. Screen reader users rely on heading elements for navigation within
  442. a page. Having two ``<h1>`` elements was confusing and the site header wasn't
  443. helpful as it is repeated on all pages.
  444. * In order to improve accessibility, the admin's main content area is now
  445. rendered in a ``<main>`` tag instead of ``<div>``.
  446. * On databases without native support for the SQL ``XOR`` operator, ``^`` as
  447. the exclusive or (``XOR``) operator now returns rows that are matched by an
  448. odd number of operands rather than exactly one operand. This is consistent
  449. with the behavior of MySQL, MariaDB, and Python.
  450. * The minimum supported version of ``asgiref`` is increased from 3.6.0 to
  451. 3.7.0.
  452. * The minimum supported version of ``selenium`` is increased from 3.8.0 to
  453. 4.8.0.
  454. * The ``AlreadyRegistered`` and ``NotRegistered`` exceptions are moved from
  455. ``django.contrib.admin.sites`` to ``django.contrib.admin.exceptions``.
  456. * The minimum supported version of SQLite is increased from 3.21.0 to 3.27.0.
  457. * Support for ``cx_Oracle`` < 8.3 is removed.
  458. * Executing SQL queries before the app registry has been fully populated now
  459. raises :exc:`RuntimeWarning`.
  460. * :exc:`~django.core.exceptions.BadRequest` is raised for non-UTF-8 encoded
  461. requests with the :mimetype:`application/x-www-form-urlencoded` content type.
  462. See :rfc:`1866` for more details.
  463. * The minimum supported version of ``colorama`` is increased to 0.4.6.
  464. * The minimum supported version of ``docutils`` is increased to 0.19.
  465. .. _deprecated-features-5.0:
  466. Features deprecated in 5.0
  467. ==========================
  468. Miscellaneous
  469. -------------
  470. * The ``DjangoDivFormRenderer`` and ``Jinja2DivFormRenderer`` transitional form
  471. renderers are deprecated.
  472. * Passing positional arguments ``name`` and ``violation_error_message`` to
  473. :class:`~django.db.models.BaseConstraint` is deprecated in favor of
  474. keyword-only arguments.
  475. * ``request`` is added to the signature of :meth:`.ModelAdmin.lookup_allowed`.
  476. Support for ``ModelAdmin`` subclasses that do not accept this argument is
  477. deprecated.
  478. * The ``get_joining_columns()`` method of ``ForeignObject`` and
  479. ``ForeignObjectRel`` is deprecated. Starting with Django 6.0,
  480. ``django.db.models.sql.datastructures.Join`` will no longer fallback to
  481. ``get_joining_columns()``. Subclasses should implement
  482. ``get_joining_fields()`` instead.
  483. * The ``ForeignObject.get_reverse_joining_columns()`` method is deprecated.
  484. * The default scheme for ``forms.URLField`` will change from ``"http"`` to
  485. ``"https"`` in Django 6.0.
  486. * Support for calling ``format_html()`` without passing args or kwargs will be
  487. removed.
  488. * Support for ``cx_Oracle`` is deprecated in favor of `oracledb`_ 1.3.2+ Python
  489. driver.
  490. * ``DatabaseOperations.field_cast_sql()`` is deprecated in favor of
  491. ``DatabaseOperations.lookup_cast()``. Starting with Django 6.0,
  492. ``BuiltinLookup.process_lhs()`` will no longer call ``field_cast_sql()``.
  493. Third-party database backends should implement ``lookup_cast()`` instead.
  494. * The ``django.db.models.enums.ChoicesMeta`` metaclass is renamed to
  495. ``ChoicesType``.
  496. .. _`oracledb`: https://oracle.github.io/python-oracledb/
  497. Features removed in 5.0
  498. =======================
  499. These features have reached the end of their deprecation cycle and are removed
  500. in Django 5.0.
  501. See :ref:`deprecated-features-4.0` for details on these changes, including how
  502. to remove usage of these features.
  503. * The ``SERIALIZE`` test setting is removed.
  504. * The undocumented ``django.utils.baseconv`` module is removed.
  505. * The undocumented ``django.utils.datetime_safe`` module is removed.
  506. * The default value of the ``USE_TZ`` setting is changed from ``False`` to
  507. ``True``.
  508. * The default sitemap protocol for sitemaps built outside the context of a
  509. request is changed from ``'http'`` to ``'https'``.
  510. * The ``extra_tests`` argument for ``DiscoverRunner.build_suite()`` and
  511. ``DiscoverRunner.run_tests()`` is removed.
  512. * The ``django.contrib.postgres.aggregates.ArrayAgg``, ``JSONBAgg``, and
  513. ``StringAgg`` aggregates no longer return ``[]``, ``[]``, and ``''``,
  514. respectively, when there are no rows.
  515. * The ``USE_L10N`` setting is removed.
  516. * The ``USE_DEPRECATED_PYTZ`` transitional setting is removed.
  517. * Support for ``pytz`` timezones is removed.
  518. * The ``is_dst`` argument is removed from:
  519. * ``QuerySet.datetimes()``
  520. * ``django.utils.timezone.make_aware()``
  521. * ``django.db.models.functions.Trunc()``
  522. * ``django.db.models.functions.TruncSecond()``
  523. * ``django.db.models.functions.TruncMinute()``
  524. * ``django.db.models.functions.TruncHour()``
  525. * ``django.db.models.functions.TruncDay()``
  526. * ``django.db.models.functions.TruncWeek()``
  527. * ``django.db.models.functions.TruncMonth()``
  528. * ``django.db.models.functions.TruncQuarter()``
  529. * ``django.db.models.functions.TruncYear()``
  530. * The ``django.contrib.gis.admin.GeoModelAdmin`` and ``OSMGeoAdmin`` classes
  531. are removed.
  532. * The undocumented ``BaseForm._html_output()`` method is removed.
  533. * The ability to return a ``str``, rather than a ``SafeString``, when rendering
  534. an ``ErrorDict`` and ``ErrorList`` is removed.
  535. See :ref:`deprecated-features-4.1` for details on these changes, including how
  536. to remove usage of these features.
  537. * The ``SitemapIndexItem.__str__()`` method is removed.
  538. * The ``CSRF_COOKIE_MASKED`` transitional setting is removed.
  539. * The ``name`` argument of ``django.utils.functional.cached_property()`` is
  540. removed.
  541. * The ``opclasses`` argument of
  542. ``django.contrib.postgres.constraints.ExclusionConstraint`` is removed.
  543. * The undocumented ability to pass ``errors=None`` to
  544. ``SimpleTestCase.assertFormError()`` and ``assertFormsetError()`` is removed.
  545. * ``django.contrib.sessions.serializers.PickleSerializer`` is removed.
  546. * The usage of ``QuerySet.iterator()`` on a queryset that prefetches related
  547. objects without providing the ``chunk_size`` argument is no longer allowed.
  548. * Passing unsaved model instances to related filters is no longer allowed.
  549. * ``created=True`` is required in the signature of
  550. ``RemoteUserBackend.configure_user()`` subclasses.
  551. * Support for logging out via ``GET`` requests in the
  552. ``django.contrib.auth.views.LogoutView`` and
  553. ``django.contrib.auth.views.logout_then_login()`` is removed.
  554. * The ``django.utils.timezone.utc`` alias to ``datetime.timezone.utc`` is
  555. removed.
  556. * Passing a response object and a form/formset name to
  557. ``SimpleTestCase.assertFormError()`` and ``assertFormSetError()`` is no
  558. longer allowed.
  559. * The ``django.contrib.gis.admin.OpenLayersWidget`` is removed.
  560. + The ``django.contrib.auth.hashers.CryptPasswordHasher`` is removed.
  561. * The ``"django/forms/default.html"`` and
  562. ``"django/forms/formsets/default.html"`` templates are removed.
  563. * The default form and formset rendering style is changed to the div-based.
  564. * Passing ``nulls_first=False`` or ``nulls_last=False`` to ``Expression.asc()``
  565. and ``Expression.desc()`` methods, and the ``OrderBy`` expression is no
  566. longer allowed.