1.4.txt 56.7 KB
Newer Older
1 2 3
========================
Django 1.4 release notes
========================
4

5
*March 23, 2012*
6

7 8 9 10 11
Welcome to Django 1.4!

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.3 or older versions. We've also dropped some
12 13 14
features, which are detailed in :ref:`our deprecation plan
<deprecation-removed-in-1.4>`, and we've `begun the deprecation process for
some features`_.
15

16 17 18
.. _`new features`: `What's new in Django 1.4`_
.. _`backwards incompatible changes`: `Backwards incompatible changes in 1.4`_
.. _`begun the deprecation process for some features`: `Features deprecated in 1.4`_
19

20 21 22 23 24 25 26 27 28 29 30 31 32 33 34 35 36
Overview
========

The biggest new feature in Django 1.4 is `support for time zones`_ when
handling date/times. When enabled, this Django will store date/times in UTC,
use timezone-aware objects internally, and translate them to users' local
timezones for display.

If you're upgrading an existing project to Django 1.4, switching to the time-
zone aware mode may take some care: the new mode disallows some rather sloppy
behavior that used to be accepted. We encourage anyone who's upgrading to check
out the :ref:`timezone migration guide <time-zones-migration-guide>` and the
:ref:`timezone FAQ <time-zones-faq>` for useful pointers.

Other notable new features in Django 1.4 include:

* A number of ORM improvements, including `SELECT FOR UPDATE support`_,
37
  the ability to `bulk insert <#model-objects-bulk-create-in-the-orm>`_
38 39
  large datasets for improved performance, and
  `QuerySet.prefetch_related`_, a method to batch-load related objects
40 41
  in areas where :meth:`~django.db.models.query.QuerySet.select_related`
  doesn't work.
42 43 44 45 46 47 48 49 50 51 52 53

* Some nice security additions, including `improved password hashing`_
  (featuring PBKDF2_ and bcrypt_ support), new `tools for cryptographic
  signing`_, several `CSRF improvements`_, and `simple clickjacking
  protection`_.

* An `updated default project layout and manage.py`_ that removes the "magic"
  from prior versions. And for those who don't like the new layout, you can
  use `custom project and app templates`_ instead!

* `Support for in-browser testing frameworks`_ (like Selenium_).

54
* ... and a whole lot more; `see below <#what-s-new-in-django-1-4>`_!
55 56 57 58 59 60 61

Wherever possible we try to introduce new features in a backwards-compatible
manner per :doc:`our API stability policy </misc/api-stability>` policy.
However, as with previous releases, Django 1.4 ships with some minor
`backwards incompatible changes`_; people upgrading from previous versions
of Django should read that list carefully.

62 63 64
Python compatibility
====================

65 66 67
Django 1.4 has dropped support for Python 2.4. Python 2.5 is now the minimum
required Python version. Django is tested and supported on Python 2.5, 2.6 and
2.7.
68 69 70 71

This change should affect only a small number of Django users, as most
operating-system vendors today are shipping Python 2.5 or newer as their default
version. If you're still using Python 2.4, however, you'll need to stick to
72
Django 1.3 until you can upgrade. Per :doc:`our support policy
73 74 75
</internals/release-process>`, Django 1.3 will continue to receive security
support until the release of Django 1.5.

76 77 78
Django does not support Python 3.x at this time. At some point before the
release of Django 1.4, we plan to publish a document outlining our full
timeline for deprecating Python 2.x and moving to Python 3.x.
79

80 81 82
What's new in Django 1.4
========================

83 84 85 86 87 88 89 90 91 92 93 94 95 96 97 98 99 100 101 102 103 104 105 106 107 108 109
Support for time zones
~~~~~~~~~~~~~~~~~~~~~~

In previous versions, Django used "naive" date/times (that is, date/times
without an associated time zone), leaving it up to each developer to interpret
what a given date/time "really means". This can cause all sorts of subtle
timezone-related bugs.

In Django 1.4, you can now switch Django into a more correct, time-zone aware
mode. In this mode, Django stores date and  time information in UTC in the
database, uses time-zone-aware datetime objects internally and translates them
to the end user's time zone in templates and forms. Reasons for using this
feature include:

- Customizing date and time display for users around the world.

- Storing datetimes in UTC for database portability and interoperability.
  (This argument doesn't apply to PostgreSQL, because it already stores
  timestamps with time zone information in Django 1.3.)

- Avoiding data corruption problems around DST transitions.

Time zone support is enabled by default in new projects created with
:djadmin:`startproject`. If you want to use this feature in an existing
project, read the :ref:`migration guide <time-zones-migration-guide>`. If you
encounter problems, there's a helpful :ref:`FAQ <time-zones-faq>`.

110 111 112
Support for in-browser testing frameworks
~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~

113 114 115 116
Django 1.4 supports integration with in-browser testing frameworks like
Selenium_. The new :class:`django.test.LiveServerTestCase` base class lets you
test the interactions between your site's front and back ends more
comprehensively. See the
117 118 119 120 121
:class:`documentation<django.test.LiveServerTestCase>` for more details and
concrete examples.

.. _Selenium: http://seleniumhq.org/

122 123 124 125 126 127 128 129 130 131 132 133 134 135 136 137 138 139 140 141 142 143 144 145 146 147 148 149 150 151 152 153 154 155 156 157 158 159 160 161 162 163 164 165 166 167 168 169 170 171 172 173 174 175 176 177 178 179 180 181 182 183 184 185 186 187 188 189 190 191 192 193 194 195 196 197 198 199 200 201 202 203 204 205 206 207 208 209 210 211 212 213 214 215 216 217 218 219 220 221 222
Updated default project layout and ``manage.py``
~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~

Django 1.4 ships with an updated default project layout and ``manage.py`` file
for the :djadmin:`startproject` management command. These fix some issues with
the previous ``manage.py`` handling of Python import paths that caused double
imports, trouble moving from development to deployment, and other
difficult-to-debug path issues.

The previous ``manage.py`` called functions that are now deprecated, and thus
projects upgrading to Django 1.4 should update their ``manage.py``. (The
old-style ``manage.py`` will continue to work as before until Django 1.6. In
1.5 it will raise ``DeprecationWarning``).

The new recommended ``manage.py`` file should look like this::

    #!/usr/bin/env python
    import os, sys

    if __name__ == "__main__":
        os.environ.setdefault("DJANGO_SETTINGS_MODULE", "{{ project_name }}.settings")

        from django.core.management import execute_from_command_line

        execute_from_command_line(sys.argv)

``{{ project_name }}`` should be replaced with the Python package name of the
actual project.

If settings, URLconfs and apps within the project are imported or referenced
using the project name prefix (e.g. ``myproject.settings``, ``ROOT_URLCONF =
"myproject.urls"``, etc), the new ``manage.py`` will need to be moved one
directory up, so it is outside the project package rather than adjacent to
``settings.py`` and ``urls.py``.

For instance, with the following layout::

    manage.py
    mysite/
        __init__.py
        settings.py
        urls.py
        myapp/
            __init__.py
            models.py

You could import ``mysite.settings``, ``mysite.urls``, and ``mysite.myapp``,
but not ``settings``, ``urls``, or ``myapp`` as top-level modules.

Anything imported as a top-level module can be placed adjacent to the new
``manage.py``. For instance, to decouple "myapp" from the project module and
import it as just ``myapp``, place it outside the ``mysite/`` directory::

    manage.py
    myapp/
        __init__.py
        models.py
    mysite/
        __init__.py
        settings.py
        urls.py

If the same code is imported inconsistently (some places with the project
prefix, some places without it), the imports will need to be cleaned up when
switching to the new ``manage.py``.

Custom project and app templates
~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~

The :djadmin:`startapp` and :djadmin:`startproject` management commands
now have a ``--template`` option for specifying a path or URL to a custom app
or project template.

For example, Django will use the ``/path/to/my_project_template`` directory
when you run the following command::

    django-admin.py startproject --template=/path/to/my_project_template myproject

You can also now provide a destination directory as the second
argument to both :djadmin:`startapp` and :djadmin:`startproject`::

    django-admin.py startapp myapp /path/to/new/app
    django-admin.py startproject myproject /path/to/new/project

For more information, see the :djadmin:`startapp` and :djadmin:`startproject`
documentation.

Improved WSGI support
~~~~~~~~~~~~~~~~~~~~~

The :djadmin:`startproject` management command now adds a :file:`wsgi.py`
module to the initial project layout, containing a simple WSGI application that
can be used for :doc:`deploying with WSGI app
servers</howto/deployment/wsgi/index>`.

The :djadmin:`built-in development server<runserver>` now supports using an
externally-defined WSGI callable, which makes it possible to run runserver
with the same WSGI configuration that is used for deployment. The new
:setting:`WSGI_APPLICATION` setting lets you configure which WSGI callable
:djadmin:`runserver` uses.

223
(The ``runfcgi`` management command also internally wraps the WSGI
224 225
callable configured via :setting:`WSGI_APPLICATION`.)

226 227 228
``SELECT FOR UPDATE`` support
~~~~~~~~~~~~~~~~~~~~~~~~~~~~~

229 230
Django 1.4 includes a :meth:`QuerySet.select_for_update()
<django.db.models.query.QuerySet.select_for_update>` method, which generates a
231
``SELECT ... FOR UPDATE`` SQL query. This will lock rows until the end of the
232 233
transaction, meaning other transactions cannot modify or delete rows matched by
a ``FOR UPDATE`` query.
234 235 236 237

For more details, see the documentation for
:meth:`~django.db.models.query.QuerySet.select_for_update`.

238 239 240
``Model.objects.bulk_create`` in the ORM
~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~

241 242 243
This method lets you create multiple objects more efficiently. It can result in
significant performance increases if you have many objects.

244
Django makes use of this internally, meaning some operations (such as database
245
setup for test suites) have seen a performance benefit as a result.
246 247 248 249

See the :meth:`~django.db.models.query.QuerySet.bulk_create` docs for more
information.

250 251 252
``QuerySet.prefetch_related``
~~~~~~~~~~~~~~~~~~~~~~~~~~~~~

253 254
Similar to :meth:`~django.db.models.query.QuerySet.select_related` but with a
different strategy and broader scope,
255
:meth:`~django.db.models.query.QuerySet.prefetch_related` has been added to
256
:class:`~django.db.models.query.QuerySet`. This method returns a new
257 258 259
``QuerySet`` that will prefetch each of the specified related lookups in a
single batch as soon as the query begins to be evaluated. Unlike
``select_related``, it does the joins in Python, not in the database, and
260
supports many-to-many relationships, ``GenericForeignKey`` and more. This
261 262
allows you to fix a very common performance problem in which your code ends up
doing O(n) database queries (or worse) if objects on your primary ``QuerySet``
263
each have many related objects that you also need to fetch.
264

265 266 267 268 269 270 271 272 273 274 275 276 277 278 279 280
Improved password hashing
~~~~~~~~~~~~~~~~~~~~~~~~~

Django's auth system (``django.contrib.auth``) stores passwords using a one-way
algorithm. Django 1.3 uses the SHA1_ algorithm, but increasing processor speeds
and theoretical attacks have revealed that SHA1 isn't as secure as we'd like.
Thus, Django 1.4 introduces a new password storage system: by default Django now
uses the PBKDF2_ algorithm (as recommended by NIST_). You can also easily choose
a different algorithm (including the popular bcrypt_ algorithm). For more
details, see :ref:`auth_password_storage`.

.. _sha1: http://en.wikipedia.org/wiki/SHA1
.. _pbkdf2: http://en.wikipedia.org/wiki/PBKDF2
.. _nist: http://csrc.nist.gov/publications/nistpubs/800-132/nist-sp800-132.pdf
.. _bcrypt: http://en.wikipedia.org/wiki/Bcrypt

281
HTML5 doctype
282
~~~~~~~~~~~~~
283 284

We've switched the admin and other bundled templates to use the HTML5
285 286 287 288
doctype. While Django will be careful to maintain compatibility with older
browsers, this change means that you can use any HTML5 features you need in
admin pages without having to lose HTML validity or override the provided
templates to change the doctype.
289

290 291 292
List filters in admin interface
~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~

293 294 295 296 297
Prior to Django 1.4, the :mod:`~django.contrib.admin` app let you specify
change list filters by specifying a field lookup, but it didn't allow you to
create custom filters. This has been rectified with a simple API (previously
used internally and known as "FilterSpec"). For more details, see the
documentation for :attr:`~django.contrib.admin.ModelAdmin.list_filter`.
298

299 300 301
Multiple sort in admin interface
~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~

302 303 304
The admin change list now supports sorting on multiple columns. It respects all
elements of the :attr:`~django.contrib.admin.ModelAdmin.ordering` attribute, and
sorting on multiple columns by clicking on headers is designed to mimic the
305
behavior of desktop GUIs. We also added a
306
:meth:`~django.contrib.admin.ModelAdmin.get_ordering` method for specifying the
307
ordering dynamically (i.e., depending on the request).
308

309 310
New ``ModelAdmin`` methods
~~~~~~~~~~~~~~~~~~~~~~~~~~
311

312
We added a :meth:`~django.contrib.admin.ModelAdmin.save_related` method to
313
:mod:`~django.contrib.admin.ModelAdmin` to ease customization of how
314 315
related objects are saved in the admin.

316
Two other new :class:`~django.contrib.admin.ModelAdmin` methods,
317 318
:meth:`~django.contrib.admin.ModelAdmin.get_list_display` and
:meth:`~django.contrib.admin.ModelAdmin.get_list_display_links`
319 320
enable dynamic customization of fields and links displayed on the admin
change list.
321

322 323 324
Admin inlines respect user permissions
~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~

325
Admin inlines now only allow those actions for which the user has
326 327 328 329 330
permission. For ``ManyToMany`` relationships with an auto-created intermediate
model (which does not have its own permissions), the change permission for the
related model determines if the user has the permission to add, change or
delete relationships.

331 332 333 334 335 336 337
Tools for cryptographic signing
~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~

Django 1.4 adds both a low-level API for signing values and a high-level API
for setting and reading signed cookies, one of the most common uses of
signing in Web applications.

338 339
See the :doc:`cryptographic signing </topics/signing>` docs for more
information.
340

341 342 343
Cookie-based session backend
~~~~~~~~~~~~~~~~~~~~~~~~~~~~

344 345 346
Django 1.4 introduces a cookie-based session backend that uses the tools for
:doc:`cryptographic signing </topics/signing>` to store the session data in
the client's browser.
347

348 349 350 351 352 353
.. warning::

    Session data is signed and validated by the server, but it's not
    encrypted. This means a user can view any data stored in the
    session but cannot change it. Please read the documentation for
    further clarification before using this backend.
354

355
See the :ref:`cookie-based session backend <cookie-session-backend>` docs for
356 357
more information.

358 359 360
New form wizard
~~~~~~~~~~~~~~~

361
The previous ``FormWizard`` from ``django.contrib.formtools`` has been
362
replaced with a new implementation based on the class-based views
363 364 365
introduced in Django 1.3. It features a pluggable storage API and doesn't
require the wizard to pass around hidden fields for every previous step.

366
Django 1.4 ships with a session-based storage backend and a cookie-based
367 368
storage backend. The latter uses the tools for
:doc:`cryptographic signing </topics/signing>` also introduced in
369
Django 1.4 to store the wizard's state in the user's cookies.
370

371 372 373 374
``reverse_lazy``
~~~~~~~~~~~~~~~~

A lazily evaluated version of :func:`django.core.urlresolvers.reverse` was
375
added to allow using URL reversals before the project's URLconf gets loaded.
376

377 378 379
Translating URL patterns
~~~~~~~~~~~~~~~~~~~~~~~~

380 381 382
Django can now look for a language prefix in the URLpattern when using the new
:func:`~django.conf.urls.i18n.i18n_patterns` helper function.
It's also now possible to define translatable URL patterns using
383 384 385 386
:func:`~django.utils.translation.ugettext_lazy`. See
:ref:`url-internationalization` for more information about the language prefix
and how to internationalize URL patterns.

387 388 389
Contextual translation support for ``{% trans %}`` and ``{% blocktrans %}``
~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~

390 391 392 393
The :ref:`contextual translation<contextual-markers>` support introduced in
Django 1.3 via the ``pgettext`` function has been extended to the
:ttag:`trans` and :ttag:`blocktrans` template tags using the new ``context``
keyword.
394

395 396 397 398
Customizable ``SingleObjectMixin`` URLConf kwargs
~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~

Two new attributes,
399 400
:attr:`pk_url_kwarg<django.views.generic.detail.SingleObjectMixin.pk_url_kwarg>`
and
401
:attr:`slug_url_kwarg<django.views.generic.detail.SingleObjectMixin.slug_url_kwarg>`,
402
have been added to :class:`~django.views.generic.detail.SingleObjectMixin` to
403
enable the customization of URLconf keyword arguments used for single
404 405
object generic views.

406 407 408
Assignment template tags
~~~~~~~~~~~~~~~~~~~~~~~~

409 410 411
A new :ref:`assignment_tag<howto-custom-template-tags-assignment-tags>` helper
function was added to ``template.Library`` to ease the creation of template
tags that store data in a specified context variable.
412

413 414 415
``*args`` and ``**kwargs`` support for template tag helper functions
~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~

416 417 418
The :ref:`simple_tag<howto-custom-template-tags-simple-tags>`,
:ref:`inclusion_tag <howto-custom-template-tags-inclusion-tags>` and
newly introduced
419 420
:ref:`assignment_tag<howto-custom-template-tags-assignment-tags>` template
helper functions may now accept any number of positional or keyword arguments.
421
For example::
422 423 424 425 426 427 428 429

    @register.simple_tag
    def my_tag(a, b, *args, **kwargs):
        warning = kwargs['warning']
        profile = kwargs['profile']
        ...
        return ...

430
Then, in the template, any number of arguments may be passed to the template tag.
431 432 433 434 435 436
For example:

.. code-block:: html+django

    {% my_tag 123 "abcd" book.title warning=message|lower profile=user.profile %}

437 438 439
No wrapping of exceptions in ``TEMPLATE_DEBUG`` mode
~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~

440
In previous versions of Django, whenever the ``TEMPLATE_DEBUG`` setting
441 442 443 444 445 446 447 448
was ``True``, any exception raised during template rendering (even exceptions
unrelated to template syntax) were wrapped in ``TemplateSyntaxError`` and
re-raised. This was done in order to provide detailed template source location
information in the debug 500 page.

In Django 1.4, exceptions are no longer wrapped. Instead, the original
exception is annotated with the source information. This means that catching
exceptions from template rendering is now consistent regardless of the value of
449
``TEMPLATE_DEBUG``, and there's no need to catch and unwrap
450 451
``TemplateSyntaxError`` in order to catch other errors.

452 453 454
``truncatechars`` template filter
~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~

455
This new filter truncates a string to be no longer than the specified
456
number of characters. Truncated strings end with a translatable ellipsis
457
sequence ("..."). See the documentation for :tfilter:`truncatechars` for
458 459
more details.

460 461
``static`` template tag
~~~~~~~~~~~~~~~~~~~~~~~
462

463 464 465 466
The :mod:`staticfiles<django.contrib.staticfiles>` contrib app has a new
:ttag:`static<staticfiles-static>` template tag to refer to files saved with
the :setting:`STATICFILES_STORAGE` storage backend. It uses the storage
backend's ``url`` method and therefore supports advanced features such as
467 468 469 470 471
:ref:`serving files from a cloud service<staticfiles-from-cdn>`.

``CachedStaticFilesStorage`` storage backend
~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~

472
The :mod:`staticfiles<django.contrib.staticfiles>` contrib app now has a
473
:class:`~django.contrib.staticfiles.storage.CachedStaticFilesStorage` backend
474
that caches the files it saves (when running the :djadmin:`collectstatic`
475 476 477 478 479 480 481 482 483 484 485
management command) by appending the MD5 hash of the file's content to the
filename. For example, the file ``css/styles.css`` would also be saved as
``css/styles.55e7cbb9ba48.css``

See the :class:`~django.contrib.staticfiles.storage.CachedStaticFilesStorage`
docs for more information.

Simple clickjacking protection
~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~

We've added a middleware to provide easy protection against `clickjacking
486
<http://en.wikipedia.org/wiki/Clickjacking>`_ using the ``X-Frame-Options``
487 488 489
header. It's not enabled by default for backwards compatibility reasons, but
you'll almost certainly want to :doc:`enable it </ref/clickjacking/>` to help
plug that security hole for browsers that support the header.
490

491 492 493 494
CSRF improvements
~~~~~~~~~~~~~~~~~

We've made various improvements to our CSRF features, including the
495 496 497 498
:func:`~django.views.decorators.csrf.ensure_csrf_cookie` decorator, which can
help with AJAX-heavy sites; protection for PUT and DELETE requests; and the
:setting:`CSRF_COOKIE_SECURE` and :setting:`CSRF_COOKIE_PATH` settings, which can
improve the security and usefulness of CSRF protection. See the :doc:`CSRF
499
docs </ref/csrf>` for more information.
500

501 502 503
Error report filtering
~~~~~~~~~~~~~~~~~~~~~~

504 505 506 507 508
We added two function decorators,
:func:`~django.views.decorators.debug.sensitive_variables` and
:func:`~django.views.decorators.debug.sensitive_post_parameters`, to allow
designating the local variables and POST parameters that may contain sensitive
information and should be filtered out of error reports.
509 510

All POST parameters are now systematically filtered out of error reports for
511
certain views (``login``, ``password_reset_confirm``, ``password_change`` and
512 513 514
``add_view`` in :mod:`django.contrib.auth.views`, as well as
``user_change_password`` in the admin app) to prevent the leaking of sensitive
information such as user passwords.
515

516
You can override or customize the default filtering by writing a :ref:`custom
517
filter<custom-error-reports>`. For more information see the docs on
518 519
:ref:`Filtering error reports<filtering-error-reports>`.

520 521 522
Extended IPv6 support
~~~~~~~~~~~~~~~~~~~~~

523
Django 1.4 can now better handle IPv6 addresses with the new
524 525
:class:`~django.db.models.GenericIPAddressField` model field,
:class:`~django.forms.GenericIPAddressField` form field and
526
the validators :data:`~django.core.validators.validate_ipv46_address` and
527
:data:`~django.core.validators.validate_ipv6_address`.
528

529 530 531
HTML comparisons in tests
~~~~~~~~~~~~~~~~~~~~~~~~~

532
The base classes in :mod:`django.test` now have some helpers to
533
compare HTML without tripping over irrelevant differences in whitespace,
534 535
argument quoting/ordering and closing of self-closing tags. You can either
compare HTML directly with the new
536 537
:meth:`~django.test.SimpleTestCase.assertHTMLEqual` and
:meth:`~django.test.SimpleTestCase.assertHTMLNotEqual` assertions, or use
538
the ``html=True`` flag with
539 540
:meth:`~django.test.SimpleTestCase.assertContains` and
:meth:`~django.test.SimpleTestCase.assertNotContains` to test whether the
541 542
client's response contains a given HTML fragment. See the :ref:`assertions
documentation <assertions>` for more.
543

544 545 546
Two new date format strings
~~~~~~~~~~~~~~~~~~~~~~~~~~~

547 548
Two new :tfilter:`date` formats were added for use in template filters,
template tags and :ref:`format-localization`:
549 550 551 552 553 554 555 556 557 558 559 560 561 562 563 564 565

- ``e`` -- the name of the timezone of the given datetime object
- ``o`` -- the ISO 8601 year number

Please make sure to update your :ref:`custom format files
<custom-format-files>` if they contain either ``e`` or ``o`` in a format
string. For example a Spanish localization format previously only escaped the
``d`` format character::

  DATE_FORMAT = r'j \de F \de Y'

But now it needs to also escape ``e`` and ``o``::

  DATE_FORMAT = r'j \d\e F \d\e Y'

For more information, see the :tfilter:`date` documentation.

566 567 568 569 570
Minor features
~~~~~~~~~~~~~~

Django 1.4 also includes several smaller improvements worth noting:

571 572 573 574
* A more usable stacktrace in the technical 500 page. Frames in the
  stack trace that reference Django's framework code are dimmed out,
  while frames in application code are slightly emphasized. This change
  makes it easier to scan a stacktrace for issues in application code.
575

576 577
* :doc:`Tablespace support </topics/db/tablespaces>` in PostgreSQL.

578
* Customizable names for :meth:`~django.template.Library.simple_tag`.
579

580 581 582
* In the documentation, a helpful :doc:`security overview </topics/security>`
  page.

583
* The ``django.contrib.auth.models.check_password`` function has been moved
584
  to the :mod:`django.contrib.auth.hashers` module. Importing it from the old
585 586
  location will still work, but you should update your imports.

587
* The :djadmin:`collectstatic` management command now has a ``--clear`` option
588 589
  to delete all files at the destination before copying or linking the static
  files.
590

591
* It's now possible to load fixtures containing forward references when using
592 593
  MySQL with the InnoDB database engine.

594
* A new 403 response handler has been added as
595 596 597 598
  ``'django.views.defaults.permission_denied'``. You can set your own handler by
  setting the value of :data:`django.conf.urls.handler403`. See the
  documentation about :ref:`the 403 (HTTP Forbidden) view<http_forbidden_view>`
  for more information.
599

600 601 602 603 604
* The :djadmin:`makemessages` command uses a new and more accurate lexer,
  `JsLex`_, for extracting translatable strings from JavaScript files.

.. _JsLex: https://bitbucket.org/ned/jslex

605 606 607 608
* The :ttag:`trans` template tag now takes an optional ``as`` argument to
  be able to retrieve a translation string without displaying it but setting
  a template context variable instead.

609 610
* The :ttag:`if` template tag now supports ``{% elif %}`` clauses.

611 612 613 614 615
* If your Django app is behind a proxy, you might find the new
  :setting:`SECURE_PROXY_SSL_HEADER` setting useful. It solves the problem of your
  proxy "eating" the fact that a request came in via HTTPS. But only use this
  setting if you know what you're doing.

616
* A new, plain-text, version of the HTTP 500 status code internal error page
617
  served when :setting:`DEBUG` is ``True`` is now sent to the client when
618 619
  Django detects that the request has originated in JavaScript code.
  (:meth:`~django.http.HttpRequest.is_ajax` is used for this.)
620

621 622
  Like its HTML counterpart, it contains a collection of different
  pieces of information about the state of the application.
623 624

  This should make it easier to read when debugging interaction with
625
  client-side JavaScript.
626

627 628 629
* Added the :djadminopt:`--no-location` option to the :djadmin:`makemessages`
  command.

630 631 632 633
* Changed the ``locmem`` cache backend to use
  ``pickle.HIGHEST_PROTOCOL`` for better compatibility with the other
  cache backends.

634 635
* Added support in the ORM for generating ``SELECT`` queries containing
  ``DISTINCT ON``.
636

637
  The ``distinct()`` ``QuerySet`` method now accepts an optional list of model
638
  field names. If specified, then the ``DISTINCT`` statement is limited to these
639
  fields. This is only supported in PostgreSQL.
640 641 642 643

  For more details, see the documentation for
  :meth:`~django.db.models.query.QuerySet.distinct`.

644
* The admin login page will add a password reset link if you include a URL with
645
  the name `'admin_password_reset'` in your urls.py, so plugging in the built-in
646 647 648
  password reset mechanism and making it available is now much easier. For
  details, see :ref:`auth_password_reset`.

649 650 651
* The MySQL database backend can now make use of the savepoint feature
  implemented by MySQL version 5.0.3 or newer with the InnoDB storage engine.

652 653
* It's now possible to pass initial values to the model forms that are part of
  both model formsets and inline model formsets as returned from factory
654 655
  functions ``modelformset_factory`` and ``inlineformset_factory`` respectively
  just like with regular formsets. However, initial values only apply to extra
656
  forms, i.e. those which are not bound to an existing model instance.
657

658 659 660 661
* The sitemaps framework can now handle HTTPS links using the new
  :attr:`Sitemap.protocol <django.contrib.sitemaps.Sitemap.protocol>` class
  attribute.

662 663
* A new :class:`django.test.SimpleTestCase` subclass of
  :class:`unittest.TestCase`
664 665 666
  that's lighter than :class:`django.test.TestCase` and company. It can be
  useful in tests that don't need to hit a database. See
  :ref:`testcase_hierarchy_diagram`.
667

668 669
Backwards incompatible changes in 1.4
=====================================
670

671 672 673 674
SECRET_KEY setting is required
~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~

Running Django with an empty or known :setting:`SECRET_KEY` disables many of
675 676
Django's security protections and can lead to remote-code-execution
vulnerabilities. No Django site should ever be run without a
677 678 679 680 681 682 683 684
:setting:`SECRET_KEY`.

In Django 1.4, starting Django with an empty :setting:`SECRET_KEY` will raise a
`DeprecationWarning`. In Django 1.5, it will raise an exception and Django will
refuse to start. This is slightly accelerated from the usual deprecation path
due to the severity of the consequences of running Django with no
:setting:`SECRET_KEY`.

685 686 687 688 689 690 691 692 693
django.contrib.admin
~~~~~~~~~~~~~~~~~~~~

The included administration app ``django.contrib.admin`` has for a long time
shipped with a default set of static files such as JavaScript, images and
stylesheets. Django 1.3 added a new contrib app ``django.contrib.staticfiles``
to handle such files in a generic way and defined conventions for static
files included in apps.

694 695 696 697 698 699 700
Starting in Django 1.4, the admin's static files also follow this
convention, to make the files easier to deploy. In previous versions of Django,
it was also common to define an ``ADMIN_MEDIA_PREFIX`` setting to point to the
URL where the admin's static files live on a Web server. This setting has now
been deprecated and replaced by the more general setting :setting:`STATIC_URL`.
Django will now expect to find the admin static files under the URL
``<STATIC_URL>/admin/``.
701 702 703

If you've previously used a URL path for ``ADMIN_MEDIA_PREFIX`` (e.g.
``/media/``) simply make sure :setting:`STATIC_URL` and :setting:`STATIC_ROOT`
704 705
are configured and your Web server serves those files correctly. The
development server continues to serve the admin files just like before. Read
706
the :doc:`static files howto </howto/static-files/index>` for more details.
707 708 709 710

If your ``ADMIN_MEDIA_PREFIX`` is set to an specific domain (e.g.
``http://media.example.com/admin/``), make sure to also set your
:setting:`STATIC_URL` setting to the correct URL -- for example,
711 712 713 714
``http://media.example.com/``.

.. warning::

715 716 717 718
    If you're implicitly relying on the path of the admin static files within
    Django's source code, you'll need to update that path. The files were moved
    from :file:`django/contrib/admin/media/` to
    :file:`django/contrib/admin/static/admin/`.
719

720 721 722
Supported browsers for the admin
~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~

723 724
Django hasn't had a clear policy on which browsers are supported by the
admin app. Our new policy formalizes existing practices: `YUI's A-grade`_
725
browsers should provide a fully-functional admin experience, with the notable
726
exception of Internet Explorer 6, which is no longer supported.
727

728
Released over 10 years ago, IE6 imposes many limitations on modern Web
729 730 731
development. The practical implications of this policy are that contributors
are free to improve the admin without consideration for these limitations.

732 733 734
Obviously, this new policy **has no impact** on sites you develop using Django.
It only applies to the Django admin. Feel free to develop apps compatible with
any range of browsers.
735 736 737

.. _YUI's A-grade: http://yuilibrary.com/yui/docs/tutorials/gbs/

738 739 740 741
Removed admin icons
~~~~~~~~~~~~~~~~~~~

As part of an effort to improve the performance and usability of the admin's
742
change-list sorting interface and :attr:`horizontal
743 744
<django.contrib.admin.ModelAdmin.filter_horizontal>` and :attr:`vertical
<django.contrib.admin.ModelAdmin.filter_vertical>` "filter" widgets, some icon
745 746 747 748 749 750 751 752
files were removed and grouped into two sprite files.

Specifically: ``selector-add.gif``, ``selector-addall.gif``,
``selector-remove.gif``, ``selector-removeall.gif``,
``selector_stacked-add.gif`` and ``selector_stacked-remove.gif`` were
combined into ``selector-icons.gif``; and ``arrow-up.gif`` and
``arrow-down.gif`` were combined into ``sorting-icons.gif``.

753 754
If you used those icons to customize the admin, then you'll need to replace
them with your own icons or get the files from a previous release.
755

756 757 758
CSS class names in admin forms
~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~

759 760
To avoid conflicts with other common CSS class names (e.g. "button"), we added
a prefix ("field-") to all CSS class names automatically generated from the
761
form field names in the main admin forms, stacked inline forms and tabular
762 763 764
inline cells. You'll need to take that prefix into account in your custom
style sheets or JavaScript files if you previously used plain field names as
selectors for custom styles or JavaScript transformations.
765

766 767 768 769 770 771 772 773 774
Compatibility with old signed data
~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~

Django 1.3 changed the cryptographic signing mechanisms used in a number of
places in Django. While Django 1.3 kept fallbacks that would accept hashes
produced by the previous methods, these fallbacks are removed in Django 1.4.

So, if you upgrade to Django 1.4 directly from 1.2 or earlier, you may
lose/invalidate certain pieces of data that have been cryptographically signed
775
using an old method. To avoid this, use Django 1.3 first for a period of time
776 777 778 779
to allow the signed data to expire naturally. The affected parts are detailed
below, with 1) the consequences of ignoring this advice and 2) the amount of
time you need to run Django 1.3 for the data to expire or become irrelevant.

780
* ``contrib.sessions`` data integrity check
781

782
  * Consequences: The user will be logged out, and session data will be lost.
783

784
  * Time period: Defined by :setting:`SESSION_COOKIE_AGE`.
785

786
* ``contrib.auth`` password reset hash
787

788
  * Consequences: Password reset links from before the upgrade will not work.
789

790
  * Time period: Defined by :setting:`PASSWORD_RESET_TIMEOUT_DAYS`.
791

792 793 794 795
Form-related hashes: these have a are much shorter lifetime and are relevant
only for the short window where a user might fill in a form generated by the
pre-upgrade Django instance and try to submit it to the upgraded Django
instance:
796

797
* ``contrib.comments`` form security hash
798

799
  * Consequences: The user will see the validation error "Security hash failed."
800

801
  * Time period: The amount of time you expect users to take filling out comment
802 803
    forms.

804
* ``FormWizard`` security hash
805

806
  * Consequences: The user will see an error about the form having expired
807
    and will be sent back to the first page of the wizard, losing the data
808
    entered so far.
809

810
  * Time period: The amount of time you expect users to take filling out the
811 812 813 814 815
    affected forms.

* CSRF check

  * Note: This is actually a Django 1.1 fallback, not Django 1.2,
816
    and it applies only if you're upgrading from 1.1.
817

818
  * Consequences: The user will see a 403 error with any CSRF-protected POST
819 820
    form.

821
  * Time period: The amount of time you expect user to take filling out
822
    such forms.
823

824 825 826 827 828 829 830 831 832 833 834
* ``contrib.auth`` user password hash-upgrade sequence

  * Consequences: Each user's password will be updated to a stronger password
    hash when it's written to the database in 1.4. This means that if you
    upgrade to 1.4 and then need to downgrade to 1.3, version 1.3 won't be able
    to read the updated passwords.

  * Remedy: Set :setting:`PASSWORD_HASHERS` to use your original password
    hashing when you initially upgrade to 1.4. After you confirm your app works
    well with Django 1.4 and you won't have to roll back to 1.3, enable the new
    password hashes.
835

836 837 838
django.contrib.flatpages
~~~~~~~~~~~~~~~~~~~~~~~~

839
Starting in 1.4, the
840 841 842 843 844
:class:`~django.contrib.flatpages.middleware.FlatpageFallbackMiddleware` only
adds a trailing slash and redirects if the resulting URL refers to an existing
flatpage. For example, requesting ``/notaflatpageoravalidurl`` in a previous
version would redirect to ``/notaflatpageoravalidurl/``, which would
subsequently raise a 404. Requesting ``/notaflatpageoravalidurl`` now will
845 846 847 848
immediately raise a 404.

Also, redirects returned by flatpages are now permanent (with 301 status code),
to match the behavior of :class:`~django.middleware.common.CommonMiddleware`.
849

850 851 852
Serialization of :class:`~datetime.datetime` and :class:`~datetime.time`
~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~

853 854
As a consequence of time-zone support, and according to the ECMA-262
specification, we made changes to the JSON serializer:
855

856
* It includes the time zone for aware datetime objects. It raises an exception
857
  for aware time objects.
858
* It includes milliseconds for datetime and time objects. There is still
859 860 861 862
  some precision loss, because Python stores microseconds (6 digits) and JSON
  only supports milliseconds (3 digits). However, it's better than discarding
  microseconds entirely.

863
We changed the XML serializer to use the ISO8601 format for datetimes.
864 865
The letter ``T`` is used to separate the date part from the time part, instead
of a space. Time zone information is included in the ``[+-]HH:MM`` format.
866

867
Though the serializers now use these new formats when creating fixtures, they
868 869 870 871 872 873 874 875 876 877
can still load fixtures that use the old format.

``supports_timezone`` changed to ``False`` for SQLite
~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~

The database feature ``supports_timezone`` used to be ``True`` for SQLite.
Indeed, if you saved an aware datetime object, SQLite stored a string that
included an UTC offset. However, this offset was ignored when loading the value
back from the database, which could corrupt the data.

878 879
In the context of time-zone support, this flag was changed to ``False``, and
datetimes are now stored without time-zone information in SQLite. When
880 881 882
:setting:`USE_TZ` is ``False``, if you attempt to save an aware datetime
object, Django raises an exception.

883 884 885
``MySQLdb``-specific exceptions
~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~

886
The MySQL backend historically has raised ``MySQLdb.OperationalError``
887
when a query triggered an exception. We've fixed this bug, and we now raise
888
:exc:`django.db.DatabaseError` instead. If you were testing for
889
``MySQLdb.OperationalError``, you'll need to update your ``except``
890
clauses.
891

892 893 894 895 896 897 898 899 900 901 902
Database connection's thread-locality
~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~

``DatabaseWrapper`` objects (i.e. the connection objects referenced by
``django.db.connection`` and ``django.db.connections["some_alias"]``) used to
be thread-local. They are now global objects in order to be potentially shared
between multiple threads. While the individual connection objects are now
global, the ``django.db.connections`` dictionary referencing those objects is
still thread-local. Therefore if you just use the ORM or
``DatabaseWrapper.cursor()`` then the behavior is still the same as before.
Note, however, that ``django.db.connection`` does not directly reference the
903
default ``DatabaseWrapper`` object anymore and is now a proxy to access that
904 905 906 907 908 909 910 911 912
object's attributes. If you need to access the actual ``DatabaseWrapper``
object, use ``django.db.connections[DEFAULT_DB_ALIAS]`` instead.

As part of this change, all underlying SQLite connections are now enabled for
potential thread-sharing (by passing the ``check_same_thread=False`` attribute
to pysqlite). ``DatabaseWrapper`` however preserves the previous behavior by
disabling thread-sharing by default, so this does not affect any existing
code that purely relies on the ORM or on ``DatabaseWrapper.cursor()``.

913 914
Finally, while it's now possible to pass connections between threads, Django
doesn't make any effort to synchronize access to the underlying backend.
915 916 917
Concurrency behavior is defined by the underlying backend implementation.
Check their documentation for details.

918 919 920
`COMMENTS_BANNED_USERS_GROUP` setting
~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~

921
Django's comments has historically
922 923
supported excluding the comments of a special user group, but we've never
documented the feature properly and didn't enforce the exclusion in other parts
924
of the app such as the template tags. To fix this problem, we removed the code
925
from the feed class.
926

927 928
If you rely on the feature and want to restore the old behavior, use a custom
comment model manager to exclude the user group, like this::
929 930 931 932 933 934 935 936 937 938 939 940 941

    from django.conf import settings
    from django.contrib.comments.managers import CommentManager

    class BanningCommentManager(CommentManager):
        def get_query_set(self):
            qs = super(BanningCommentManager, self).get_query_set()
            if getattr(settings, 'COMMENTS_BANNED_USERS_GROUP', None):
                where = ['user_id NOT IN (SELECT user_id FROM auth_user_groups WHERE group_id = %s)']
                params = [settings.COMMENTS_BANNED_USERS_GROUP]
                qs = qs.extra(where=where, params=params)
            return qs

942
Save this model manager in your custom comment app (e.g., in
943
``my_comments_app/managers.py``) and add it your custom comment app model::
944 945 946 947 948 949 950 951 952 953 954

    from django.db import models
    from django.contrib.comments.models import Comment

    from my_comments_app.managers import BanningCommentManager

    class CommentWithTitle(Comment):
        title = models.CharField(max_length=300)

        objects = BanningCommentManager()

955 956 957
`IGNORABLE_404_STARTS` and `IGNORABLE_404_ENDS` settings
~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~

958 959
Until Django 1.3, it was possible to exclude some URLs from Django's
:doc:`404 error reporting</howto/error-reporting>` by adding prefixes to
960
``IGNORABLE_404_STARTS`` and suffixes to ``IGNORABLE_404_ENDS``.
961 962

In Django 1.4, these two settings are superseded by
963 964 965
:setting:`IGNORABLE_404_URLS`, which is a list of compiled regular
expressions. Django won't send an email for 404 errors on URLs that match any
of them.
966 967 968 969 970 971 972 973 974

Furthermore, the previous settings had some rather arbitrary default values::

    IGNORABLE_404_STARTS = ('/cgi-bin/', '/_vti_bin', '/_vti_inf')
    IGNORABLE_404_ENDS = ('mail.pl', 'mailform.pl', 'mail.cgi', 'mailform.cgi',
                          'favicon.ico', '.php')

It's not Django's role to decide if your website has a legacy ``/cgi-bin/``
section or a ``favicon.ico``. As a consequence, the default values of
975 976
:setting:`IGNORABLE_404_URLS`, ``IGNORABLE_404_STARTS``, and
``IGNORABLE_404_ENDS`` are all now empty.
977

978 979 980
If you have customized ``IGNORABLE_404_STARTS`` or ``IGNORABLE_404_ENDS``, or
if you want to keep the old default value, you should add the following lines
in your settings file::
981 982 983 984 985 986 987 988 989 990

    import re
    IGNORABLE_404_URLS = (
        # for each <prefix> in IGNORABLE_404_STARTS
        re.compile(r'^<prefix>'),
        # for each <suffix> in IGNORABLE_404_ENDS
        re.compile(r'<suffix>$'),
    )

Don't forget to escape characters that have a special meaning in a regular
991
expression, such as periods.
992 993 994 995

CSRF protection extended to PUT and DELETE
~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~

996
Previously, Django's :doc:`CSRF protection </ref/csrf/>` provided
997
protection only against POST requests. Since use of PUT and DELETE methods in
998
AJAX applications is becoming more common, we now protect all methods not
999 1000
defined as safe by :rfc:`2616` -- i.e., we exempt GET, HEAD, OPTIONS and TRACE,
and we enforce protection on everything else.
1001

1002
If you're using PUT or DELETE methods in AJAX applications, please see the
1003
:ref:`instructions about using AJAX and CSRF <csrf-ajax>`.
1004

1005 1006 1007 1008 1009 1010 1011 1012 1013
Password reset view now accepts ``subject_template_name``
~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~

The ``password_reset`` view in ``django.contrib.auth`` now accepts a
``subject_template_name`` parameter, which is passed to the password save form
as a keyword argument. If you are using this view with a custom password reset
form, then you will need to ensure your form's ``save()`` method accepts this
keyword argument.

1014 1015 1016
``django.core.template_loaders``
~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~

1017
This was an alias to ``django.template.loader`` since 2005, and we've removed it
1018
without emitting a warning due to the length of the deprecation. If your code
1019
still referenced this, please use ``django.template.loader`` instead.
1020

1021
``django.db.models.fields.URLField.verify_exists``
1022
~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~
1023 1024 1025 1026 1027

This functionality has been removed due to intractable performance and
security issues. Any existing usage of ``verify_exists`` should be
removed.

1028 1029 1030
``django.core.files.storage.Storage.open``
~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~

1031 1032
The ``open`` method of the base Storage class used to take an obscure parameter
``mixin`` that allowed you to dynamically change the base classes of the
1033
returned file object. This has been removed. In the rare case you relied on the
1034
``mixin`` parameter, you can easily achieve the same by overriding the ``open``
1035
method, like this::
1036 1037 1038 1039 1040 1041 1042 1043 1044 1045 1046 1047 1048 1049 1050 1051 1052

    from django.core.files import File
    from django.core.files.storage import FileSystemStorage

    class Spam(File):
        """
        Spam, spam, spam, spam and spam.
        """
        def ham(self):
            return 'eggs'

    class SpamStorage(FileSystemStorage):
        """
        A custom file storage backend.
        """
        def open(self, name, mode='rb'):
            return Spam(open(self.path(name), mode))
1053

1054 1055 1056 1057 1058 1059 1060
YAML deserializer now uses ``yaml.safe_load``
~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~

``yaml.load`` is able to construct any Python object, which may trigger
arbitrary code execution if you process a YAML document that comes from an
untrusted source. This feature isn't necessary for Django's YAML deserializer,
whose primary use is to load fixtures consisting of simple objects. Even though
1061 1062
fixtures are trusted data, the YAML deserializer now uses ``yaml.safe_load``
for additional security.
1063

1064 1065 1066 1067
Session cookies now have the ``httponly`` flag by default
~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~

Session cookies now include the ``httponly`` attribute by default to
1068 1069
help reduce the impact of potential XSS attacks. As a consequence of
this change, session cookie data, including sessionid, is no longer
1070
accessible from JavaScript in many browsers. For strict backwards
1071 1072
compatibility, use ``SESSION_COOKIE_HTTPONLY = False`` in your
settings file.
1073 1074 1075 1076

The :tfilter:`urlize` filter no longer escapes every URL
~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~

1077 1078 1079 1080 1081
When a URL contains a ``%xx`` sequence, where ``xx`` are two hexadecimal
digits, :tfilter:`urlize` now assumes that the URL is already escaped and
doesn't apply URL escaping again. This is wrong for URLs whose unquoted form
contains a ``%xx`` sequence, but such URLs are very unlikely to happen in the
wild, because they would confuse browsers too.
1082

1083 1084 1085
``assertTemplateUsed`` and ``assertTemplateNotUsed`` as context manager
~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~

1086
It's now possible to check whether a template was used within a block of
1087 1088
code with :meth:`~django.test.SimpleTestCase.assertTemplateUsed` and
:meth:`~django.test.SimpleTestCase.assertTemplateNotUsed`. And they
1089 1090 1091 1092 1093 1094 1095
can be used as a context manager::

    with self.assertTemplateUsed('index.html'):
        render_to_string('index.html')
    with self.assertTemplateNotUsed('base.html'):
        render_to_string('index.html')

1096
See the :ref:`assertion documentation<assertions>` for more.
1097

1098 1099 1100
Database connections after running the test suite
~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~

1101 1102 1103 1104
The default test runner no longer restores the database connections after
tests' execution. This prevents the production database from being exposed to
potential threads that would still be running and attempting to create new
connections.
1105 1106

If your code relied on connections to the production database being created
1107
after tests' execution, then you can restore the previous behavior by
1108 1109 1110
subclassing ``DjangoTestRunner`` and overriding its ``teardown_databases()``
method.

1111 1112 1113 1114
Output of :djadmin:`manage.py help <help>`
~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~

:djadmin:`manage.py help <help>` now groups available commands by application.
1115 1116 1117 1118
If you depended on the output of this command -- if you parsed it, for example
-- then you'll need to update your code. To get a list of all available
management commands in a script, use
:djadmin:`manage.py help --commands <help>` instead.
1119

1120 1121 1122 1123 1124
``extends`` template tag
~~~~~~~~~~~~~~~~~~~~~~~~

Previously, the :ttag:`extends` tag used a buggy method of parsing arguments,
which could lead to it erroneously considering an argument as a string literal
1125
when it wasn't. It now uses ``parser.compile_filter``, like other tags.
1126 1127 1128

The internals of the tag aren't part of the official stable API, but in the
interests of full disclosure, the ``ExtendsNode.__init__`` definition has
1129
changed, which may break any custom tags that use this class.
1130

1131 1132 1133 1134 1135 1136 1137 1138 1139
Loading some incomplete fixtures no longer works
~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~

Prior to 1.4, a default value was inserted for fixture objects that were missing
a specific date or datetime value when auto_now or auto_now_add was set for the
field. This was something that should not have worked, and in 1.4 loading such
incomplete fixtures will fail. Because fixtures are a raw import, they should
explicitly specify all field values, regardless of field options on the model.

1140 1141 1142 1143 1144 1145 1146 1147 1148
Development Server Multithreading
~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~

The development server is now is multithreaded by default. Use the
:djadminopt:`--nothreading` option to disable the use of threading in the
development server::

    django-admin.py runserver --nothreading

1149 1150 1151 1152 1153 1154 1155 1156 1157 1158
Attributes disabled in markdown when safe mode set
~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~

Prior to Django 1.4, attributes were included in any markdown output regardless
of safe mode setting of the filter. With version > 2.1 of the Python-Markdown
library, an enable_attributes option was added. When the safe argument is
passed to the markdown filter, both the ``safe_mode=True`` and
``enable_attributes=False`` options are set. If using a version of the
Python-Markdown library less than 2.1, a warning is issued that the output is
insecure.
1159

1160 1161 1162 1163 1164 1165 1166 1167 1168
FormMixin get_initial returns an instance-specific dictionary
~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~

In Django 1.3, the ``get_initial`` method of the
:class:`django.views.generic.edit.FormMixin` class was returning the
class ``initial`` dictionary. This has been fixed to return a copy of this
dictionary, so form instances can modify their initial data without messing
with the class variable.

1169 1170
.. _deprecated-features-1.4:

1171 1172 1173 1174 1175 1176 1177
Features deprecated in 1.4
==========================

Old styles of calling ``cache_page`` decorator
~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~

Some legacy ways of calling :func:`~django.views.decorators.cache.cache_page`
1178 1179
have been deprecated. Please see the documentation for the correct way to use
this decorator.
1180 1181 1182 1183

Support for PostgreSQL versions older than 8.2
~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~

1184 1185 1186 1187
Django 1.3 dropped support for PostgreSQL versions older than 8.0, and we
suggested using a more recent version because of performance improvements
and, more importantly, the end of upstream support periods for 8.0 and 8.1
was near (November 2010).
1188 1189 1190

Django 1.4 takes that policy further and sets 8.2 as the minimum PostgreSQL
version it officially supports.
1191 1192 1193 1194

Request exceptions are now always logged
~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~

1195
When we added :doc:`logging support </topics/logging/>` in Django in 1.3, the
1196 1197 1198 1199
admin error email support was moved into the
:class:`django.utils.log.AdminEmailHandler`, attached to the
``'django.request'`` logger. In order to maintain the established behavior of
error emails, the ``'django.request'`` logger was called only when
1200
:setting:`DEBUG` was ``False``.
1201

1202 1203 1204 1205 1206
To increase the flexibility of error logging for requests, the
``'django.request'`` logger is now called regardless of the value of
:setting:`DEBUG`, and the default settings file for new projects now includes a
separate filter attached to :class:`django.utils.log.AdminEmailHandler` to
prevent admin error emails in ``DEBUG`` mode::
1207 1208 1209

   'filters': {
        'require_debug_false': {
1210
            '()': 'django.utils.log.RequireDebugFalse'
1211 1212 1213 1214 1215 1216 1217 1218 1219 1220 1221 1222 1223
        }
    },
    'handlers': {
        'mail_admins': {
            'level': 'ERROR',
            'filters': ['require_debug_false'],
            'class': 'django.utils.log.AdminEmailHandler'
        }
    },

If your project was created prior to this change, your :setting:`LOGGING`
setting will not include this new filter. In order to maintain
backwards-compatibility, Django will detect that your ``'mail_admins'`` handler
1224
configuration includes no ``'filters'`` section and will automatically add
1225 1226 1227 1228 1229 1230
this filter for you and issue a pending-deprecation warning. This will become a
deprecation warning in Django 1.5, and in Django 1.6 the
backwards-compatibility shim will be removed entirely.

The existence of any ``'filters'`` key under the ``'mail_admins'`` handler will
disable this backward-compatibility shim and deprecation warning.
1231 1232 1233 1234

``django.conf.urls.defaults``
~~~~~~~~~~~~~~~~~~~~~~~~~~~~~

1235
Until Django 1.3, the functions :func:`~django.conf.urls.include`,
1236 1237 1238 1239
:func:`~django.conf.urls.patterns` and :func:`~django.conf.urls.url` plus
:data:`~django.conf.urls.handler404`, :data:`~django.conf.urls.handler500`
were located in a ``django.conf.urls.defaults`` module.

1240
In Django 1.4, they live in :mod:`django.conf.urls`.
1241 1242 1243 1244

``django.contrib.databrowse``
~~~~~~~~~~~~~~~~~~~~~~~~~~~~~

1245 1246
Databrowse has not seen active development for some time, and this does not show
any sign of changing. There had been a suggestion for a `GSOC project`_ to
1247 1248
integrate the functionality of databrowse into the admin, but no progress was
made. While Databrowse has been deprecated, an enhancement of
1249
``django.contrib.admin`` providing a similar feature set is still possible.
1250

1251
.. _GSOC project: https://code.djangoproject.com/wiki/SummerOfCode2011#Integratedatabrowseintotheadmin
1252 1253

The code that powers Databrowse is licensed under the same terms as Django
1254
itself, so it's available to be adopted by an individual or group as
1255 1256
a third-party project.

1257 1258 1259 1260 1261 1262 1263 1264
``django.core.management.setup_environ``
~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~

This function temporarily modified ``sys.path`` in order to make the parent
"project" directory importable under the old flat :djadmin:`startproject`
layout. This function is now deprecated, as its path workarounds are no longer
needed with the new ``manage.py`` and default project layout.

1265
This function was never documented or part of the public API, but it was widely
1266 1267 1268
recommended for use in setting up a "Django environment" for a user script.
These uses should be replaced by setting the ``DJANGO_SETTINGS_MODULE``
environment variable or using :func:`django.conf.settings.configure`.
1269 1270 1271 1272 1273 1274 1275

``django.core.management.execute_manager``
~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~

This function was previously used by ``manage.py`` to execute a management
command. It is identical to
``django.core.management.execute_from_command_line``, except that it first
1276 1277 1278 1279
calls ``setup_environ``, which is now deprecated. As such, ``execute_manager``
is also deprecated; ``execute_from_command_line`` can be used instead. Neither
of these functions is documented as part of the public API, but a deprecation
path is needed due to use in existing ``manage.py`` files.
1280 1281 1282 1283 1284 1285 1286 1287 1288 1289 1290 1291 1292 1293 1294 1295 1296 1297 1298 1299 1300 1301 1302

``is_safe`` and ``needs_autoescape`` attributes of template filters
~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~

Two flags, ``is_safe`` and ``needs_autoescape``, define how each template filter
interacts with Django's auto-escaping behavior. They used to be attributes of
the filter function::

    @register.filter
    def noop(value):
        return value
    noop.is_safe = True

However, this technique caused some problems in combination with decorators,
especially :func:`@stringfilter <django.template.defaultfilters.stringfilter>`.
Now, the flags are keyword arguments of :meth:`@register.filter
<django.template.Library.filter>`::

    @register.filter(is_safe=True)
    def noop(value):
        return value

See :ref:`filters and auto-escaping <filters-auto-escaping>` for more information.
1303

1304 1305 1306 1307 1308 1309 1310 1311
Wildcard expansion of application names in `INSTALLED_APPS`
~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~

Until Django 1.3, :setting:`INSTALLED_APPS` accepted wildcards in application
names, like ``django.contrib.*``. The expansion was performed by a
filesystem-based implementation of ``from <package> import *``. Unfortunately,
`this can't be done reliably`_.

Tim Graham's avatar
Tim Graham committed
1312
This behavior was never documented. Since it is unpythonic and not obviously
1313 1314 1315
useful, it was removed in Django 1.4. If you relied on it, you must edit your
settings file to list all your applications explicitly.

1316
.. _this can't be done reliably: https://docs.python.org/tutorial/modules.html#importing-from-a-package
1317 1318 1319 1320 1321 1322 1323

``HttpRequest.raw_post_data`` renamed to ``HttpRequest.body``
~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~

This attribute was confusingly named ``HttpRequest.raw_post_data``, but it
actually provided the body of the HTTP request. It's been renamed to
``HttpRequest.body``, and ``HttpRequest.raw_post_data`` has been deprecated.
1324

1325 1326
``django.contrib.sitemaps`` bug fix with potential performance implications
~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~
1327

1328 1329 1330
In previous versions, ``Paginator`` objects used in sitemap classes were
cached, which could result in stale site maps. We've removed the caching, so
each request to a site map now creates a new Paginator object and calls the
1331
:attr:`~django.contrib.sitemaps.Sitemap.items()` method of the
1332 1333 1334 1335
:class:`~django.contrib.sitemaps.Sitemap` subclass. Depending on what your
``items()`` method is doing, this may have a negative performance impact.
To mitigate the performance impact, consider using the :doc:`caching
framework </topics/cache>` within your ``Sitemap`` subclass.
1336 1337 1338 1339 1340 1341 1342 1343

Versions of Python-Markdown earlier than 2.1
~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~

Versions of Python-Markdown earlier than 2.1 do not support the option to
disable attributes. As a security issue, earlier versions of this library will
not be supported by the markup contrib app in 1.5 under an accelerated
deprecation timeline.