Django 1.10 release notes¶
August 1, 2016
Welcome to Django 1.10!
These release notes cover the new features, as well as some backwards incompatible changes you’ll want to be aware of when upgrading from Django 1.9 or older versions. We’ve dropped some features that have reached the end of their deprecation cycle, and we’ve begun the deprecation process for some features.
See the How to upgrade Django to a newer version guide if you’re updating an existing project.
Python compatibility¶
Like Django 1.9, Django 1.10 requires Python 2.7, 3.4, or 3.5. We highly recommend and only officially support the latest release of each series.
What’s new in Django 1.10¶
Full text search for PostgreSQL¶
django.contrib.postgres
now includes a collection of database
functions to allow the use of the full text
search engine. You can search across multiple fields in your relational
database, combine the searches with other lookups, use different language
configurations and weightings, and rank the results by relevance.
It also now includes trigram support, using the trigram_similar
lookup, and the TrigramSimilarity
and
TrigramDistance
expressions.
New-style middleware¶
A new style of middleware is introduced to
solve the lack of strict request/response layering of the old-style of
middleware described in DEP 0005.
You’ll need to adapt old, custom middleware and
switch from the MIDDLEWARE_CLASSES
setting to the new MIDDLEWARE
setting to take advantage of the improvements.
Official support for Unicode usernames¶
The User
model in django.contrib.auth
originally only accepted ASCII letters and numbers in usernames. Although it
wasn’t a deliberate choice, Unicode characters have always been accepted when
using Python 3.
The username validator now explicitly accepts Unicode characters by default on Python 3 only.
Custom user models may use the new
ASCIIUsernameValidator
or
UnicodeUsernameValidator
.
Minor features¶
django.contrib.admin
¶
- For sites running on a subpath, the default
URL for the "View site" link
at the top of each admin page will now point torequest.META['SCRIPT_NAME']
if set, instead of/
. - The success message that appears after adding or editing an object now contains a link to the object’s change form.
- All inline JavaScript is removed so you can enable the
Content-Security-Policy
HTTP header if you wish. - The new
InlineModelAdmin.classes
attribute allows specifying classes on inline fieldsets. Inlines with acollapse
class will be initially collapsed and their header will have a small “show” link. - If a user doesn’t have the add permission, the
object-tools
block on a model’s changelist will now be rendered (without the add button). This makes it easier to add custom tools in this case. - The
LogEntry
model now stores change messages in a JSON structure so that the message can be dynamically translated using the current active language. A newLogEntry.get_change_message()
method is now the preferred way of retrieving the change message. - Selected objects for fields in
ModelAdmin.raw_id_fields
now have a link to object’s change form. - Added “No date” and “Has date” choices for
DateFieldListFilter
if the field is nullable. - The jQuery library embedded in the admin is upgraded from version 2.1.4 to 2.2.3.
django.contrib.auth
¶
- Added support for the Argon2 password hash. It’s recommended over PBKDF2, however, it’s not the default as it requires a third-party library.
- The default iteration count for the PBKDF2 password hasher has been increased
by 25%. This backwards compatible change will not affect users who have
subclassed
django.contrib.auth.hashers.PBKDF2PasswordHasher
to change the default value. - The
django.contrib.auth.views.logout()
view sends “no-cache” headers to prevent an issue where Safari caches redirects and prevents a user from being able to log out. - Added the optional
backend
argument todjango.contrib.auth.login()
to allow using it without credentials. - The new
LOGOUT_REDIRECT_URL
setting controls the redirect of thedjango.contrib.auth.views.logout()
view, if the view doesn’t get anext_page
argument. - The new
redirect_authenticated_user
parameter for thedjango.contrib.auth.views.login()
view allows redirecting authenticated users visiting the login page. - The new
AllowAllUsersModelBackend
andAllowAllUsersRemoteUserBackend
ignore the value ofUser.is_active
, whileModelBackend
andRemoteUserBackend
now reject inactive users.
django.contrib.gis
¶
- Distance lookups now accept expressions as the distance value parameter.
- The new
GEOSGeometry.unary_union
property computes the union of all the elements of this geometry. - Added the
GEOSGeometry.covers()
binary predicate. - Added the
GDALBand.statistics()
method andmean
andstd
attributes. - Added support for the
MakeLine
aggregate andGeoHash
function on SpatiaLite. - Added support for the
Difference
,Intersection
, andSymDifference
functions on MySQL. - Added support for instantiating empty GEOS geometries.
- The new
trim
andprecision
properties ofWKTWriter
allow controlling output of the fractional part of the coordinates in WKT. - Added the
LineString.closed
andMultiLineString.closed
properties. - The GeoJSON serializer now outputs the
primary key of objects in the
properties
dictionary if specific fields aren’t specified. - The ability to replicate input data on the
GDALBand.data()
method was added. Band data can now be updated with repeated values efficiently. - Added database functions
IsValid
andMakeValid
, as well as theisvalid
lookup, all for PostGIS. This allows filtering and repairing invalid geometries on the database side. - Added raster support for all spatial lookups.
django.contrib.postgres
¶
- For convenience,
HStoreField
now casts its keys and values to strings.
django.contrib.sessions
¶
- The
clearsessions
management command now removes file-based sessions.
django.contrib.sites
¶
- The
Site
model now supports natural keys.
django.contrib.staticfiles
¶
- The
static
template tag now usesdjango.contrib.staticfiles
if it’s inINSTALLED_APPS
. This is especially useful for third-party apps which can now always use{% load static %}
(instead of{% load staticfiles %}
or{% load static from staticfiles %}
) and not worry about whether or not thestaticfiles
app is installed. - You can more easily customize
the
collectstatic --ignore
option with a customAppConfig
.
Cache¶
- The file-based cache backend now uses the highest pickling protocol.
CSRF¶
- The default
CSRF_FAILURE_VIEW
,views.csrf.csrf_failure()
now accepts an optionaltemplate_name
parameter, defaulting to'403_csrf.html'
, to control the template used to render the page. - To protect against BREACH attacks, the CSRF protection mechanism now changes the form token value on every request (while keeping an invariant secret which can be used to validate the different tokens).
Database backends¶
- Temporal data subtraction was unified on all backends.
- If the database supports it, backends can set
DatabaseFeatures.can_return_ids_from_bulk_insert=True
and implementDatabaseOperations.fetch_returned_insert_ids()
to set primary keys on objects created usingQuerySet.bulk_create()
. - Added keyword arguments to the
as_sql()
methods of various expressions (Func
,When
,Case
, andOrderBy
) to allow database backends to customize them without mutatingself
, which isn’t safe when using different database backends. See thearg_joiner
and**extra_context
parameters ofFunc.as_sql()
for an example.
File Storage¶
- Storage backends now present a timezone-aware API with new methods
get_accessed_time()
,get_created_time()
, andget_modified_time()
. They return a timezone-awaredatetime
ifUSE_TZ
isTrue
and a naivedatetime
in the local timezone otherwise. - The new
Storage.generate_filename()
method makes it easier to implement custom storages that don’t use theos.path
calls previously inFileField
.
Forms¶
- Form and widget
Media
is now served usingdjango.contrib.staticfiles
if installed. - The
<input>
tag rendered byCharField
now includes aminlength
attribute if the field has amin_length
. - Required form fields now have the
required
HTML attribute. Set the newForm.use_required_attribute
attribute toFalse
to disable it. Therequired
attribute isn’t included on forms of formsets because the browser validation may not be correct when adding and deleting formsets.
Internationalization¶
- The
i18n_patterns()
helper function can now be used in a root URLConf specified usingrequest.urlconf
. - By setting the new
prefix_default_language
parameter fori18n_patterns()
toFalse
, you can allow accessing the default language without a URL prefix. set_language()
now returns a 204 status code (No Content) for AJAX requests when there is nonext
parameter inPOST
orGET
.- The
JavaScriptCatalog
andJSONCatalog
class-based views supersede the deprecatedjavascript_catalog()
andjson_catalog()
function-based views. The new views are almost equivalent to the old ones except that by default the new views collect all JavaScript strings in thedjangojs
translation domain from all installed apps rather than only the JavaScript strings fromLOCALE_PATHS
.
Management Commands¶
call_command()
now returns the value returned from thecommand.handle()
method.- The new
check --fail-level
option allows specifying the message level that will cause the command to exit with a non-zero status. - The new
makemigrations --check
option makes the command exit with a non-zero status when model changes without migrations are detected. makemigrations
now displays the path to the migration files that it generates.- The
shell --interface
option now acceptspython
to force use of the “plain” Python interpreter. - The new
shell --command
option lets you run a command as Django and exit, instead of opening the interactive shell. - Added a warning to
dumpdata
if a proxy model is specified (which results in no output) without its concrete parent. - The new
BaseCommand.requires_migrations_checks
attribute may be set toTrue
if you want your command to print a warning, likerunserver
does, if the set of migrations on disk don’t match the migrations in the database. - To assist with testing,
call_command()
now accepts a command object as the first argument. - The
shell
command supports tab completion on systems usinglibedit
, e.g. macOS. - The
inspectdb
command lets you choose what tables should be inspected by specifying their names as arguments.
Migrations¶
- Added support for serialization of
enum.Enum
objects. - Added the
elidable
argument to theRunSQL
andRunPython
operations to allow them to be removed when squashing migrations. - Added support for non-atomic migrations by
setting the
atomic
attribute on aMigration
. - The
migrate
andmakemigrations
commands now check for a consistent migration history. If they find some unapplied dependencies of an applied migration,InconsistentMigrationHistory
is raised. - The
pre_migrate()
andpost_migrate()
signals now dispatch their migrationplan
andapps
.
Models¶
- Reverse foreign keys from proxy models are now propagated to their
concrete class. The reverse relation attached by a
ForeignKey
pointing to a proxy model is now accessible as a descriptor on the proxied model class and may be referenced in queryset filtering. - The new
Field.rel_db_type()
method returns the database column data type for fields such asForeignKey
andOneToOneField
that point to another field. - The
arity
class attribute is added toFunc
. This attribute can be used to set the number of arguments the function accepts. - Added
BigAutoField
which acts much like anAutoField
except that it is guaranteed to fit numbers from1
to9223372036854775807
. QuerySet.in_bulk()
may be called without any arguments to return all objects in the queryset.related_query_name
now supports app label and class interpolation using the'%(app_label)s'
and'%(class)s'
strings.- Allowed overriding model fields inherited from abstract base classes.
- The
prefetch_related_objects()
function is now a public API. QuerySet.bulk_create()
sets the primary key on objects when using PostgreSQL.- Added the
Cast
database function. - A proxy model may now inherit multiple proxy models that share a common non-abstract parent class.
- Added
Extract
functions to extract datetime components as integers, such as year and hour. - Added
Trunc
functions to truncate a date or datetime to a significant component. They enable queries like sales-per-day or sales-per-hour. Model.__init__()
now sets values of virtual fields from its keyword arguments.- The new
Meta.base_manager_name
andMeta.default_manager_name
options allow controlling the_base_manager
and_default_manager
, respectively.
Requests and Responses¶
- Added
request.user
to the debug view. - Added
HttpResponse
methodsreadable()
andseekable()
to make an instance a stream-like object and allow wrapping it withio.TextIOWrapper
. - Added the
HttpRequest.content_type
andcontent_params
attributes which are parsed from theCONTENT_TYPE
header. - The parser for
request.COOKIES
is simplified to better match the behavior of browsers.request.COOKIES
may now contain cookies that are invalid according to RFC 6265 but are possible to set viadocument.cookie
.
Serialization¶
- The
django.core.serializers.json.DjangoJSONEncoder
now knows how to serialize lazy strings, typically used for translatable content.
Templates¶
- Added the
autoescape
option to theDjangoTemplates
backend and theEngine
class. - Added the
is
andis not
comparison operators to theif
tag. - Allowed
dictsort
to order a list of lists by an element at a specified index. - The
debug()
context processor contains queries for all database aliases instead of only the default alias. - Added relative path support for string arguments of the
extends
andinclude
template tags.
Tests¶
- To better catch bugs,
TestCase
now checks deferrable database constraints at the end of each test. - Tests and test cases can be marked with tags
and run selectively with the new
test --tag
andtest --exclude-tag
options. - You can now login and use sessions with the test client even if
django.contrib.sessions
is not inINSTALLED_APPS
.
URLs¶
- An addition in
django.setup()
allows URL resolving that happens outside of the request/response cycle (e.g. in management commands and standalone scripts) to takeFORCE_SCRIPT_NAME
into account when it is set.
Validators¶
URLValidator
now limits the length of domain name labels to 63 characters and the total length of domain names to 253 characters per RFC 1034.int_list_validator()
now accepts an optionalallow_negative
boolean parameter, defaulting toFalse
, to allow negative integers.
Backwards incompatible changes in 1.10¶
Warning
In addition to the changes outlined in this section, be sure to review the Features removed in 1.10 for the features that have reached the end of their deprecation cycle and therefore been removed. If you haven’t updated your code within the deprecation timeline for a given feature, its removal may appear as a backwards incompatible change.
Database backend API¶
- GIS’s
AreaField
uses an unspecified underlying numeric type that could in practice be any numeric Python type.decimal.Decimal
values retrieved from the database are now converted tofloat
to make it easier to combine them with values used by the GIS libraries. - In order to enable temporal subtraction you must set the
supports_temporal_subtraction
database feature flag toTrue
and implement theDatabaseOperations.subtract_temporals()
method. This method should return the SQL and parameters required to compute the difference in microseconds between thelhs
andrhs
arguments in the datatype used to storeDurationField
.
_meta.get_fields()
returns consistent reverse fields for proxy models¶
Before Django 1.10, the get_fields()
method returned different reverse fields when called on a proxy model compared
to its proxied concrete class. This inconsistency was fixed by returning the
full set of fields pointing to a concrete class or one of its proxies in both
cases.
AbstractUser.username
max_length
increased to 150¶
A migration for django.contrib.auth.models.User.username
is included.
If you have a custom user model inheriting from AbstractUser
, you’ll need
to generate and apply a database migration for your user model.
We considered an increase to 254 characters to more easily allow the use of
email addresses (which are limited to 254 characters) as usernames but rejected
it due to a MySQL limitation. When using the utf8mb4
encoding (recommended
for proper Unicode support), MySQL can only create unique indexes with 191
characters by default. Therefore, if you need a longer length, please use a
custom user model.
If you want to preserve the 30 character limit for usernames, use a custom form when creating a user or changing usernames:
from django.contrib.auth.forms import UserCreationForm
class MyUserCreationForm(UserCreationForm):
username = forms.CharField(
max_length=30,
help_text='Required. 30 characters or fewer. Letters, digits and @/./+/-/_ only.',
)
If you wish to keep this restriction in the admin, set UserAdmin.add_form
to use this form:
from django.contrib.auth.admin import UserAdmin as BaseUserAdmin
from django.contrib.auth.models import User
class UserAdmin(BaseUserAdmin):
add_form = MyUserCreationForm
admin.site.unregister(User)
admin.site.register(User, UserAdmin)
Dropped support for PostgreSQL 9.1¶
Upstream support for PostgreSQL 9.1 ends in September 2016. As a consequence, Django 1.10 sets PostgreSQL 9.2 as the minimum version it officially supports.
runserver
output goes through logging¶
Request and response handling of the runserver
command is sent to the
django.server logger instead of to sys.stderr
. If you
disable Django’s logging configuration or override it with your own, you’ll
need to add the appropriate logging configuration if you want to see that
output:
'formatters': {
'django.server': {
'()': 'django.utils.log.ServerFormatter',
'format': '[%(server_time)s] %(message)s',
}
},
'handlers': {
'django.server': {
'level': 'INFO',
'class': 'logging.StreamHandler',
'formatter': 'django.server',
},
},
'loggers': {
'django.server': {
'handlers': ['django.server'],
'level': 'INFO',
'propagate': False,
}
}
auth.CustomUser
and auth.ExtensionUser
test models were removed¶
Since the introduction of migrations for the contrib apps in Django 1.8, the tables of these custom user test models were not created anymore making them unusable in a testing context.
Apps registry is no longer auto-populated when unpickling models outside of Django¶
The apps registry is no longer auto-populated when unpickling models. This was
added in Django 1.7.2 as an attempt to allow unpickling models outside of
Django, such as in an RQ worker, without calling django.setup()
, but it
creates the possibility of a deadlock. To adapt your code in the case of RQ,
you can provide your own worker script
that calls django.setup()
.
Removed null assignment check for non-null foreign key fields¶
In older versions, assigning None
to a non-nullable ForeignKey
or
OneToOneField
raised ValueError('Cannot assign None: "model.field" does
not allow null values.')
. For consistency with other model fields which don’t
have a similar check, this check is removed.
Removed weak password hashers from the default PASSWORD_HASHERS
setting¶
Django 0.90 stored passwords as unsalted MD5. Django 0.91 added support for salted SHA1 with automatic upgrade of passwords when a user logs in. Django 1.4 added PBKDF2 as the default password hasher.
If you have an old Django project with MD5 or SHA1 (even salted) encoded
passwords, be aware that these can be cracked fairly easily with today’s
hardware. To make Django users acknowledge continued use of weak hashers, the
following hashers are removed from the default PASSWORD_HASHERS
setting:
'django.contrib.auth.hashers.SHA1PasswordHasher'
'django.contrib.auth.hashers.MD5PasswordHasher'
'django.contrib.auth.hashers.UnsaltedSHA1PasswordHasher'
'django.contrib.auth.hashers.UnsaltedMD5PasswordHasher'
'django.contrib.auth.hashers.CryptPasswordHasher'
Consider using a wrapped password hasher to
strengthen the hashes in your database. If that’s not feasible, add the
PASSWORD_HASHERS
setting to your project and add back any hashers
that you need.
You can check if your database has any of the removed hashers like this:
from django.contrib.auth import get_user_model
User = get_user_model()
# Unsalted MD5/SHA1:
User.objects.filter(password__startswith='md5$$')
User.objects.filter(password__startswith='sha1$$')
# Salted MD5/SHA1:
User.objects.filter(password__startswith='md5$').exclude(password__startswith='md5$$')
User.objects.filter(password__startswith='sha1$').exclude(password__startswith='sha1$$')
# Crypt hasher:
User.objects.filter(password__startswith='crypt$$')
from django.db.models import CharField
from django.db.models.functions import Length
CharField.register_lookup(Length)
# Unsalted MD5 passwords might not have an 'md5$$' prefix:
User.objects.filter(password__length=32)
Field.get_prep_lookup()
and Field.get_db_prep_lookup()
methods are removed¶
If you have a custom field that implements either of these methods, register a custom lookup for it. For example:
from django.db.models import Field
from django.db.models.lookups import Exact
class MyField(Field):
...
class MyFieldExact(Exact):
def get_prep_lookup(self):
# do_custom_stuff_for_myfield
....
MyField.register_lookup(MyFieldExact)
django.contrib.gis
¶
- Support for SpatiaLite < 3.0 and GEOS < 3.3 is dropped.
- The
add_postgis_srs()
backwards compatibility alias fordjango.contrib.gis.utils.add_srs_entry()
is removed. - On Oracle/GIS, the
Area
aggregate function now returns afloat
instead ofdecimal.Decimal
. (It’s still wrapped in a measure of square meters.) - The default
GEOSGeometry
representation (WKT output) is trimmed by default. That is, instead ofPOINT (23.0000000000000000 5.5000000000000000)
, you’ll getPOINT (23 5.5)
.
Maximum size of a request body and the number of GET/POST parameters is limited¶
Two new settings help mitigate denial-of-service attacks via large requests:
DATA_UPLOAD_MAX_MEMORY_SIZE
limits the size that a request body may be. File uploads don’t count toward this limit.DATA_UPLOAD_MAX_NUMBER_FIELDS
limits the number of GET/POST parameters that are parsed.
Applications that receive unusually large form posts may need to tune these settings.
Miscellaneous¶
- The
repr()
of aQuerySet
is wrapped in<QuerySet >
to disambiguate it from a plain list when debugging. utils.version.get_version()
returns PEP 440 compliant release candidate versions (e.g. ‘1.10rc1’ instead of ‘1.10c1’).- CSRF token values are now required to be strings of 64 alphanumerics; values of 32 alphanumerics, as set by older versions of Django by default, are automatically replaced by strings of 64 characters. Other values are considered invalid. This should only affect developers or users who replace these tokens.
- The
LOGOUT_URL
setting is removed as Django hasn’t made use of it since pre-1.0. If you use it in your project, you can add it to your project’s settings. The default value was'/accounts/logout/'
. - Objects with a
close()
method such as files and generators passed toHttpResponse
are now closed immediately instead of when the WSGI server callsclose()
on the response. - A redundant
transaction.atomic()
call inQuerySet.update_or_create()
is removed. This may affect query counts tested byTransactionTestCase.assertNumQueries()
. - Support for
skip_validation
inBaseCommand.execute(**options)
is removed. Useskip_checks
(added in Django 1.7) instead. loaddata
now raises aCommandError
instead of showing a warning when the specified fixture file is not found.- Instead of directly accessing the
LogEntry.change_message
attribute, it’s now better to call theLogEntry.get_change_message()
method which will provide the message in the current language. - The default error views now raise
TemplateDoesNotExist
if a nonexistenttemplate_name
is specified. - The unused
choices
keyword argument of theSelect
andSelectMultiple
widgets’render()
method is removed. Thechoices
argument of therender_options()
method is also removed, makingselected_choices
the first argument. - Tests that violate deferrable database constraints will now error when run on a database that supports deferrable constraints.
- Built-in management commands now use indexing of keys in
options
, e.g.options['verbosity']
, instead ofoptions.get()
and no longer perform any type coercion. This could be a problem if you’re calling commands usingCommand.execute()
(which bypasses the argument parser that sets a default value) instead ofcall_command()
. Instead of callingCommand.execute()
, pass the command object as the first argument tocall_command()
. ModelBackend
andRemoteUserBackend
now reject inactive users. This means that inactive users can’t login and will be logged out if they are switched fromis_active=True
toFalse
. If you need the previous behavior, use the newAllowAllUsersModelBackend
orAllowAllUsersRemoteUserBackend
inAUTHENTICATION_BACKENDS
instead.- In light of the previous change, the test client’s
login()
method no longer always rejects inactive users but instead delegates this decision to the authentication backend.force_login()
also delegates the decision to the authentication backend, so if you’re using the default backends, you need to use an active user. django.views.i18n.set_language()
may now return a 204 status code for AJAX requests.- The
base_field
attribute ofRangeField
is now a type of field, not an instance of a field. If you have created a custom subclass ofRangeField
, you should change thebase_field
attribute. - Middleware classes are now initialized when the server starts rather than during the first request.
- If you override
is_authenticated()
oris_anonymous()
in a custom user model, you must convert them to attributes or properties as described in the deprecation note. - When using
ModelAdmin.save_as=True
, the “Save as new” button now redirects to the change view for the new object instead of to the model’s changelist. If you need the previous behavior, set the newModelAdmin.save_as_continue
attribute toFalse
. - Required form fields now have the
required
HTML attribute. Set theForm.use_required_attribute
attribute toFalse
to disable it. You could also add thenovalidate
attribute to<form>
if you don’t want browser validation. To disable therequired
attribute on custom widgets, override theWidget.use_required_attribute()
method. - The WSGI handler no longer removes content of responses from
HEAD
requests or responses with astatus_code
of 100-199, 204, or 304. Most web servers already implement this behavior. Responses retrieved using the Django test client continue to have these “response fixes” applied. Model.__init__()
now receivesdjango.db.models.DEFERRED
as the value of deferred fields.- The
Model._deferred
attribute is removed as dynamic model classes when usingQuerySet.defer()
andonly()
is removed. Storage.save()
no longer replaces'\'
with'/'
. This behavior is moved toFileSystemStorage
since this is a storage specific implementation detail. Any Windows user with a custom storage implementation that relies on this behavior will need to implement it in the custom storage’ssave()
method.- Private
FileField
methodsget_directory_name()
andget_filename()
are no longer called (and are now deprecated) which is a backwards incompatible change for users overriding those methods on custom fields. To adapt such code, overrideFileField.generate_filename()
orStorage.generate_filename()
instead. It might be possible to useupload_to
also. - The subject of mail sent by
AdminEmailHandler
is no longer truncated at 989 characters. If you were counting on a limited length, truncate the subject yourself. - Private expressions
django.db.models.expressions.Date
andDateTime
are removed. The newTrunc
expressions provide the same functionality. - The
_base_manager
and_default_manager
attributes are removed from model instances. They remain accessible on the model class. - Accessing a deleted field on a model instance, e.g. after
del obj.field
, reloads the field’s value instead of raisingAttributeError
. - If you subclass
AbstractBaseUser
and overrideclean()
, be sure it callssuper()
.AbstractBaseUser.normalize_username()
is called in a newAbstractBaseUser.clean()
method. - Private API
django.forms.models.model_to_dict()
returns a queryset rather than a list of primary keys forManyToManyField
s. - If
django.contrib.staticfiles
is installed, thestatic
template tag uses thestaticfiles
storage to construct the URL rather than simply joining the value withSTATIC_ROOT
. The new approach encodes the URL, which could be backwards-incompatible in cases such as including a fragment in a path, e.g.{% static 'img.svg#fragment' %}
, since the#
is encoded as%23
. To adapt, move the fragment outside the template tag:{% static 'img.svg' %}#fragment
. - When
USE_L10N
isTrue
, localization is now applied for thedate
andtime
filters when no format string is specified. TheDATE_FORMAT
andTIME_FORMAT
specifiers from the active locale are used instead of the settings of the same name.
Features deprecated in 1.10¶
Direct assignment to a reverse foreign key or many-to-many relation¶
Instead of assigning related objects using direct assignment:
>>> new_list = [obj1, obj2, obj3]
>>> e.related_set = new_list
Use the set()
method
added in Django 1.9:
>>> e.related_set.set([obj1, obj2, obj3])
This prevents confusion about an assignment resulting in an implicit save.
Non-timezone-aware Storage
API¶
The old, non-timezone-aware methods accessed_time()
, created_time()
,
and modified_time()
are deprecated in favor of the new get_*_time()
methods.
Third-party storage backends should implement the new methods and mark the old
ones as deprecated. Until then, the new get_*_time()
methods on the base
Storage
class convert datetime
s from
the old methods as required and emit a deprecation warning as they do so.
Third-party storage backends may retain the old methods as long as they wish to support earlier versions of Django.
django.contrib.gis
¶
- The
get_srid()
andset_srid()
methods ofGEOSGeometry
are deprecated in favor of thesrid
property. - The
get_x()
,set_x()
,get_y()
,set_y()
,get_z()
, andset_z()
methods ofPoint
are deprecated in favor of thex
,y
, andz
properties. - The
get_coords()
andset_coords()
methods ofPoint
are deprecated in favor of thetuple
property. - The
cascaded_union
property ofMultiPolygon
is deprecated in favor of theunary_union
property. - The
django.contrib.gis.utils.precision_wkt()
function is deprecated in favor ofWKTWriter
.
CommaSeparatedIntegerField
model field¶
CommaSeparatedIntegerField
is deprecated in favor of
CharField
with the
validate_comma_separated_integer_list()
validator:
from django.core.validators import validate_comma_separated_integer_list
from django.db import models
class MyModel(models.Model):
numbers = models.CharField(..., validators=[validate_comma_separated_integer_list])
If you’re using Oracle, CharField
uses a different database field type
(NVARCHAR2
) than CommaSeparatedIntegerField
(VARCHAR2
). Depending
on your database settings, this might imply a different encoding, and thus a
different length (in bytes) for the same contents. If your stored values are
longer than the 4000 byte limit of NVARCHAR2
, you should use TextField
(NCLOB
) instead. In this case, if you have any queries that group by the
field (e.g. annotating the model with an aggregation or using distinct()
)
you’ll need to change them (to defer the field).
__search
query lookup¶
The search
lookup, which supports MySQL only and is extremely limited in
features, is deprecated. Replace it with a custom lookup:
from django.db import models
class Search(models.Lookup):
lookup_name = 'search'
def as_mysql(self, compiler, connection):
lhs, lhs_params = self.process_lhs(compiler, connection)
rhs, rhs_params = self.process_rhs(compiler, connection)
params = lhs_params + rhs_params
return 'MATCH (%s) AGAINST (%s IN BOOLEAN MODE)' % (lhs, rhs), params
models.CharField.register_lookup(Search)
models.TextField.register_lookup(Search)
Using User.is_authenticated()
and User.is_anonymous()
as methods¶
The is_authenticated()
and is_anonymous()
methods of
AbstractBaseUser
and
AnonymousUser
classes are now
properties. They will still work as methods until Django 2.0, but all usage
in Django now uses attribute access.
For example, if you use
AuthenticationMiddleware
and want
to know whether the user is currently logged-in you would use:
if request.user.is_authenticated:
... # Do something for logged-in users.
else:
... # Do something for anonymous users.
instead of request.user.is_authenticated()
.
This change avoids accidental information leakage if you forget to call the method, e.g.:
if request.user.is_authenticated:
return sensitive_information
If you override these methods in a custom user model, you must change them to properties or attributes.
Django uses a CallableBool
object to allow these attributes to work as both
a property and a method. Thus, until the deprecation period ends, you cannot
compare these properties using the is
operator. That is, the following
won’t work:
if request.user.is_authenticated is True:
...
The “escape” half of django.utils.safestring
¶
The mark_for_escaping()
function and the classes it uses: EscapeData
,
EscapeBytes
, EscapeText
, EscapeString
, and EscapeUnicode
are
deprecated.
As a result, the “lazy” behavior of the escape
filter (where it would
always be applied as the last filter no matter where in the filter chain it
appeared) is deprecated. The filter will change to immediately apply
conditional_escape()
in Django 2.0.
Miscellaneous¶
- The
makemigrations --exit
option is deprecated in favor of themakemigrations --check
option. django.utils.functional.allow_lazy()
is deprecated in favor of the newkeep_lazy()
function which can be used with a more natural decorator syntax.- The
shell --plain
option is deprecated in favor of-i python
or--interface python
. - Importing from the
django.core.urlresolvers
module is deprecated in favor of its new location,django.urls
. - The template
Context.has_key()
method is deprecated in favor ofin
. - The private attribute
virtual_fields
ofModel._meta
is deprecated in favor ofprivate_fields
. - The private keyword arguments
virtual_only
inField.contribute_to_class()
andvirtual
inModel._meta.add_field()
are deprecated in favor ofprivate_only
andprivate
, respectively. - The
javascript_catalog()
andjson_catalog()
views are deprecated in favor of class-based viewsJavaScriptCatalog
andJSONCatalog
. - In multi-table inheritance, implicit promotion of a
OneToOneField
to aparent_link
is deprecated. Addparent_link=True
to such fields. - The private API
Widget._format_value()
is made public and renamed toformat_value()
. The old name will work through a deprecation period. - Private
FileField
methodsget_directory_name()
andget_filename()
are deprecated in favor of performing this work inStorage.generate_filename()
). - Old-style middleware that uses
settings.MIDDLEWARE_CLASSES
are deprecated. Adapt old, custom middleware and use the newMIDDLEWARE
setting.
Features removed in 1.10¶
These features have reached the end of their deprecation cycle and are removed in Django 1.10. See Features deprecated in 1.8 for details, including how to remove usage of these features.
- Support for calling a
SQLCompiler
directly as an alias for calling itsquote_name_unless_alias
method is removed. - The
cycle
andfirstof
template tags are removed from thefuture
template tag library. django.conf.urls.patterns()
is removed.- Support for the
prefix
argument todjango.conf.urls.i18n.i18n_patterns()
is removed. SimpleTestCase.urls
is removed.- Using an incorrect count of unpacked values in the
for
template tag raises an exception rather than failing silently. - The ability to
reverse()
URLs using a dotted Python path is removed. - The ability to use a dotted Python path for the
LOGIN_URL
andLOGIN_REDIRECT_URL
settings is removed. - Support for
optparse
is dropped for custom management commands. - The class
django.core.management.NoArgsCommand
is removed. django.core.context_processors
module is removed.django.db.models.sql.aggregates
module is removed.django.contrib.gis.db.models.sql.aggregates
module is removed.- The following methods and properties of
django.db.sql.query.Query
are removed:- Properties:
aggregates
andaggregate_select
- Methods:
add_aggregate
,set_aggregate_mask
, andappend_aggregate_mask
.
- Properties:
django.template.resolve_variable
is removed.- The following private APIs are removed from
django.db.models.options.Options
(Model._meta
):get_field_by_name()
get_all_field_names()
get_fields_with_model()
get_concrete_fields_with_model()
get_m2m_with_model()
get_all_related_objects()
get_all_related_objects_with_model()
get_all_related_many_to_many_objects()
get_all_related_m2m_objects_with_model()
- The
error_message
argument ofdjango.forms.RegexField
is removed. - The
unordered_list
filter no longer supports old style lists. - Support for string
view
arguments tourl()
is removed. - The backward compatible shim to rename
django.forms.Form._has_changed()
tohas_changed()
is removed. - The
removetags
template filter is removed. - The
remove_tags()
andstrip_entities()
functions indjango.utils.html
is removed. - The
is_admin_site
argument todjango.contrib.auth.views.password_reset()
is removed. django.db.models.field.subclassing.SubfieldBase
is removed.django.utils.checksums
is removed.- The
original_content_type_id
attribute ondjango.contrib.admin.helpers.InlineAdminForm
is removed. - The backwards compatibility shim to allow
FormMixin.get_form()
to be defined with no default value for itsform_class
argument is removed. - The following settings are removed, and you must upgrade to the
TEMPLATES
setting:ALLOWED_INCLUDE_ROOTS
TEMPLATE_CONTEXT_PROCESSORS
TEMPLATE_DEBUG
TEMPLATE_DIRS
TEMPLATE_LOADERS
TEMPLATE_STRING_IF_INVALID
- The backwards compatibility alias
django.template.loader.BaseLoader
is removed. - Django template objects returned by
get_template()
andselect_template()
no longer accept aContext
in theirrender()
method. - Template response APIs enforce the use of
dict
and backend-dependent template objects instead ofContext
andTemplate
respectively. - The
current_app
parameter for the following function and classes is removed:django.shortcuts.render()
django.template.Context()
django.template.RequestContext()
django.template.response.TemplateResponse()
- The
dictionary
andcontext_instance
parameters for the following functions are removed:django.shortcuts.render()
django.shortcuts.render_to_response()
django.template.loader.render_to_string()
- The
dirs
parameter for the following functions is removed:django.template.loader.get_template()
django.template.loader.select_template()
django.shortcuts.render()
django.shortcuts.render_to_response()
- Session verification is enabled regardless of whether or not
'django.contrib.auth.middleware.SessionAuthenticationMiddleware'
is inMIDDLEWARE_CLASSES
.SessionAuthenticationMiddleware
no longer has any purpose and can be removed fromMIDDLEWARE_CLASSES
. It’s kept as a stub until Django 2.0 as a courtesy for users who don’t read this note. - Private attribute
django.db.models.Field.related
is removed. - The
--list
option of themigrate
management command is removed. - The
ssi
template tag is removed. - Support for the
=
comparison operator in theif
template tag is removed. - The backwards compatibility shims to allow
Storage.get_available_name()
andStorage.save()
to be defined without amax_length
argument are removed. - Support for the legacy
%(<foo>)s
syntax inModelFormMixin.success_url
is removed. GeoQuerySet
aggregate methodscollect()
,extent()
,extent3d()
,make_line()
, andunionagg()
are removed.- The ability to specify
ContentType.name
when creating a content type instance is removed. - Support for the old signature of
allow_migrate
is removed. - Support for the syntax of
{% cycle %}
that uses comma-separated arguments is removed. - The warning that
Signer
issued when given an invalid separator is now aValueError
.