2.0.txt 32 KB

123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154155156157158159160161162163164165166167168169170171172173174175176177178179180181182183184185186187188189190191192193194195196197198199200201202203204205206207208209210211212213214215216217218219220221222223224225226227228229230231232233234235236237238239240241242243244245246247248249250251252253254255256257258259260261262263264265266267268269270271272273274275276277278279280281282283284285286287288289290291292293294295296297298299300301302303304305306307308309310311312313314315316317318319320321322323324325326327328329330331332333334335336337338339340341342343344345346347348349350351352353354355356357358359360361362363364365366367368369370371372373374375376377378379380381382383384385386387388389390391392393394395396397398399400401402403404405406407408409410411412413414415416417418419420421422423424425426427428429430431432433434435436437438439440441442443444445446447448449450451452453454455456457458459460461462463464465466467468469470471472473474475476477478479480481482483484485486487488489490491492493494495496497498499500501502503504505506507508509510511512513514515516517518519520521522523524525526527528529530531532533534535536537538539540541542543544545546547548549550551552553554555556557558559560561562563564565566567568569570571572573574575576577578579580581582583584585586587588589590591592593594595596597598599600601602603604605606607608609610611612613614615616617618619620621622623624625626627628629630631632633634635636637638639640641642643644645646647648649650651652653654655656657658659660661662663664665666667668669670671672673674675676677678679680681682683684685686687688689690691692693694695696697698699700701702703704705706707708709710711712713714715716717718719720721722723724725726727728729730731732733734735736737738739740741742743744745746747748749750751752753754755756757758759760761762763764765766767768769770771772773774775776777778779780781782783784785786787788789790791792793794795796797798799800801802803804805806807808809810811812813814815816817818819820821822823824825826827828829830831832833834835836837838839
  1. ============================================
  2. Django 2.0 release notes - UNDER DEVELOPMENT
  3. ============================================
  4. Welcome to Django 2.0!
  5. These release notes cover the :ref:`new features <whats-new-2.0>`, as well as
  6. some :ref:`backwards incompatible changes <backwards-incompatible-2.0>` you'll
  7. want to be aware of when upgrading from Django 1.11 or earlier. We've
  8. :ref:`dropped some features<removed-features-2.0>` that have reached the end of
  9. their deprecation cycle, and we've :ref:`begun the deprecation process for some
  10. features <deprecated-features-2.0>`.
  11. This release starts Django's use of a :ref:`loose form of semantic versioning
  12. <internal-release-cadence>`, but there aren't any major backwards incompatible
  13. changes that might be expected of a 2.0 release. Upgrading should be a similar
  14. amount of effort as past feature releases.
  15. See the :doc:`/howto/upgrade-version` guide if you're updating an existing
  16. project.
  17. Python compatibility
  18. ====================
  19. Django 2.0 supports Python 3.4, 3.5, and 3.6. We **highly recommend** and only
  20. officially support the latest release of each series.
  21. The Django 1.11.x series is the last to support Python 2.7.
  22. Django 2.0 will be the last release series to support Python 3.4. If you plan
  23. a deployment of Python 3.4 beyond the end-of-life for Django 2.0 (April 2019),
  24. stick with Django 1.11 LTS (supported until April 2020) instead. Note, however,
  25. that the end-of-life for Python 3.4 is March 2019.
  26. Third-party library support for older version of Django
  27. =======================================================
  28. Following the release of Django 2.0, we suggest that third-party app authors
  29. drop support for all versions of Django prior to 1.11. At that time, you should
  30. be able to run your package's tests using ``python -Wd`` so that deprecation
  31. warnings do appear. After making the deprecation warning fixes, your app should
  32. be compatible with Django 2.0.
  33. .. _whats-new-2.0:
  34. What's new in Django 2.0
  35. ========================
  36. Simplified URL routing syntax
  37. -----------------------------
  38. The new :func:`django.urls.path()` function allows a simpler, more readable URL
  39. routing syntax. For example, this example from previous Django releases::
  40. url(r'^articles/(?P<year>[0-9]{4})/$', views.year_archive),
  41. could be written as::
  42. path('articles/<int:year>/', views.year_archive),
  43. The new syntax supports type coercion of URL parameters. In the example, the
  44. view will receive the ``year`` keyword argument as an integer rather than as
  45. a string. Also, the URLs that will match are slightly less constrained in the
  46. rewritten example. For example, the year 10000 will now match since the year
  47. integers aren't constrained to be exactly four digits long as they are in the
  48. regular expression.
  49. The ``django.conf.urls.url()`` function from previous versions is now available
  50. as :func:`django.urls.re_path`. The old location remains for backwards
  51. compatibility, without an imminent deprecation. The old
  52. ``django.conf.urls.include()`` function is now importable from ``django.urls``
  53. so you can use ``from django.urls import include, path, re_path`` in your
  54. URLconfs.
  55. The :doc:`/topics/http/urls` document is rewritten to feature the new syntax
  56. and provide more details.
  57. Mobile-friendly ``contrib.admin``
  58. ---------------------------------
  59. The admin is now responsive and supports all major mobile devices. Older
  60. browsers may experience varying levels of graceful degradation.
  61. Window expressions
  62. ------------------
  63. The new :class:`~django.db.models.expressions.Window` expression allows
  64. adding an ``OVER`` clause to querysets. You can use :ref:`window functions
  65. <window-functions>` and :ref:`aggregate functions <aggregation-functions>` in
  66. the expression.
  67. Minor features
  68. --------------
  69. :mod:`django.contrib.admin`
  70. ~~~~~~~~~~~~~~~~~~~~~~~~~~~
  71. * The new :attr:`.ModelAdmin.autocomplete_fields` attribute and
  72. :meth:`.ModelAdmin.get_autocomplete_fields` method allow using an
  73. `Select2 <https://select2.org>`_ search widget for ``ForeignKey`` and
  74. ``ManyToManyField``.
  75. :mod:`django.contrib.auth`
  76. ~~~~~~~~~~~~~~~~~~~~~~~~~~
  77. * The default iteration count for the PBKDF2 password hasher is increased from
  78. 36,000 to 100,000.
  79. :mod:`django.contrib.gis`
  80. ~~~~~~~~~~~~~~~~~~~~~~~~~
  81. * Added MySQL support for the
  82. :class:`~django.contrib.gis.db.models.functions.AsGeoJSON` function,
  83. :class:`~django.contrib.gis.db.models.functions.GeoHash` function,
  84. :class:`~django.contrib.gis.db.models.functions.IsValid` function,
  85. :lookup:`isvalid` lookup, and :ref:`distance lookups <distance-lookups>`.
  86. * Added the :class:`~django.contrib.gis.db.models.functions.Azimuth` and
  87. :class:`~django.contrib.gis.db.models.functions.LineLocatePoint` functions,
  88. supported on PostGIS and SpatiaLite.
  89. * Any :class:`~django.contrib.gis.geos.GEOSGeometry` imported from GeoJSON now
  90. has its SRID set.
  91. * Added the :attr:`.OSMWidget.default_zoom` attribute to customize the map's
  92. default zoom level.
  93. * Made metadata readable and editable on rasters through the
  94. :attr:`~django.contrib.gis.gdal.GDALRaster.metadata`,
  95. :attr:`~django.contrib.gis.gdal.GDALRaster.info`, and
  96. :attr:`~django.contrib.gis.gdal.GDALBand.metadata` attributes.
  97. * Allowed passing driver-specific creation options to
  98. :class:`~django.contrib.gis.gdal.GDALRaster` objects using ``papsz_options``.
  99. * Allowed creating :class:`~django.contrib.gis.gdal.GDALRaster` objects in
  100. GDAL's internal virtual filesystem. Rasters can now be :ref:`created from and
  101. converted to binary data <gdal-raster-vsimem>` in-memory.
  102. * The new :meth:`GDALBand.color_interp()
  103. <django.contrib.gis.gdal.GDALBand.color_interp>` method returns the color
  104. interpretation for the band.
  105. :mod:`django.contrib.postgres`
  106. ~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~
  107. * The new ``distinct`` argument for
  108. :class:`~django.contrib.postgres.aggregates.ArrayAgg` determines if
  109. concatenated values will be distinct.
  110. * The new :class:`~django.contrib.postgres.functions.RandomUUID` database
  111. function returns a version 4 UUID. It requires use of PostgreSQL's
  112. ``pgcrypto`` extension which can be activated using the new
  113. :class:`~django.contrib.postgres.operations.CryptoExtension` migration
  114. operation.
  115. * :class:`django.contrib.postgres.indexes.GinIndex` now supports the
  116. ``fastupdate`` and ``gin_pending_list_limit`` parameters.
  117. * The new :class:`~django.contrib.postgres.indexes.GistIndex` class allows
  118. creating ``GiST`` indexes in the database. The new
  119. :class:`~django.contrib.postgres.operations.BtreeGistExtension` migration
  120. operation installs the ``btree_gist`` extension to add support for operator
  121. classes that aren't built-in.
  122. * :djadmin:`inspectdb` can now introspect ``JSONField`` and various
  123. ``RangeField``\s (``django.contrib.postgres`` must be in ``INSTALLED_APPS``).
  124. :mod:`django.contrib.sitemaps`
  125. ~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~
  126. * Added the ``protocol`` keyword argument to the
  127. :class:`~django.contrib.sitemaps.GenericSitemap` constructor.
  128. Cache
  129. ~~~~~
  130. * ``cache.set_many()`` now returns a list of keys that failed to be inserted.
  131. For the built-in backends, failed inserts can only happen on memcached.
  132. File Storage
  133. ~~~~~~~~~~~~
  134. * :meth:`File.open() <django.core.files.File.open>` can be used as a context
  135. manager, e.g. ``with file.open() as f:``.
  136. Forms
  137. ~~~~~
  138. * The new ``date_attrs`` and ``time_attrs`` arguments for
  139. :class:`~django.forms.SplitDateTimeWidget` and
  140. :class:`~django.forms.SplitHiddenDateTimeWidget` allow specifying different
  141. HTML attributes for the ``DateInput`` and ``TimeInput`` (or hidden)
  142. subwidgets.
  143. * The new :meth:`Form.errors.get_json_data()
  144. <django.forms.Form.errors.get_json_data>` method returns form errors as
  145. a dictionary suitable for including in a JSON response.
  146. Generic Views
  147. ~~~~~~~~~~~~~
  148. * The new :attr:`.ContextMixin.extra_context` attribute allows adding context
  149. in ``View.as_view()``.
  150. Management Commands
  151. ~~~~~~~~~~~~~~~~~~~
  152. * :djadmin:`inspectdb` now translates MySQL's unsigned integer columns to
  153. ``PositiveIntegerField`` or ``PositiveSmallIntegerField``.
  154. * The new :option:`makemessages --add-location` option controls the comment
  155. format in PO files.
  156. * :djadmin:`loaddata` can now :ref:`read from stdin <loading-fixtures-stdin>`.
  157. * The new :option:`diffsettings --output` option allows formatting the output
  158. in a unified diff format.
  159. * On Oracle, :djadmin:`inspectdb` can now introspect ``AutoField`` if the
  160. column is created as an identity column.
  161. * On MySQL, :djadmin:`dbshell` now supports client-side TLS certificates.
  162. Migrations
  163. ~~~~~~~~~~
  164. * The new :option:`squashmigrations --squashed-name` option allows naming the
  165. squashed migration.
  166. Models
  167. ~~~~~~
  168. * The new :class:`~django.db.models.functions.StrIndex` database function
  169. finds the starting index of a string inside another string.
  170. * On Oracle, ``AutoField`` and ``BigAutoField`` are now created as `identity
  171. columns`_.
  172. .. _`identity columns`: https://docs.oracle.com/database/121/DRDAA/migr_tools_feat.htm#DRDAA109
  173. * The new ``chunk_size`` parameter of :meth:`.QuerySet.iterator` controls the
  174. number of rows fetched by the Python database client when streaming results
  175. from the database. For databases that don't support server-side cursors, it
  176. controls the number of results Django fetches from the database adapter.
  177. * :meth:`.QuerySet.earliest`, :meth:`.QuerySet.latest`, and
  178. :attr:`Meta.get_latest_by <django.db.models.Options.get_latest_by>` now
  179. allow ordering by several fields.
  180. * Added the :class:`~django.db.models.functions.ExtractQuarter` function to
  181. extract the quarter from :class:`~django.db.models.DateField` and
  182. :class:`~django.db.models.DateTimeField`, and exposed it through the
  183. :lookup:`quarter` lookup.
  184. * Added the :class:`~django.db.models.functions.TruncQuarter` function to
  185. truncate :class:`~django.db.models.DateField` and
  186. :class:`~django.db.models.DateTimeField` to the first day of a quarter.
  187. * Added the :attr:`~django.db.models.Index.db_tablespace` parameter to
  188. class-based indexes.
  189. * If the database supports a native duration field (Oracle and PostgreSQL),
  190. :class:`~django.db.models.functions.Extract` now works with
  191. :class:`~django.db.models.DurationField`.
  192. * Added the ``of`` argument to :meth:`.QuerySet.select_for_update()`, supported
  193. on PostgreSQL and Oracle, to lock only rows from specific tables rather than
  194. all selected tables. It may be helpful particularly when
  195. :meth:`~.QuerySet.select_for_update()` is used in conjunction with
  196. :meth:`~.QuerySet.select_related()`.
  197. * The new ``field_name`` parameter of :meth:`.QuerySet.in_bulk` allows fetching
  198. results based on any unique model field.
  199. * :meth:`.CursorWrapper.callproc()` now takes an optional dictionary of keyword
  200. parameters, if the backend supports this feature. Of Django's built-in
  201. backends, only Oracle supports it.
  202. * The new :meth:`connection.execute_wrapper()
  203. <django.db.backends.base.DatabaseWrapper.execute_wrapper>` method allows
  204. :doc:`installing wrappers around execution of database queries
  205. </topics/db/instrumentation>`.
  206. * The new ``filter`` argument for built-in aggregates allows :ref:`adding
  207. different conditionals <conditional-aggregation>` to multiple aggregations
  208. over the same fields or relations.
  209. * Added support for expressions in :attr:`Meta.ordering
  210. <django.db.models.Options.ordering>`.
  211. * The new ``named`` parameter of :meth:`.QuerySet.values_list` allows fetching
  212. results as named tuples.
  213. * The new :class:`.FilteredRelation` class allows adding an ``ON`` clause to
  214. querysets.
  215. Pagination
  216. ~~~~~~~~~~
  217. * Added :meth:`Paginator.get_page() <django.core.paginator.Paginator.get_page>`
  218. to provide the documented pattern of handling invalid page numbers.
  219. Requests and Responses
  220. ~~~~~~~~~~~~~~~~~~~~~~
  221. * The :djadmin:`runserver` Web server supports HTTP 1.1.
  222. Templates
  223. ~~~~~~~~~
  224. * To increase the usefulness of :meth:`.Engine.get_default` in third-party
  225. apps, it now returns the first engine if multiple ``DjangoTemplates`` engines
  226. are configured in ``TEMPLATES`` rather than raising ``ImproperlyConfigured``.
  227. * Custom template tags may now accept keyword-only arguments.
  228. Tests
  229. ~~~~~
  230. * Added threading support to :class:`~django.test.LiveServerTestCase`.
  231. * Added settings that allow customizing the test tablespace parameters for
  232. Oracle: :setting:`DATAFILE_SIZE`, :setting:`DATAFILE_TMP_SIZE`,
  233. :setting:`DATAFILE_EXTSIZE`, and :setting:`DATAFILE_TMP_EXTSIZE`.
  234. Validators
  235. ~~~~~~~~~~
  236. * The new :class:`.ProhibitNullCharactersValidator` disallows the null
  237. character in the input of the :class:`~django.forms.CharField` form field
  238. and its subclasses. Null character input was observed from vulnerability
  239. scanning tools. Most databases silently discard null characters, but
  240. psycopg2 2.7+ raises an exception when trying to save a null character to
  241. a char/text field with PostgreSQL.
  242. .. _backwards-incompatible-2.0:
  243. Backwards incompatible changes in 2.0
  244. =====================================
  245. Removed support for bytestrings in some places
  246. ----------------------------------------------
  247. To support native Python 2 strings, older Django versions had to accept both
  248. bytestrings and unicode strings. Now that Python 2 support is dropped,
  249. bytestrings should only be encountered around input/output boundaries (handling
  250. of binary fields or HTTP streams, for example). You might have to update your
  251. code to limit bytestring usage to a minimum, as Django no longer accepts
  252. bytestrings in certain code paths.
  253. Database backend API
  254. --------------------
  255. This section describes changes that may be needed in third-party database
  256. backends.
  257. * The ``DatabaseOperations.datetime_cast_date_sql()``,
  258. ``datetime_cast_time_sql()``, ``datetime_trunc_sql()``,
  259. ``datetime_extract_sql()``, and ``date_interval_sql()`` methods now return
  260. only the SQL to perform the operation instead of SQL and a list of
  261. parameters.
  262. * Third-party database backends should add a ``DatabaseWrapper.display_name``
  263. attribute with the name of the database that your backend works with. Django
  264. may use it in various messages, such as in system checks.
  265. * The first argument of ``SchemaEditor._alter_column_type_sql()`` is now
  266. ``model`` rather than ``table``.
  267. * The first argument of ``SchemaEditor._create_index_name()`` is now
  268. ``table_name`` rather than ``model``.
  269. * To enable ``FOR UPDATE OF`` support, set
  270. ``DatabaseFeatures.has_select_for_update_of = True``. If the database
  271. requires that the arguments to ``OF`` be columns rather than tables, set
  272. ``DatabaseFeatures.select_for_update_of_column = True``.
  273. * To enable support for :class:`~django.db.models.expressions.Window`
  274. expressions, set ``DatabaseFeatures.supports_over_clause`` to ``True``. You
  275. may need to customize the ``DatabaseOperations.window_start_rows_start_end()``
  276. and/or ``window_start_range_start_end()`` methods.
  277. * Third-party database backends should add a
  278. ``DatabaseOperations.cast_char_field_without_max_length`` attribute with the
  279. database data type that will be used in the
  280. :class:`~django.db.models.functions.Cast` function for a ``CharField`` if the
  281. ``max_length`` argument isn't provided.
  282. * The first argument of ``DatabaseCreation._clone_test_db()`` and
  283. ``get_test_db_clone_settings()`` is now ``suffix`` rather
  284. than ``number`` (in case you want to rename the signatures in your backend
  285. for consistency). ``django.test`` also now passes those values as strings
  286. rather than as integers.
  287. * Third-party database backends should add a
  288. ``DatabaseIntrospection.get_sequences()`` method based on the stub in
  289. ``BaseDatabaseIntrospection``.
  290. Dropped support for Oracle 11.2
  291. -------------------------------
  292. The end of upstream support for Oracle 11.2 is Dec. 2020. Django 1.11 will be
  293. supported until April 2020 which almost reaches this date. Django 2.0
  294. officially supports Oracle 12.1+.
  295. Default MySQL isolation level is read committed
  296. -----------------------------------------------
  297. MySQL's default isolation level, repeatable read, may cause data loss in
  298. typical Django usage. To prevent that and for consistency with other databases,
  299. the default isolation level is now read committed. You can use the
  300. :setting:`DATABASES` setting to :ref:`use a different isolation level
  301. <mysql-isolation-level>`, if needed.
  302. :attr:`AbstractUser.last_name <django.contrib.auth.models.User.last_name>` ``max_length`` increased to 150
  303. ----------------------------------------------------------------------------------------------------------
  304. A migration for :attr:`django.contrib.auth.models.User.last_name` is included.
  305. If you have a custom user model inheriting from ``AbstractUser``, you'll need
  306. to generate and apply a database migration for your user model.
  307. If you want to preserve the 30 character limit for last names, use a custom
  308. form::
  309. from django.contrib.auth.forms import UserChangeForm
  310. class MyUserChangeForm(UserChangeForm):
  311. last_name = forms.CharField(max_length=30, required=False)
  312. If you wish to keep this restriction in the admin when editing users, set
  313. ``UserAdmin.form`` to use this form::
  314. from django.contrib.auth.admin import UserAdmin
  315. from django.contrib.auth.models import User
  316. class MyUserAdmin(UserAdmin):
  317. form = MyUserChangeForm
  318. admin.site.unregister(User)
  319. admin.site.register(User, MyUserAdmin)
  320. ``QuerySet.reverse()`` and ``last()`` are prohibited after slicing
  321. ------------------------------------------------------------------
  322. Calling ``QuerySet.reverse()`` or ``last()`` on a sliced queryset leads to
  323. unexpected results due to the slice being applied after reordering. This is
  324. now prohibited, e.g.::
  325. >>> Model.objects.all()[:2].reverse()
  326. Traceback (most recent call last):
  327. ...
  328. TypeError: Cannot reverse a query once a slice has been taken.
  329. Form fields no longer accept optional arguments as positional arguments
  330. -----------------------------------------------------------------------
  331. To help prevent runtime errors due to incorrect ordering of form field
  332. arguments, optional arguments of built-in form fields are no longer accepted
  333. as positional arguments. For example::
  334. forms.IntegerField(25, 10)
  335. raises an exception and should be replaced with::
  336. forms.IntegerField(max_value=25, min_value=10)
  337. ``call_command()`` validates the options it receives
  338. ----------------------------------------------------
  339. ``call_command()`` now validates that the argument parser of the command being
  340. called defines all of the options passed to ``call_command()``.
  341. For custom management commands that use options not created using
  342. ``parser.add_argument()``, add a ``stealth_options`` attribute on the command::
  343. class MyCommand(BaseCommand):
  344. stealth_options = ('option_name', ...)
  345. Indexes no longer accept positional arguments
  346. ---------------------------------------------
  347. For example::
  348. models.Index(['headline', '-pub_date'], 'index_name')
  349. raises an exception and should be replaced with::
  350. models.Index(fields=['headline', '-pub_date'], name='index_name')
  351. Foreign key constraints are now enabled on SQLite
  352. -------------------------------------------------
  353. This will appear as a backwards-incompatible change (``IntegrityError:
  354. FOREIGN KEY constraint failed``) if attempting to save an existing model
  355. instance that's violating a foreign key constraint.
  356. Foreign keys are now created with ``DEFERRABLE INITIALLY DEFERRED`` instead of
  357. ``DEFERRABLE IMMEDIATE``. Thus, tables may need to be rebuilt to recreate
  358. foreign keys with the new definition, particularly if you're using a pattern
  359. like this::
  360. from django.db import transaction
  361. with transaction.atomic():
  362. Book.objects.create(author_id=1)
  363. Author.objects.create(id=1)
  364. If you don't recreate the foreign key as ``DEFERRED``, the first ``create()``
  365. would fail now that foreign key constraints are enforced.
  366. Backup your database first! After upgrading to Django 2.0, you can then
  367. rebuild tables using a script similar to this::
  368. from django.apps import apps
  369. from django.db import connection
  370. for app in apps.get_app_configs():
  371. for model in app.get_models(include_auto_created=True):
  372. if model._meta.managed and not (model._meta.proxy or model._meta.swapped):
  373. for base in model.__bases__:
  374. if hasattr(base, '_meta'):
  375. base._meta.local_many_to_many = []
  376. model._meta.local_many_to_many = []
  377. with connection.schema_editor() as editor:
  378. editor._remake_table(model)
  379. This script hasn't received extensive testing and needs adaption for various
  380. cases such as multiple databases. Feel free to contribute improvements.
  381. Miscellaneous
  382. -------------
  383. * The ``SessionAuthenticationMiddleware`` class is removed. It provided no
  384. functionality since session authentication is unconditionally enabled in
  385. Django 1.10.
  386. * The default HTTP error handlers (``handler404``, etc.) are now callables
  387. instead of dotted Python path strings. Django favors callable references
  388. since they provide better performance and debugging experience.
  389. * :class:`~django.views.generic.base.RedirectView` no longer silences
  390. ``NoReverseMatch`` if the ``pattern_name`` doesn't exist.
  391. * When :setting:`USE_L10N` is off, :class:`~django.forms.FloatField` and
  392. :class:`~django.forms.DecimalField` now respect :setting:`DECIMAL_SEPARATOR`
  393. and :setting:`THOUSAND_SEPARATOR` during validation. For example, with the
  394. settings::
  395. USE_L10N = False
  396. USE_THOUSAND_SEPARATOR = True
  397. DECIMAL_SEPARATOR = ','
  398. THOUSAND_SEPARATOR = '.'
  399. an input of ``"1.345"`` is now converted to ``1345`` instead of ``1.345``.
  400. * Subclasses of :class:`~django.contrib.auth.models.AbstractBaseUser` are no
  401. longer required to implement ``get_short_name()`` and ``get_full_name()``.
  402. (The base implementations that raise ``NotImplementedError`` are removed.)
  403. ``django.contrib.admin`` uses these methods if implemented but doesn't
  404. require them. Third-party apps that use these methods may want to adopt a
  405. similar approach.
  406. * The ``FIRST_DAY_OF_WEEK`` and ``NUMBER_GROUPING`` format settings are now
  407. kept as integers in JavaScript and JSON i18n view outputs.
  408. * :meth:`~django.test.TransactionTestCase.assertNumQueries` now ignores
  409. connection configuration queries. Previously, if a test opened a new database
  410. connection, those queries could be included as part of the
  411. ``assertNumQueries()`` count.
  412. * The default size of the Oracle test tablespace is increased from 20M to 50M
  413. and the default autoextend size is increased from 10M to 25M.
  414. * To improve performance when streaming large result sets from the database,
  415. :meth:`.QuerySet.iterator` now fetches 2000 rows at a time instead of 100.
  416. The old behavior can be restored using the ``chunk_size`` parameter. For
  417. example::
  418. Book.objects.iterator(chunk_size=100)
  419. * Providing unknown package names in the ``packages`` argument of the
  420. :class:`~django.views.i18n.JavaScriptCatalog` view now raises ``ValueError``
  421. instead of passing silently.
  422. * A model instance's primary key now appears in the default ``Model.__str__()``
  423. method, e.g. ``Question object (1)``.
  424. * ``makemigrations`` now detects changes to the model field ``limit_choices_to``
  425. option. Add this to your existing migrations or accept an auto-generated
  426. migration for fields that use it.
  427. * Performing queries that require :ref:`automatic spatial transformations
  428. <automatic-spatial-transformations>` now raises ``NotImplementedError``
  429. on MySQL instead of silently using non-transformed geometries.
  430. * ``django.core.exceptions.DjangoRuntimeWarning`` is removed. It was only used
  431. in the cache backend as an intermediate class in ``CacheKeyWarning``'s
  432. inheritance of ``RuntimeWarning``.
  433. * Renamed ``BaseExpression._output_field`` to ``output_field``. You may need
  434. to update custom expressions.
  435. * In older versions, forms and formsets combine their ``Media`` with widget
  436. ``Media`` by concatenating the two. The combining now tries to :ref:`preserve
  437. the relative order of elements in each list <form-media-asset-order>`.
  438. ``MediaOrderConflictWarning`` is issued if the order can't be preserved.
  439. * ``django.contrib.gis.gdal.OGRException`` is removed. It's been an alias for
  440. ``GDALException`` since Django 1.8.
  441. * Support for GEOS 3.3.x is dropped.
  442. * The way data is selected for ``GeometryField`` is changed to improve
  443. performance, and in raw SQL queries, those fields must now be wrapped in
  444. ``connection.ops.select``. See the :ref:`Raw queries note<gis-raw-sql>` in
  445. the GIS tutorial for an example.
  446. .. _deprecated-features-2.0:
  447. Features deprecated in 2.0
  448. ==========================
  449. ``context`` argument of ``Field.from_db_value()`` and ``Expression.convert_value()``
  450. ------------------------------------------------------------------------------------
  451. The ``context`` argument of ``Field.from_db_value()`` and
  452. ``Expression.convert_value()`` is unused as it's always an empty dictionary.
  453. The signature of both methods is now::
  454. (self, value, expression, connection)
  455. instead of::
  456. (self, value, expression, connection, context)
  457. Support for the old signature in custom fields and expressions remains until
  458. Django 3.0.
  459. Miscellaneous
  460. -------------
  461. * The ``django.db.backends.postgresql_psycopg2`` module is deprecated in favor
  462. of ``django.db.backends.postgresql``. It's been an alias since Django 1.9.
  463. This only affects code that imports from the module directly. The
  464. ``DATABASES`` setting can still use
  465. ``'django.db.backends.postgresql_psycopg2'``, though you can simplify that by
  466. using the ``'django.db.backends.postgresql'`` name added in Django 1.9.
  467. * ``django.shortcuts.render_to_response()`` is deprecated in favor of
  468. :func:`django.shortcuts.render`. ``render()`` takes the same arguments
  469. except that it also requires a ``request``.
  470. * The ``DEFAULT_CONTENT_TYPE`` setting is deprecated. It doesn't interact well
  471. well with third-party apps and is obsolete since HTML5 has mostly superseded
  472. XHTML.
  473. * ``HttpRequest.xreadlines()`` is deprecated in favor of iterating over the
  474. request.
  475. * The ``field_name`` keyword argument to :meth:`.QuerySet.earliest` and
  476. :meth:`.QuerySet.latest` is deprecated in favor of passing the field
  477. names as arguments. Write ``.earliest('pub_date')`` instead of
  478. ``.earliest(field_name='pub_date')``.
  479. .. _removed-features-2.0:
  480. Features removed in 2.0
  481. =======================
  482. These features have reached the end of their deprecation cycle and are removed
  483. in Django 2.0.
  484. See :ref:`deprecated-features-1.9` for details on these changes, including how
  485. to remove usage of these features.
  486. * The ``weak`` argument to ``django.dispatch.signals.Signal.disconnect()`` is
  487. removed.
  488. * ``django.db.backends.base.BaseDatabaseOperations.check_aggregate_support()``
  489. is removed.
  490. * The ``django.forms.extras`` package is removed.
  491. * The ``assignment_tag`` helper is removed.
  492. * The ``host`` argument to ``SimpleTestCase.assertsRedirects()`` is removed.
  493. The compatibility layer which allows absolute URLs to be considered equal to
  494. relative ones when the path is identical is also removed.
  495. * ``Field.rel`` and ``Field.remote_field.to`` are removed.
  496. * The ``on_delete`` argument for ``ForeignKey`` and ``OneToOneField`` is now
  497. required in models and migrations. Consider squashing migrations so that you
  498. have less of them to update.
  499. * ``django.db.models.fields.add_lazy_relation()`` is removed.
  500. * When time zone support is enabled, database backends that don't support time
  501. zones no longer convert aware datetimes to naive values in UTC anymore when
  502. such values are passed as parameters to SQL queries executed outside of the
  503. ORM, e.g. with ``cursor.execute()``.
  504. * ``django.contrib.auth.tests.utils.skipIfCustomUser()`` is removed.
  505. * The ``GeoManager`` and ``GeoQuerySet`` classes are removed.
  506. * The ``django.contrib.gis.geoip`` module is removed.
  507. * The ``supports_recursion`` check for template loaders is removed from:
  508. * ``django.template.engine.Engine.find_template()``
  509. * ``django.template.loader_tags.ExtendsNode.find_template()``
  510. * ``django.template.loaders.base.Loader.supports_recursion()``
  511. * ``django.template.loaders.cached.Loader.supports_recursion()``
  512. * The ``load_template`` and ``load_template_sources`` template loader methods
  513. are removed.
  514. * The ``template_dirs`` argument for template loaders is removed:
  515. * ``django.template.loaders.base.Loader.get_template()``
  516. * ``django.template.loaders.cached.Loader.cache_key()``
  517. * ``django.template.loaders.cached.Loader.get_template()``
  518. * ``django.template.loaders.cached.Loader.get_template_sources()``
  519. * ``django.template.loaders.filesystem.Loader.get_template_sources()``
  520. * ``django.template.loaders.base.Loader.__call__()`` is removed.
  521. * Support for custom error views that don't accept an ``exception`` parameter
  522. is removed.
  523. * The ``mime_type`` attribute of ``django.utils.feedgenerator.Atom1Feed`` and
  524. ``django.utils.feedgenerator.RssFeed`` is removed.
  525. * The ``app_name`` argument to ``include()`` is removed.
  526. * Support for passing a 3-tuple (including ``admin.site.urls``) as the first
  527. argument to ``include()`` is removed.
  528. * Support for setting a URL instance namespace without an application namespace
  529. is removed.
  530. * ``Field._get_val_from_obj()`` is removed.
  531. * ``django.template.loaders.eggs.Loader`` is removed.
  532. * The ``current_app`` parameter to the ``contrib.auth`` function-based views is
  533. removed.
  534. * The ``callable_obj`` keyword argument to
  535. ``SimpleTestCase.assertRaisesMessage()`` is removed.
  536. * Support for the ``allow_tags`` attribute on ``ModelAdmin`` methods is
  537. removed.
  538. * The ``enclosure`` keyword argument to ``SyndicationFeed.add_item()`` is
  539. removed.
  540. * The ``django.template.loader.LoaderOrigin`` and
  541. ``django.template.base.StringOrigin`` aliases for
  542. ``django.template.base.Origin`` are removed.
  543. See :ref:`deprecated-features-1.10` for details on these changes.
  544. * The ``makemigrations --exit`` option is removed.
  545. * Support for direct assignment to a reverse foreign key or many-to-many
  546. relation is removed.
  547. * The ``get_srid()`` and ``set_srid()`` methods of
  548. ``django.contrib.gis.geos.GEOSGeometry`` are removed.
  549. * The ``get_x()``, ``set_x()``, ``get_y()``, ``set_y()``, ``get_z()``, and
  550. ``set_z()`` methods of ``django.contrib.gis.geos.Point`` are removed.
  551. * The ``get_coords()`` and ``set_coords()`` methods of
  552. ``django.contrib.gis.geos.Point`` are removed.
  553. * The ``cascaded_union`` property of ``django.contrib.gis.geos.MultiPolygon``
  554. is removed.
  555. * ``django.utils.functional.allow_lazy()`` is removed.
  556. * The ``shell --plain`` option is removed.
  557. * The ``django.core.urlresolvers`` module is removed in favor of its new
  558. location, ``django.urls``.
  559. * ``CommaSeparatedIntegerField`` is removed, except for support in historical
  560. migrations.
  561. * The template ``Context.has_key()`` method is removed.
  562. * Support for the ``django.core.files.storage.Storage.accessed_time()``,
  563. ``created_time()``, and ``modified_time()`` methods is removed.
  564. * Support for query lookups using the model name when
  565. ``Meta.default_related_name`` is set is removed.
  566. * The MySQL ``__search`` lookup is removed.
  567. * The shim for supporting custom related manager classes without a
  568. ``_apply_rel_filters()`` method is removed.
  569. * Using ``User.is_authenticated()`` and ``User.is_anonymous()`` as methods
  570. rather than properties is no longer supported.
  571. * The ``Model._meta.virtual_fields`` attribute is removed.
  572. * The keyword arguments ``virtual_only`` in ``Field.contribute_to_class()`` and
  573. ``virtual`` in ``Model._meta.add_field()`` are removed.
  574. * The ``javascript_catalog()`` and ``json_catalog()`` views are removed.
  575. * ``django.contrib.gis.utils.precision_wkt()`` is removed.
  576. * In multi-table inheritance, implicit promotion of a ``OneToOneField`` to a
  577. ``parent_link`` is removed.
  578. * Support for ``Widget._format_value()`` is removed.
  579. * ``FileField`` methods ``get_directory_name()`` and ``get_filename()`` are
  580. removed.
  581. * The ``mark_for_escaping()`` function and the classes it uses: ``EscapeData``,
  582. ``EscapeBytes``, ``EscapeText``, ``EscapeString``, and ``EscapeUnicode`` are
  583. removed.
  584. * The ``escape`` filter now uses ``django.utils.html.conditional_escape()``.
  585. * ``Manager.use_for_related_fields`` is removed.
  586. * Model ``Manager`` inheritance follows MRO inheritance rules. The requirement
  587. to use ``Meta.manager_inheritance_from_future`` to opt-in to the behavior is
  588. removed.
  589. * Support for old-style middleware using ``settings.MIDDLEWARE_CLASSES`` is
  590. removed.