4.1.txt 24 KB

123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154155156157158159160161162163164165166167168169170171172173174175176177178179180181182183184185186187188189190191192193194195196197198199200201202203204205206207208209210211212213214215216217218219220221222223224225226227228229230231232233234235236237238239240241242243244245246247248249250251252253254255256257258259260261262263264265266267268269270271272273274275276277278279280281282283284285286287288289290291292293294295296297298299300301302303304305306307308309310311312313314315316317318319320321322323324325326327328329330331332333334335336337338339340341342343344345346347348349350351352353354355356357358359360361362363364365366367368369370371372373374375376377378379380381382383384385386387388389390391392393394395396397398399400401402403404405406407408409410411412413414415416417418419420421422423424425426427428429430431432433434435436437438439440441442443444445446447448449450451452453454455456457458459460461462463464465466467468469470471472473474475476477478479480481482483484485486487488489490491492493494495496497498499500501502503504505506507508509510511512513514515516517518519520521522523524525526527528529530531532533534535536537538539540541542543544545546547548549550551552553554555556557558559560561562563564565566567568569570571572573574575576577578579580581582583584585586587588589590591592593594595596597598599600601602603604605606607608609610611612613614615616617618619620621622623624625626627628629630631632633634635636637638639640641642643644645646647648649650651652653654655656657658659660661662663664665666667668669670671672673674675676677678679680681682683684685686687688689690691692693694695696697698699700701702703704705706707708709710711712713714
  1. ============================================
  2. Django 4.1 release notes - UNDER DEVELOPMENT
  3. ============================================
  4. *Expected August 2022*
  5. Welcome to Django 4.1!
  6. These release notes cover the :ref:`new features <whats-new-4.1>`, as well as
  7. some :ref:`backwards incompatible changes <backwards-incompatible-4.1>` you'll
  8. want to be aware of when upgrading from Django 4.0 or earlier. We've
  9. :ref:`begun the deprecation process for some features
  10. <deprecated-features-4.1>`.
  11. See the :doc:`/howto/upgrade-version` guide if you're updating an existing
  12. project.
  13. Python compatibility
  14. ====================
  15. Django 4.1 supports Python 3.8, 3.9, and 3.10. We **highly recommend** and only
  16. officially support the latest release of each series.
  17. .. _whats-new-4.1:
  18. What's new in Django 4.1
  19. ========================
  20. Asynchronous handlers for class-based views
  21. -------------------------------------------
  22. View subclasses may now define async HTTP method handlers::
  23. import asyncio
  24. from django.http import HttpResponse
  25. from django.views import View
  26. class AsyncView(View):
  27. async def get(self, request, *args, **kwargs):
  28. # Perform view logic using await.
  29. await asyncio.sleep(1)
  30. return HttpResponse("Hello async world!")
  31. See :ref:`async-class-based-views` for more details.
  32. Asynchronous ORM interface
  33. --------------------------
  34. ``QuerySet`` now provides an asynchronous interface for all data access
  35. operations. These are named as-per the existing synchronous operations but with
  36. an ``a`` prefix, for example ``acreate()``, ``aget()``, and so on.
  37. The new interface allows you to write asynchronous code without needing to wrap
  38. ORM operations in ``sync_to_async()``::
  39. async for author in Author.objects.filter(name__startswith="A"):
  40. book = await author.books.afirst()
  41. Note that, at this stage, the underlying database operations remain
  42. synchronous, with contributions ongoing to push asynchronous support down into
  43. the SQL compiler, and integrate asynchronous database drivers. The new
  44. asynchronous queryset interface currently encapsulates the necessary
  45. ``sync_to_async()`` operations for you, and will allow your code to take
  46. advantage of developments in the ORM's asynchronous support as it evolves.
  47. See :ref:`async-queries` for details and limitations.
  48. Validation of Constraints
  49. -------------------------
  50. :class:`Check <django.db.models.CheckConstraint>`,
  51. :class:`unique <django.db.models.UniqueConstraint>`, and :class:`exclusion
  52. <django.contrib.postgres.constraints.ExclusionConstraint>` constraints defined
  53. in the :attr:`Meta.constraints <django.db.models.Options.constraints>` option
  54. are now checked during :ref:`model validation <validating-objects>`.
  55. .. _csrf-cookie-masked-usage:
  56. ``CSRF_COOKIE_MASKED`` setting
  57. ------------------------------
  58. The new :setting:`CSRF_COOKIE_MASKED` transitional setting allows specifying
  59. whether to mask the CSRF cookie.
  60. :class:`~django.middleware.csrf.CsrfViewMiddleware` no longer masks the CSRF
  61. cookie like it does the CSRF token in the DOM. If you are upgrading multiple
  62. instances of the same project to Django 4.1, you should set
  63. :setting:`CSRF_COOKIE_MASKED` to ``True`` during the transition, in
  64. order to allow compatibility with the older versions of Django. Once the
  65. transition to 4.1 is complete you can stop overriding
  66. :setting:`CSRF_COOKIE_MASKED`.
  67. This setting is deprecated as of this release and will be removed in Django
  68. 5.0.
  69. Minor features
  70. --------------
  71. :mod:`django.contrib.admin`
  72. ~~~~~~~~~~~~~~~~~~~~~~~~~~~
  73. * The admin :ref:`dark mode CSS variables <admin-theming>` are now applied in a
  74. separate stylesheet and template block.
  75. * :ref:`modeladmin-list-filters` providing custom ``FieldListFilter``
  76. subclasses can now control the query string value separator when filtering
  77. for multiple values using the ``__in`` lookup.
  78. * The admin :meth:`history view <django.contrib.admin.ModelAdmin.history_view>`
  79. is now paginated.
  80. * Related widget wrappers now have a link to object's change form.
  81. * The :meth:`.AdminSite.get_app_list` method now allows changing the order of
  82. apps and models on the admin index page.
  83. :mod:`django.contrib.admindocs`
  84. ~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~
  85. * ...
  86. :mod:`django.contrib.auth`
  87. ~~~~~~~~~~~~~~~~~~~~~~~~~~
  88. * The default iteration count for the PBKDF2 password hasher is increased from
  89. 320,000 to 390,000.
  90. * The :meth:`.RemoteUserBackend.configure_user` method now allows synchronizing
  91. user attributes with attributes in a remote system such as an LDAP directory.
  92. :mod:`django.contrib.contenttypes`
  93. ~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~
  94. * ...
  95. :mod:`django.contrib.gis`
  96. ~~~~~~~~~~~~~~~~~~~~~~~~~
  97. * The new :meth:`.GEOSGeometry.make_valid()` method allows converting invalid
  98. geometries to valid ones.
  99. :mod:`django.contrib.messages`
  100. ~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~
  101. * ...
  102. :mod:`django.contrib.postgres`
  103. ~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~
  104. * The new :class:`BitXor() <django.contrib.postgres.aggregates.BitXor>`
  105. aggregate function returns an ``int`` of the bitwise ``XOR`` of all non-null
  106. input values.
  107. * :class:`~django.contrib.postgres.indexes.SpGistIndex` now supports covering
  108. indexes on PostgreSQL 14+.
  109. * :class:`~django.contrib.postgres.constraints.ExclusionConstraint` now
  110. supports covering exclusion constraints using SP-GiST indexes on PostgreSQL
  111. 14+.
  112. * The new ``default_bounds`` attribute of :attr:`DateTimeRangeField
  113. <django.contrib.postgres.fields.DateTimeRangeField.default_bounds>` and
  114. :attr:`DecimalRangeField
  115. <django.contrib.postgres.fields.DecimalRangeField.default_bounds>` allows
  116. specifying bounds for list and tuple inputs.
  117. * :class:`~django.contrib.postgres.constraints.ExclusionConstraint` now allows
  118. specifying operator classes with the
  119. :class:`OpClass() <django.contrib.postgres.indexes.OpClass>` expression.
  120. :mod:`django.contrib.redirects`
  121. ~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~
  122. * ...
  123. :mod:`django.contrib.sessions`
  124. ~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~
  125. * ...
  126. :mod:`django.contrib.sitemaps`
  127. ~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~
  128. * The default sitemap index template ``<sitemapindex>`` now includes the
  129. ``<lastmod>`` timestamp where available, through the new
  130. :meth:`~django.contrib.sitemaps.Sitemap.get_latest_lastmod` method. Custom
  131. sitemap index templates should be updated for the adjusted :ref:`context
  132. variables <sitemap-index-context-variables>`.
  133. :mod:`django.contrib.sites`
  134. ~~~~~~~~~~~~~~~~~~~~~~~~~~~
  135. * ...
  136. :mod:`django.contrib.staticfiles`
  137. ~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~
  138. * :class:`~django.contrib.staticfiles.storage.ManifestStaticFilesStorage` now
  139. replaces paths to CSS source map references with their hashed counterparts.
  140. :mod:`django.contrib.syndication`
  141. ~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~
  142. * ...
  143. Cache
  144. ~~~~~
  145. * ...
  146. CSRF
  147. ~~~~
  148. * ...
  149. Database backends
  150. ~~~~~~~~~~~~~~~~~
  151. * Third-party database backends can now specify the minimum required version of
  152. the database using the ``DatabaseFeatures.minimum_database_version``
  153. attribute which is a tuple (e.g. ``(10, 0)`` means "10.0"). If a minimum
  154. version is specified, backends must also implement
  155. ``DatabaseWrapper.get_database_version()``, which returns a tuple of the
  156. current database version. The backend's
  157. ``DatabaseWrapper.init_connection_state()`` method must call ``super()`` in
  158. order for the check to run.
  159. Decorators
  160. ~~~~~~~~~~
  161. * ...
  162. Email
  163. ~~~~~
  164. * ...
  165. Error Reporting
  166. ~~~~~~~~~~~~~~~
  167. * ...
  168. File Storage
  169. ~~~~~~~~~~~~
  170. * ...
  171. File Uploads
  172. ~~~~~~~~~~~~
  173. * ...
  174. Forms
  175. ~~~~~
  176. * The default template used to render forms when cast to a string, e.g. in
  177. templates as ``{{ form }}``, is now configurable at the project-level by
  178. setting :attr:`~django.forms.renderers.BaseRenderer.form_template_name` on
  179. the class provided for :setting:`FORM_RENDERER`.
  180. :attr:`.Form.template_name` is now a property deferring to the renderer, but
  181. may be overridden with a string value to specify the template name per-form
  182. class.
  183. Similarly, the default template used to render formsets can be specified via
  184. the matching
  185. :attr:`~django.forms.renderers.BaseRenderer.formset_template_name` renderer
  186. attribute.
  187. * The new ``div.html`` form template, referencing
  188. :attr:`.Form.template_name_div` attribute, and matching :meth:`.Form.as_div`
  189. method, render forms using HTML ``<div>`` elements.
  190. This new output style is recommended over the existing
  191. :meth:`~.Form.as_table`, :meth:`~.Form.as_p` and :meth:`~.Form.as_ul` styles,
  192. as the template implements ``<fieldset>`` and ``<legend>`` to group related
  193. inputs and is easier for screen reader users to navigate.
  194. * The new :meth:`~django.forms.BoundField.legend_tag` allows rendering field
  195. labels in ``<legend>`` tags via the new ``tag`` argument of
  196. :meth:`~django.forms.BoundField.label_tag`.
  197. * The new ``edit_only`` argument for :func:`.modelformset_factory` and
  198. :func:`.inlineformset_factory` allows preventing new objects creation.
  199. * The ``js`` and ``css`` class attributes of :doc:`Media </topics/forms/media>`
  200. now allow using hashable objects, not only path strings, as long as those
  201. objects implement the ``__html__()`` method (typically when decorated with
  202. the :func:`~django.utils.html.html_safe` decorator).
  203. * The new :attr:`.BoundField.use_fieldset` and :attr:`.Widget.use_fieldset`
  204. attributes help to identify widgets where its inputs should be grouped in a
  205. ``<fieldset>`` with a ``<legend>``.
  206. * The :ref:`formsets-error-messages` argument for
  207. :class:`~django.forms.formsets.BaseFormSet` now allows customizing
  208. error messages for invalid number of forms by passing ``'too_few_forms'``
  209. and ``'too_many_forms'`` keys.
  210. Generic Views
  211. ~~~~~~~~~~~~~
  212. * ...
  213. Internationalization
  214. ~~~~~~~~~~~~~~~~~~~~
  215. * The :func:`~django.conf.urls.i18n.i18n_patterns` function now supports
  216. languages with both scripts and regions.
  217. Logging
  218. ~~~~~~~
  219. * ...
  220. Management Commands
  221. ~~~~~~~~~~~~~~~~~~~
  222. * :option:`makemigrations --no-input` now logs default answers and reasons why
  223. migrations cannot be created.
  224. * The new :option:`makemigrations --scriptable` option diverts log output and
  225. input prompts to ``stderr``, writing only paths of generated migration files
  226. to ``stdout``.
  227. * The new :option:`migrate --prune` option allows deleting nonexistent
  228. migrations from the ``django_migrations`` table.
  229. * Python files created by :djadmin:`startproject`, :djadmin:`startapp`,
  230. :djadmin:`optimizemigration`, :djadmin:`makemigrations`, and
  231. :djadmin:`squashmigrations` are now formatted using the ``black`` command if
  232. it is present on your ``PATH``.
  233. * The new :djadmin:`optimizemigration` command allows optimizing operations for
  234. a migration.
  235. Migrations
  236. ~~~~~~~~~~
  237. * ...
  238. Models
  239. ~~~~~~
  240. * The ``order_by`` argument of the
  241. :class:`~django.db.models.expressions.Window` expression now accepts string
  242. references to fields and transforms.
  243. * The new :setting:`CONN_HEALTH_CHECKS` setting allows enabling health checks
  244. for :ref:`persistent database connections <persistent-database-connections>`
  245. in order to reduce the number of failed requests, e.g. after database server
  246. restart.
  247. * :meth:`.QuerySet.bulk_create` now supports updating fields when a row
  248. insertion fails uniqueness constraints. This is supported on MariaDB, MySQL,
  249. PostgreSQL, and SQLite 3.24+.
  250. * :meth:`.QuerySet.iterator` now supports prefetching related objects as long
  251. as the ``chunk_size`` argument is provided. In older versions, no prefetching
  252. was done.
  253. * :class:`~django.db.models.Q` objects and querysets can now be combined using
  254. ``^`` as the exclusive or (``XOR``) operator. ``XOR`` is natively supported
  255. on MariaDB and MySQL. For databases that do not support ``XOR``, the query
  256. will be converted to an equivalent using ``AND``, ``OR``, and ``NOT``.
  257. * The new :ref:`Field.non_db_attrs <custom-field-non_db_attrs>` attribute
  258. allows customizing attributes of fields that don't affect a column
  259. definition.
  260. * On PostgreSQL, ``AutoField``, ``BigAutoField``, and ``SmallAutoField`` are
  261. now created as identity columns rather than serial columns with sequences.
  262. Requests and Responses
  263. ~~~~~~~~~~~~~~~~~~~~~~
  264. * :meth:`.HttpResponse.set_cookie` now supports :class:`~datetime.timedelta`
  265. objects for the ``max_age`` argument.
  266. Security
  267. ~~~~~~~~
  268. * The new :setting:`SECRET_KEY_FALLBACKS` setting allows providing a list of
  269. values for secret key rotation.
  270. * The :setting:`SECURE_PROXY_SSL_HEADER` setting now supports a comma-separated
  271. list of protocols in the header value.
  272. Serialization
  273. ~~~~~~~~~~~~~
  274. * ...
  275. Signals
  276. ~~~~~~~
  277. * The :data:`~django.db.models.signals.pre_delete` and
  278. :data:`~django.db.models.signals.post_delete` signals now dispatch the
  279. ``origin`` of the deletion.
  280. .. _templates-4.1:
  281. Templates
  282. ~~~~~~~~~
  283. * :tfilter:`json_script` template filter now allows wrapping in a ``<script>``
  284. tag without the HTML ``id`` attribute.
  285. * The :class:`cached template loader <django.template.loaders.cached.Loader>`
  286. is now enabled in development, when :setting:`DEBUG` is ``True``, and
  287. :setting:`OPTIONS['loaders'] <TEMPLATES-OPTIONS>` isn't specified. You may
  288. specify ``OPTIONS['loaders']`` to override this, if necessary.
  289. Tests
  290. ~~~~~
  291. * The :class:`.DiscoverRunner` now supports running tests in parallel on
  292. macOS, Windows, and any other systems where the default
  293. :mod:`multiprocessing` start method is ``spawn``.
  294. * A nested atomic block marked as durable in :class:`django.test.TestCase` now
  295. raises a ``RuntimeError``, the same as outside of tests.
  296. * :meth:`.SimpleTestCase.assertFormError` and
  297. :meth:`~.SimpleTestCase.assertFormsetError` now support passing a
  298. form/formset object directly.
  299. URLs
  300. ~~~~
  301. * The new :attr:`.ResolverMatch.captured_kwargs` attribute stores the captured
  302. keyword arguments, as parsed from the URL.
  303. * The new :attr:`.ResolverMatch.extra_kwargs` attribute stores the additional
  304. keyword arguments passed to the view function.
  305. Utilities
  306. ~~~~~~~~~
  307. * ``SimpleLazyObject`` now supports addition operations.
  308. * :func:`~django.utils.safestring.mark_safe` now preserves lazy objects.
  309. Validators
  310. ~~~~~~~~~~
  311. * ...
  312. .. _backwards-incompatible-4.1:
  313. Backwards incompatible changes in 4.1
  314. =====================================
  315. Database backend API
  316. --------------------
  317. This section describes changes that may be needed in third-party database
  318. backends.
  319. * ``BaseDatabaseFeatures.has_case_insensitive_like`` is changed from ``True``
  320. to ``False`` to reflect the behavior of most databases.
  321. * ``DatabaseIntrospection.get_key_columns()`` is removed. Use
  322. ``DatabaseIntrospection.get_relations()`` instead.
  323. * ``DatabaseOperations.ignore_conflicts_suffix_sql()`` method is replaced by
  324. ``DatabaseOperations.on_conflict_suffix_sql()`` that accepts the ``fields``,
  325. ``on_conflict``, ``update_fields``, and ``unique_fields`` arguments.
  326. * The ``ignore_conflicts`` argument of the
  327. ``DatabaseOperations.insert_statement()`` method is replaced by
  328. ``on_conflict`` that accepts ``django.db.models.constants.OnConflict``.
  329. :mod:`django.contrib.gis`
  330. -------------------------
  331. * Support for GDAL 2.1 is removed.
  332. * Support for PostGIS 2.4 is removed.
  333. Dropped support for PostgreSQL 10
  334. ---------------------------------
  335. Upstream support for PostgreSQL 10 ends in November 2022. Django 4.1 supports
  336. PostgreSQL 11 and higher.
  337. Dropped support for MariaDB 10.2
  338. --------------------------------
  339. Upstream support for MariaDB 10.2 ends in May 2022. Django 4.1 supports MariaDB
  340. 10.3 and higher.
  341. Admin changelist searches spanning multi-valued relationships changes
  342. ---------------------------------------------------------------------
  343. Admin changelist searches using multiple search terms are now applied in a
  344. single call to ``filter()``, rather than in sequential ``filter()`` calls.
  345. For multi-valued relationships, this means that rows from the related model
  346. must match all terms rather than any term. For example, if ``search_fields``
  347. is set to ``['child__name', 'child__age']``, and a user searches for
  348. ``'Jamal 17'``, parent rows will be returned only if there is a relationship to
  349. some 17-year-old child named Jamal, rather than also returning parents who
  350. merely have a younger or older child named Jamal in addition to some other
  351. 17-year-old.
  352. See the :ref:`spanning-multi-valued-relationships` topic for more discussion of
  353. this difference. In Django 4.0 and earlier,
  354. :meth:`~django.contrib.admin.ModelAdmin.get_search_results` followed the
  355. second example query, but this undocumented behavior led to queries with
  356. excessive joins.
  357. Reverse foreign key changes for unsaved model instances
  358. -------------------------------------------------------
  359. In order to unify the behavior with many-to-many relations for unsaved model
  360. instances, a reverse foreign key now raises ``ValueError`` when calling
  361. :class:`related managers <django.db.models.fields.related.RelatedManager>` for
  362. unsaved objects.
  363. Miscellaneous
  364. -------------
  365. * Related managers for :class:`~django.db.models.ForeignKey`,
  366. :class:`~django.db.models.ManyToManyField`, and
  367. :class:`~django.contrib.contenttypes.fields.GenericRelation` are now cached
  368. on the :class:`~django.db.models.Model` instance to which they belong.
  369. * The Django test runner now returns a non-zero error code for unexpected
  370. successes from tests marked with :py:func:`unittest.expectedFailure`.
  371. * :class:`~django.middleware.csrf.CsrfViewMiddleware` no longer masks the CSRF
  372. cookie like it does the CSRF token in the DOM.
  373. * :class:`~django.middleware.csrf.CsrfViewMiddleware` now uses
  374. ``request.META['CSRF_COOKIE']`` for storing the unmasked CSRF secret rather
  375. than a masked version. This is an undocumented, private API.
  376. * The :attr:`.ModelAdmin.actions` and
  377. :attr:`~django.contrib.admin.ModelAdmin.inlines` attributes now default to an
  378. empty tuple rather than an empty list to discourage unintended mutation.
  379. * The ``type="text/css"`` attribute is no longer included in ``<link>`` tags
  380. for CSS :doc:`form media </topics/forms/media>`.
  381. * ``formset:added`` and ``formset:removed`` JavaScript events are now pure
  382. JavaScript events and don't depend on jQuery. See
  383. :ref:`admin-javascript-inline-form-events` for more details on the change.
  384. * The ``exc_info`` argument of the undocumented
  385. ``django.utils.log.log_response()`` function is replaced by ``exception``.
  386. * The ``size`` argument of the undocumented
  387. ``django.views.static.was_modified_since()`` function is removed.
  388. * The admin log out UI now uses ``POST`` requests.
  389. * The undocumented ``InlineAdminFormSet.non_form_errors`` property is replaced
  390. by the ``non_form_errors()`` method. This is consistent with ``BaseFormSet``.
  391. * As per :ref:`above<templates-4.1>`, the cached template loader is now
  392. enabled in development. You may specify ``OPTIONS['loaders']`` to override
  393. this, if necessary.
  394. * The undocumented ``django.contrib.auth.views.SuccessURLAllowedHostsMixin``
  395. mixin is replaced by ``RedirectURLMixin``.
  396. * :class:`~django.db.models.BaseConstraint` subclasses must implement
  397. :meth:`~django.db.models.BaseConstraint.validate` method to allow those
  398. constraints to be used for validation.
  399. .. _deprecated-features-4.1:
  400. Features deprecated in 4.1
  401. ==========================
  402. Log out via GET
  403. ---------------
  404. Logging out via ``GET`` requests to the :py:class:`built-in logout view
  405. <django.contrib.auth.views.LogoutView>` is deprecated. Use ``POST`` requests
  406. instead.
  407. If you want to retain the user experience of an HTML link, you can use a form
  408. that is styled to appear as a link:
  409. .. code-block:: html
  410. <form id="logout-form" method="post" action="{% url 'admin:logout' %}">
  411. {% csrf_token %}
  412. <button type="submit">{% translate "Log out" %}</button>
  413. </form>
  414. .. code-block:: css
  415. #logout-form {
  416. display: inline;
  417. }
  418. #logout-form button {
  419. background: none;
  420. border: none;
  421. cursor: pointer;
  422. padding: 0;
  423. text-decoration: underline;
  424. }
  425. Miscellaneous
  426. -------------
  427. * The context for sitemap index templates of a flat list of URLs is deprecated.
  428. Custom sitemap index templates should be updated for the adjusted
  429. :ref:`context variables <sitemap-index-context-variables>`, expecting a list
  430. of objects with ``location`` and optional ``lastmod`` attributes.
  431. * ``CSRF_COOKIE_MASKED`` transitional setting is deprecated.
  432. * The ``name`` argument of :func:`django.utils.functional.cached_property` is
  433. deprecated as it's unnecessary as of Python 3.6.
  434. * The ``opclasses`` argument of
  435. ``django.contrib.postgres.constraints.ExclusionConstraint`` is deprecated in
  436. favor of using :class:`OpClass() <django.contrib.postgres.indexes.OpClass>`
  437. in :attr:`.ExclusionConstraint.expressions`. To use it, you need to add
  438. ``'django.contrib.postgres'`` in your :setting:`INSTALLED_APPS`.
  439. After making this change, :djadmin:`makemigrations` will generate a new
  440. migration with two operations: ``RemoveConstraint`` and ``AddConstraint``.
  441. Since this change has no effect on the database schema,
  442. the :class:`~django.db.migrations.operations.SeparateDatabaseAndState`
  443. operation can be used to only update the migration state without running any
  444. SQL. Move the generated operations into the ``state_operations`` argument of
  445. :class:`~django.db.migrations.operations.SeparateDatabaseAndState`. For
  446. example::
  447. class Migration(migrations.Migration):
  448. ...
  449. operations = [
  450. migrations.SeparateDatabaseAndState(
  451. database_operations=[],
  452. state_operations=[
  453. migrations.RemoveConstraint(
  454. ...
  455. ),
  456. migrations.AddConstraint(
  457. ...
  458. ),
  459. ],
  460. ),
  461. ]
  462. * The undocumented ability to pass ``errors=None`` to
  463. :meth:`.SimpleTestCase.assertFormError` and
  464. :meth:`~.SimpleTestCase.assertFormsetError` is deprecated. Use ``errors=[]``
  465. instead.
  466. * ``django.contrib.sessions.serializers.PickleSerializer`` is deprecated due to
  467. the risk of remote code execution.
  468. * The usage of ``QuerySet.iterator()`` on a queryset that prefetches related
  469. objects without providing the ``chunk_size`` argument is deprecated. In older
  470. versions, no prefetching was done. Providing a value for ``chunk_size``
  471. signifies that the additional query per chunk needed to prefetch is desired.
  472. * Passing unsaved model instances to related filters is deprecated. In Django
  473. 5.0, the exception will be raised.
  474. * ``created=True`` is added to the signature of
  475. :meth:`.RemoteUserBackend.configure_user`. Support for ``RemoteUserBackend``
  476. subclasses that do not accept this argument is deprecated.
  477. * The :data:`django.utils.timezone.utc` alias to :attr:`datetime.timezone.utc`
  478. is deprecated. Use :attr:`datetime.timezone.utc` directly.
  479. * Passing a response object and a form/formset name to
  480. ``SimpleTestCase.assertFormError()`` and ``assertFormsetError()`` is
  481. deprecated. Use::
  482. assertFormError(response.context['form_name'], …)
  483. assertFormsetError(response.context['formset_name'], …)
  484. or pass the form/formset object directly instead.
  485. * The undocumented ``django.contrib.gis.admin.OpenLayersWidget`` is deprecated.
  486. Features removed in 4.1
  487. =======================
  488. These features have reached the end of their deprecation cycle and are removed
  489. in Django 4.1.
  490. See :ref:`deprecated-features-3.2` for details on these changes, including how
  491. to remove usage of these features.
  492. * Support for assigning objects which don't support creating deep copies with
  493. ``copy.deepcopy()`` to class attributes in ``TestCase.setUpTestData()`` is
  494. removed.
  495. * Support for using a boolean value in
  496. :attr:`.BaseCommand.requires_system_checks` is removed.
  497. * The ``whitelist`` argument and ``domain_whitelist`` attribute of
  498. ``django.core.validators.EmailValidator`` are removed.
  499. * The ``default_app_config`` application configuration variable is removed.
  500. * ``TransactionTestCase.assertQuerysetEqual()`` no longer calls ``repr()`` on a
  501. queryset when compared to string values.
  502. * The ``django.core.cache.backends.memcached.MemcachedCache`` backend is
  503. removed.
  504. * Support for the pre-Django 3.2 format of messages used by
  505. ``django.contrib.messages.storage.cookie.CookieStorage`` is removed.