App Engine Python SDK version 1.7.4 (2)
[gae.git] / python / lib / django_1_4 / docs / releases / 1.2-alpha-1.txt
blob5a8f8fc5f54b5f835bbaf9f4ba8937b893cd027d
1 ================================
2 Django 1.2 alpha 1 release notes
3 ================================
5 January 5, 2010
7 Welcome to Django 1.2 alpha 1!
9 This is the first in a series of preview/development releases leading up to the
10 eventual release of Django 1.2, currently scheduled to take place in March 2010.
11 This release is primarily targeted at developers who are interested in trying
12 out new features and testing the Django codebase to help identify and resolve
13 bugs prior to the final 1.2 release.
15 As such, this release is *not* intended for production use, and any such use is
16 discouraged.
19 Backwards-incompatible changes in 1.2
20 =====================================
22 CSRF Protection
23 ---------------
25 There have been large changes to the way that CSRF protection works, detailed in
26 :doc:`the CSRF documentation </ref/contrib/csrf>`.  The following are the major
27 changes that developers must be aware of:
29 * ``CsrfResponseMiddleware`` and ``CsrfMiddleware`` have been deprecated, and
30   **will be removed completely in Django 1.4**, in favor of a template tag that
31   should be inserted into forms.
33 * All contrib apps use a ``csrf_protect`` decorator to protect the view. This
34   requires the use of the ``csrf_token`` template tag in the template, so if you
35   have used custom templates for contrib views, you MUST READ THE UPGRADE
36   INSTRUCTIONS to fix those templates.
38   .. admonition:: Documentation removed
40      The upgrade notes have been removed in current Django docs. Please refer
41      to the docs for Django 1.3 or older to find these instructions.
43 * ``CsrfViewMiddleware`` is included in :setting:`MIDDLEWARE_CLASSES` by
44   default. This turns on CSRF protection by default, so that views that accept
45   POST requests need to be written to work with the middleware. Instructions
46   on how to do this are found in the CSRF docs.
48 * CSRF-related code has moved from ``contrib`` to ``core`` (with
49   backwards compatible imports in the old locations, which are
50   deprecated).
52 :ttag:`if` tag changes
53 ----------------------
55 Due to new features in the :ttag:`if` template tag, it no longer accepts 'and',
56 'or' and 'not' as valid **variable** names.  Previously that worked in some
57 cases even though these strings were normally treated as keywords.  Now, the
58 keyword status is always enforced, and template code like ``{% if not %}`` or
59 ``{% if and %}`` will throw a TemplateSyntaxError.
61 ``LazyObject``
62 --------------
64 ``LazyObject`` is an undocumented utility class used for lazily wrapping other
65 objects of unknown type.  In Django 1.1 and earlier, it handled introspection in
66 a non-standard way, depending on wrapped objects implementing a public method
67 ``get_all_members()``. Since this could easily lead to name clashes, it has been
68 changed to use the standard method, involving ``__members__`` and ``__dir__()``.
69 If you used ``LazyObject`` in your own code, and implemented the
70 ``get_all_members()`` method for wrapped objects, you need to make the following
71 changes:
73 * If your class does not have special requirements for introspection (i.e. you
74   have not implemented ``__getattr__()`` or other methods that allow for
75   attributes not discoverable by normal mechanisms), you can simply remove the
76   ``get_all_members()`` method.  The default implementation on ``LazyObject``
77   will do the right thing.
79 * If you have more complex requirements for introspection, first rename the
80   ``get_all_members()`` method to ``__dir__()``.  This is the standard method,
81   from Python 2.6 onwards, for supporting introspection.  If you are require
82   support for Python < 2.6, add the following code to the class::
84       __members__ = property(lambda self: self.__dir__())
86 ``__dict__`` on Model instances
87 -------------------------------
89 Historically, the ``__dict__`` attribute of a model instance has only contained
90 attributes corresponding to the fields on a model.
92 In order to support multiple database configurations, Django 1.2 has
93 added a ``_state`` attribute to object instances. This attribute will
94 appear in ``__dict__`` for a model instance. If your code relies on
95 iterating over __dict__ to obtain a list of fields, you must now
96 filter the ``_state`` attribute of out ``__dict__``.
98 ``get_db_prep_*()`` methods on Field
99 ------------------------------------
101 Prior to v1.2, a custom field had the option of defining several
102 functions to support conversion of Python values into
103 database-compatible values. A custom field might look something like::
105     class CustomModelField(models.Field):
106         # ...
108         def get_db_prep_save(self, value):
109             # ...
111         def get_db_prep_value(self, value):
112             # ...
114         def get_db_prep_lookup(self, lookup_type, value):
115             # ...
117 In 1.2, these three methods have undergone a change in prototype, and
118 two extra methods have been introduced::
120     class CustomModelField(models.Field):
121         # ...
123         def get_prep_value(self, value):
124             # ...
126         def get_prep_lookup(self, lookup_type, value):
127             # ...
129         def get_db_prep_save(self, value, connection):
130             # ...
132         def get_db_prep_value(self, value, connection, prepared=False):
133             # ...
135         def get_db_prep_lookup(self, lookup_type, value, connection, prepared=False):
136             # ...
138 These changes are required to support multiple databases:
139 ``get_db_prep_*`` can no longer make any assumptions regarding the
140 database for which it is preparing. The ``connection`` argument now
141 provides the preparation methods with the specific connection for
142 which the value is being prepared.
144 The two new methods exist to differentiate general data preparation
145 requirements, and requirements that are database-specific. The
146 ``prepared`` argument is used to indicate to the database preparation
147 methods whether generic value preparation has been performed. If
148 an unprepared (i.e., ``prepared=False``) value is provided to the
149 ``get_db_prep_*()`` calls, they should invoke the corresponding
150 ``get_prep_*()`` calls to perform generic data preparation.
152 Conversion functions has been provided which will transparently
153 convert functions adhering to the old prototype into functions
154 compatible with the new prototype. However, this conversion function
155 will be removed in Django 1.4, so you should upgrade your Field
156 definitions to use the new prototype.
158 If your ``get_db_prep_*()`` methods made no use of the database
159 connection, you should be able to upgrade by renaming
160 ``get_db_prep_value()`` to ``get_prep_value()`` and
161 ``get_db_prep_lookup()`` to ``get_prep_lookup()`. If you require
162 database specific conversions, then you will need to provide an
163 implementation ``get_db_prep_*`` that uses the ``connection``
164 argument to resolve database-specific values.
166 Stateful template tags
167 ----------------------
169 Template tags that store rendering state on the node itself may experience
170 problems if they are used with the new :ref:`cached
171 template loader<template-loaders>`.
173 All of the built-in Django template tags are safe to use with the cached
174 loader, but if you're using custom template tags that come from third
175 party packages, or that you wrote yourself, you should ensure that the
176 ``Node`` implementation for each tag is thread-safe. For more
177 information, see
178 :ref:`template tag thread safety considerations<template_tag_thread_safety>`.
180 Test runner exit status code
181 ----------------------------
183 The exit status code of the test runners (``tests/runtests.py`` and ``python
184 manage.py test``) no longer represents the number of failed tests, since a
185 failure of 256 or more tests resulted in a wrong exit status code.  The exit
186 status code for the test runner is now 0 for success (no failing tests) and 1
187 for any number of test failures.  If needed, the number of test failures can be
188 found at the end of the test runner's output.
190 Features deprecated in 1.2
191 ==========================
193 CSRF response rewriting middleware
194 ----------------------------------
196 ``CsrfResponseMiddleware``, the middleware that automatically inserted CSRF
197 tokens into POST forms in outgoing pages, has been deprecated in favor of a
198 template tag method (see above), and will be removed completely in Django
199 1.4. ``CsrfMiddleware``, which includes the functionality of
200 ``CsrfResponseMiddleware`` and ``CsrfViewMiddleware`` has likewise been
201 deprecated.
203 Also, the CSRF module has moved from contrib to core, and the old
204 imports are deprecated, as described in the upgrading notes.
206 .. admonition:: Documentation removed
208    The upgrade notes have been removed in current Django docs. Please refer
209    to the docs for Django 1.3 or older to find these instructions.
211 ``SMTPConnection``
212 ------------------
214 The ``SMTPConnection`` class has been deprecated in favor of a generic
215 Email backend API. Old code that explicitly instantiated an instance
216 of an SMTPConnection::
218     from django.core.mail import SMTPConnection
219     connection = SMTPConnection()
220     messages = get_notification_email()
221     connection.send_messages(messages)
223 should now call :meth:`~django.core.mail.get_connection()` to
224 instantiate a generic email connection::
226     from django.core.mail import get_connection
227     connection = get_connection()
228     messages = get_notification_email()
229     connection.send_messages(messages)
231 Depending on the value of the :setting:`EMAIL_BACKEND` setting, this
232 may not return an SMTP connection. If you explicitly require an SMTP
233 connection with which to send email, you can explicitly request an
234 SMTP connection::
236     from django.core.mail import get_connection
237     connection = get_connection('django.core.mail.backends.smtp.EmailBackend')
238     messages = get_notification_email()
239     connection.send_messages(messages)
241 If your call to construct an instance of ``SMTPConnection`` required
242 additional arguments, those arguments can be passed to the
243 :meth:`~django.core.mail.get_connection()` call::
245     connection = get_connection('django.core.mail.backends.smtp.EmailBackend', hostname='localhost', port=1234)
247 Specifying databases
248 --------------------
250 Prior to Django 1.1, Django used a number of settings to control access to a
251 single database. Django 1.2 introduces support for multiple databases, and as
252 a result, the way you define database settings has changed.
254 **Any existing Django settings file will continue to work as expected
255 until Django 1.4.** Old-style database settings will be automatically
256 translated to the new-style format.
258 In the old-style (pre 1.2) format, there were a number of
259 ``DATABASE_`` settings at the top level of your settings file. For
260 example::
262     DATABASE_NAME = 'test_db'
263     DATABASE_ENGINE = 'postgresql_psycopg2'
264     DATABASE_USER = 'myusername'
265     DATABASE_PASSWORD = 's3krit'
267 These settings are now contained inside a dictionary named
268 :setting:`DATABASES`. Each item in the dictionary corresponds to a
269 single database connection, with the name ``'default'`` describing the
270 default database connection. The setting names have also been
271 shortened to reflect the fact that they are stored in a dictionary.
272 The sample settings given previously would now be stored using::
274     DATABASES = {
275         'default': {
276             'NAME': 'test_db',
277             'ENGINE': 'django.db.backends.postgresql_psycopg2',
278             'USER': 'myusername',
279             'PASSWORD': 's3krit',
280         }
281     }
283 This affects the following settings:
285 =========================================  ==========================
286  Old setting                                New Setting
287 =========================================  ==========================
288 :setting:`DATABASE_ENGINE`                 :setting:`ENGINE`
289 :setting:`DATABASE_HOST`                   :setting:`HOST`
290 :setting:`DATABASE_NAME`                   :setting:`NAME`
291 :setting:`DATABASE_OPTIONS`                :setting:`OPTIONS`
292 :setting:`DATABASE_PASSWORD`               :setting:`PASSWORD`
293 :setting:`DATABASE_PORT`                   :setting:`PORT`
294 :setting:`DATABASE_USER`                   :setting:`USER`
295 :setting:`TEST_DATABASE_CHARSET`           :setting:`TEST_CHARSET`
296 :setting:`TEST_DATABASE_COLLATION`         :setting:`TEST_COLLATION`
297 :setting:`TEST_DATABASE_NAME`              :setting:`TEST_NAME`
298 =========================================  ==========================
300 These changes are also required if you have manually created a database
301 connection using ``DatabaseWrapper()`` from your database backend of choice.
303 In addition to the change in structure, Django 1.2 removes the special
304 handling for the built-in database backends. All database backends
305 must now be specified by a fully qualified module name (i.e.,
306 ``django.db.backends.postgresql_psycopg2``, rather than just
307 ``postgresql_psycopg2``).
309 User Messages API
310 -----------------
312 The API for storing messages in the user ``Message`` model (via
313 ``user.message_set.create``) is now deprecated and will be removed in Django
314 1.4 according to the standard :doc:`release process </internals/release-process>`.
316 To upgrade your code, you need to replace any instances of::
318     user.message_set.create('a message')
320 with the following::
322     from django.contrib import messages
323     messages.add_message(request, messages.INFO, 'a message')
325 Additionally, if you make use of the method, you need to replace the
326 following::
328     for message in user.get_and_delete_messages():
329         ...
331 with::
333     from django.contrib import messages
334     for message in messages.get_messages(request):
335         ...
337 For more information, see the full
338 :doc:`messages documentation </ref/contrib/messages>`. You should begin to
339 update your code to use the new API immediately.
341 Date format helper functions
342 ----------------------------
344 ``django.utils.translation.get_date_formats()`` and
345 ``django.utils.translation.get_partial_date_formats()`` have been deprecated
346 in favor of the appropriate calls to ``django.utils.formats.get_format()``
347 which is locale aware when :setting:`USE_L10N` is set to ``True``, and falls
348 back to default settings if set to ``False``.
350 To get the different date formats, instead of writing::
352     from django.utils.translation import get_date_formats
353     date_format, datetime_format, time_format = get_date_formats()
355 use::
357     from django.utils import formats
359     date_format = formats.get_format('DATE_FORMAT')
360     datetime_format = formats.get_format('DATETIME_FORMAT')
361     time_format = formats.get_format('TIME_FORMAT')
363 or, when directly formatting a date value::
365     from django.utils import formats
366     value_formatted = formats.date_format(value, 'DATETIME_FORMAT')
368 The same applies to the globals found in ``django.forms.fields``:
370 * ``DEFAULT_DATE_INPUT_FORMATS``
371 * ``DEFAULT_TIME_INPUT_FORMATS``
372 * ``DEFAULT_DATETIME_INPUT_FORMATS``
374 Use ``django.utils.formats.get_format()`` to get the appropriate formats.
377 What's new in Django 1.2 alpha 1
378 ================================
380 The following new features are present as of this alpha release; this
381 release also marks the end of major feature development for the 1.2
382 release cycle. Some minor features will continue development until the
383 1.2 beta release, however.
386 CSRF support
387 ------------
389 Django now has much improved protection against :doc:`Cross-Site
390 Request Forgery (CSRF) attacks</ref/contrib/csrf>`. This type of attack
391 occurs when a malicious Web site contains a link, a form button or
392 some javascript that is intended to perform some action on your Web
393 site, using the credentials of a logged-in user who visits the
394 malicious site in their browser. A related type of attack, 'login
395 CSRF', where an attacking site tricks a user's browser into logging
396 into a site with someone else's credentials, is also covered.
398 Email Backends
399 --------------
401 You can now :ref:`configure the way that Django sends email
402 <topic-email-backends>`. Instead of using SMTP to send all email, you
403 can now choose a configurable email backend to send messages. If your
404 hosting provider uses a sandbox or some other non-SMTP technique for
405 sending mail, you can now construct an email backend that will allow
406 Django's standard :doc:`mail sending methods</topics/email>` to use
407 those facilities.
409 This also makes it easier to debug mail sending - Django ships with
410 backend implementations that allow you to send email to a
411 :ref:`file<topic-email-file-backend>`, to the
412 :ref:`console<topic-email-console-backend>`, or to
413 :ref:`memory<topic-email-memory-backend>` - you can even configure all
414 email to be :ref:`thrown away<topic-email-dummy-backend>`.
416 Messages Framework
417 ------------------
419 Django now includes a robust and configurable :doc:`messages framework
420 </ref/contrib/messages>` with built-in support for cookie- and session-based
421 messaging, for both anonymous and authenticated clients. The messages framework
422 replaces the deprecated user message API and allows you to temporarily store
423 messages in one request and retrieve them for display in a subsequent request
424 (usually the next one).
426 Support for multiple databases
427 ------------------------------
429 Django 1.2 adds the ability to use :doc:`more than one database
430 </topics/db/multi-db>` in your Django project. Queries can be
431 issued at a specific database with the `using()` method on
432 querysets; individual objects can be saved to a specific database
433 by providing a ``using`` argument when you save the instance.
435 'Smart' if tag
436 --------------
438 The :ttag:`if` tag has been upgraded to be much more powerful.  First, support
439 for comparison operators has been added. No longer will you have to type:
441 .. code-block:: html+django
443     {% ifnotequal a b %}
444      ...
445     {% endifnotequal %}
447 ...as you can now do:
449 .. code-block:: html+django
451     {% if a != b %}
452      ...
453     {% endif %}
455 The operators supported are ``==``, ``!=``, ``<``, ``>``, ``<=``, ``>=`` and
456 ``in``, all of which work like the Python operators, in addition to ``and``,
457 ``or`` and ``not`` which were already supported.
459 Also, filters may now be used in the ``if`` expression. For example:
461 .. code-block:: html+django
463       <div
464         {% if user.email|lower == message.recipient|lower %}
465           class="highlight"
466         {% endif %}
467       >{{ message }}</div>
469 Template caching
470 ----------------
472 In previous versions of Django, every time you rendered a template it
473 would be reloaded from disk. In Django 1.2, you can use a :ref:`cached
474 template loader <template-loaders>` to load templates once, then use
475 the cached result for every subsequent render. This can lead to a
476 significant performance improvement if your templates are broken into
477 lots of smaller subtemplates (using the ``{% extends %}`` or ``{%
478 include %}`` tags).
480 As a side effect, it is now much easier to support non-Django template
481 languages. For more details, see the :ref:`notes on supporting
482 non-Django template languages<topic-template-alternate-language>`.
484 Natural keys in fixtures
485 ------------------------
487 Fixtures can refer to remote objects using
488 :ref:`topics-serialization-natural-keys`. This lookup scheme is an
489 alternative to the normal primary-key based object references in a
490 fixture, improving readability, and resolving problems referring to
491 objects whose primary key value may not be predictable or known.
493 ``BigIntegerField``
494 -------------------
496 Models can now use a 64 bit :class:`~django.db.models.BigIntegerField` type.
498 Fast Failure for Tests
499 ----------------------
501 The :djadmin:`test` subcommand of ``django-admin.py``, and the ``runtests.py``
502 script used to run Django's own test suite, support a new ``--failfast`` option.
503 When specified, this option causes the test runner to exit after encountering
504 a failure instead of continuing with the test run.  In addition, the handling
505 of ``Ctrl-C`` during a test run has been improved to trigger a graceful exit
506 from the test run that reports details of the tests run before the interruption.
508 Improved localization
509 ---------------------
511 Django's :doc:`internationalization framework </topics/i18n/index>` has been
512 expanded by locale aware formatting and form processing. That means, if
513 enabled, dates and numbers on templates will be displayed using the format
514 specified for the current locale. Django will also use localized formats
515 when parsing data in forms.
516 See :ref:`Format localization <format-localization>` for more details.
518 Added ``readonly_fields`` to ``ModelAdmin``
519 -------------------------------------------
521 :attr:`django.contrib.admin.ModelAdmin.readonly_fields` has been added to
522 enable non-editable fields in add/change pages for models and inlines. Field
523 and calculated values can be displayed along side editable fields.
525 Customizable syntax highlighting
526 --------------------------------
528 You can now use the ``DJANGO_COLORS`` environment variable to modify
529 or disable the colors used by ``django-admin.py`` to provide
530 :ref:`syntax highlighting <syntax-coloring>`.
533 The Django 1.2 roadmap
534 ======================
536 Before the final Django 1.2 release, several other preview/development
537 releases will be made available. The current schedule consists of at
538 least the following:
540 * Week of **January 26, 2010**: First Django 1.2 beta release. Final
541   feature freeze for Django 1.2.
543 * Week of **March 2, 2010**: First Django 1.2 release
544   candidate. String freeze for translations.
546 * Week of **March 9, 2010**: Django 1.2 final release.
548 If necessary, additional alpha, beta or release-candidate packages
549 will be issued prior to the final 1.2 release. Django 1.2 will be
550 released approximately one week after the final release candidate.
553 What you can do to help
554 =======================
556 In order to provide a high-quality 1.2 release, we need your help. Although this
557 alpha release is, again, *not* intended for production use, you can help the
558 Django team by trying out the alpha codebase in a safe test environment and
559 reporting any bugs or issues you encounter. The Django ticket tracker is the
560 central place to search for open issues:
562 * https://code.djangoproject.com/timeline
564 Please open new tickets if no existing ticket corresponds to a problem you're
565 running into.
567 Additionally, discussion of Django development, including progress toward the
568 1.2 release, takes place daily on the django-developers mailing list:
570 * http://groups.google.com/group/django-developers
572 ... and in the ``#django-dev`` IRC channel on ``irc.freenode.net``. If you're
573 interested in helping out with Django's development, feel free to join the
574 discussions there.
576 Django's online documentation also includes pointers on how to contribute to
577 Django:
579 * :doc:`How to contribute to Django </internals/contributing/index>`
581 Contributions on any level -- developing code, writing documentation or simply
582 triaging tickets and helping to test proposed bugfixes -- are always welcome and
583 appreciated.
585 Development sprints for Django 1.2 will also be taking place at PyCon
586 US 2010, on the dedicated sprint days (February 22 through 25), and
587 anyone who wants to help out is welcome to join in, either in person
588 at PyCon or virtually in the IRC channel or on the mailing list.