Skip to content

Commit 0b99a86

Browse files
author
adrian
committed
MERGED MAGIC-REMOVAL BRANCH TO TRUNK. This change is highly backwards-incompatible. Please read http://code.djangoproject.com/wiki/RemovingTheMagic for upgrade instructions.
git-svn-id: http://code.djangoproject.com/svn/django/trunk@2809 bcc190cf-cafb-0310-a4f2-bffc1f526a37
1 parent 1e4b6b3 commit 0b99a86

File tree

366 files changed

+17799
-11165
lines changed

Some content is hidden

Large Commits have some content hidden by default. Use the searchbox below for content that may be hidden.

366 files changed

+17799
-11165
lines changed

AUTHORS

+4
Original file line numberDiff line numberDiff line change
@@ -71,6 +71,7 @@ answer newbie questions, and generally made Django that much better:
7171
7272
Stuart Langridge <http://www.kryogenix.org/>
7373
Eugene Lazutkin <http://lazutkin.com/blog/>
74+
Christopher Lenz <http://www.cmlenz.net/>
7475
limodou
7576
Martin Maney <http://www.chipy.org/Martin_Maney>
7677
Manuzhai
@@ -79,6 +80,7 @@ answer newbie questions, and generally made Django that much better:
7980
8081
Jason McBrayer <http://www.carcosa.net/jason/>
8182
83+
8284
mmarshall
8385
Eric Moritz <http://eric.themoritzfamily.com/>
8486
Robin Munn <http://www.geekforgod.com/>
@@ -102,7 +104,9 @@ answer newbie questions, and generally made Django that much better:
102104
Aaron Swartz <http://www.aaronsw.com/>
103105
Tom Tobin
104106
Joe Topjian <http://joe.terrarum.net/geek/code/python/django/>
107+
Malcolm Tredinnick
105108
Amit Upadhyay
109+
Geert Vanderkelen
106110
Milton Waddams
107111
Rachel Willmer <http://www.willmer.com/kb/>
108112
wojtek

django/__init__.py

+1-1
Original file line numberDiff line numberDiff line change
@@ -1 +1 @@
1-
VERSION = (0, 9, 1, 'SVN')
1+
VERSION = (0, 95, 'post-magic-removal')

django/bin/daily_cleanup.py

+5-5
Original file line numberDiff line numberDiff line change
@@ -1,17 +1,17 @@
11
"Daily cleanup file"
22

3-
from django.core.db import db
3+
from django.db import backend, connection, transaction
44

55
DOCUMENTATION_DIRECTORY = '/home/html/documentation/'
66

77
def clean_up():
88
# Clean up old database records
9-
cursor = db.cursor()
9+
cursor = connection.cursor()
1010
cursor.execute("DELETE FROM %s WHERE %s < NOW()" % \
11-
(db.quote_name('core_sessions'), db.quote_name('expire_date')))
11+
(backend.quote_name('core_sessions'), backend.quote_name('expire_date')))
1212
cursor.execute("DELETE FROM %s WHERE %s < NOW() - INTERVAL '1 week'" % \
13-
(db.quote_name('registration_challenges'), db.quote_name('request_date')))
14-
db.commit()
13+
(backend.quote_name('registration_challenges'), backend.quote_name('request_date')))
14+
transaction.commit_unless_managed()
1515

1616
if __name__ == "__main__":
1717
clean_up()

django/conf/__init__.py

+73
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,73 @@
1+
"""
2+
Settings and configuration for Django.
3+
4+
Values will be read from the module specified by the DJANGO_SETTINGS_MODULE environment
5+
variable, and then from django.conf.global_settings; see the global settings file for
6+
a list of all possible variables.
7+
"""
8+
9+
import os
10+
import sys
11+
from django.conf import global_settings
12+
13+
ENVIRONMENT_VARIABLE = "DJANGO_SETTINGS_MODULE"
14+
15+
class Settings:
16+
17+
def __init__(self, settings_module):
18+
19+
# update this dict from global settings (but only for ALL_CAPS settings)
20+
for setting in dir(global_settings):
21+
if setting == setting.upper():
22+
setattr(self, setting, getattr(global_settings, setting))
23+
24+
# store the settings module in case someone later cares
25+
self.SETTINGS_MODULE = settings_module
26+
27+
try:
28+
mod = __import__(self.SETTINGS_MODULE, '', '', [''])
29+
except ImportError, e:
30+
raise EnvironmentError, "Could not import settings '%s' (is it on sys.path?): %s" % (self.SETTINGS_MODULE, e)
31+
32+
# Settings that should be converted into tuples if they're mistakenly entered
33+
# as strings.
34+
tuple_settings = ("INSTALLED_APPS", "TEMPLATE_DIRS")
35+
36+
for setting in dir(mod):
37+
if setting == setting.upper():
38+
setting_value = getattr(mod, setting)
39+
if setting in tuple_settings and type(setting_value) == str:
40+
setting_value = (setting_value,) # In case the user forgot the comma.
41+
setattr(self, setting, setting_value)
42+
43+
# Expand entries in INSTALLED_APPS like "django.contrib.*" to a list
44+
# of all those apps.
45+
new_installed_apps = []
46+
for app in self.INSTALLED_APPS:
47+
if app.endswith('.*'):
48+
appdir = os.path.dirname(__import__(app[:-2], '', '', ['']).__file__)
49+
for d in os.listdir(appdir):
50+
if d.isalpha() and os.path.isdir(os.path.join(appdir, d)):
51+
new_installed_apps.append('%s.%s' % (app[:-2], d))
52+
else:
53+
new_installed_apps.append(app)
54+
self.INSTALLED_APPS = new_installed_apps
55+
56+
# move the time zone info into os.environ
57+
os.environ['TZ'] = self.TIME_ZONE
58+
59+
# try to load DJANGO_SETTINGS_MODULE
60+
try:
61+
settings_module = os.environ[ENVIRONMENT_VARIABLE]
62+
if not settings_module: # If it's set but is an empty string.
63+
raise KeyError
64+
except KeyError:
65+
raise EnvironmentError, "Environment variable %s is undefined." % ENVIRONMENT_VARIABLE
66+
67+
# instantiate the configuration object
68+
settings = Settings(settings_module)
69+
70+
# install the translation machinery so that it is available
71+
from django.utils import translation
72+
translation.install()
73+

django/conf/app_template/models.py

+3
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,3 @@
1+
from django.db import models
2+
3+
# Create your models here.

django/conf/app_template/models/__init__.py

-1
This file was deleted.

django/conf/app_template/models/app_name.py

-3
This file was deleted.

django/conf/global_settings.py

+11-9
Original file line numberDiff line numberDiff line change
@@ -79,7 +79,7 @@
7979
SEND_BROKEN_LINK_EMAILS = False
8080

8181
# Database connection info.
82-
DATABASE_ENGINE = 'postgresql' # 'postgresql', 'mysql', 'sqlite3' or 'ado_mssql'.
82+
DATABASE_ENGINE = '' # 'postgresql', 'mysql', 'sqlite3' or 'ado_mssql'.
8383
DATABASE_NAME = '' # Or path to database file if using sqlite3.
8484
DATABASE_USER = '' # Not used with sqlite3.
8585
DATABASE_PASSWORD = '' # Not used with sqlite3.
@@ -102,19 +102,16 @@
102102
# List of locations of the template source files, in search order.
103103
TEMPLATE_DIRS = ()
104104

105-
# Extension on all templates.
106-
TEMPLATE_FILE_EXTENSION = '.html'
107-
108105
# List of callables that know how to import templates from various sources.
109106
# See the comments in django/core/template/loader.py for interface
110107
# documentation.
111108
TEMPLATE_LOADERS = (
112-
'django.core.template.loaders.filesystem.load_template_source',
113-
'django.core.template.loaders.app_directories.load_template_source',
114-
# 'django.core.template.loaders.eggs.load_template_source',
109+
'django.template.loaders.filesystem.load_template_source',
110+
'django.template.loaders.app_directories.load_template_source',
111+
# 'django.template.loaders.eggs.load_template_source',
115112
)
116113

117-
# List of processors used by DjangoContext to populate the context.
114+
# List of processors used by RequestContext to populate the context.
118115
# Each one should be a callable that takes the request object as its
119116
# only parameter and returns a dictionary to add to the context.
120117
TEMPLATE_CONTEXT_PROCESSORS = (
@@ -205,6 +202,10 @@
205202
# http://psyco.sourceforge.net/
206203
ENABLE_PSYCO = False
207204

205+
# Do you want to manage transactions manually?
206+
# Hint: you really don't!
207+
TRANSACTIONS_MANAGED = False
208+
208209
##############
209210
# MIDDLEWARE #
210211
##############
@@ -213,7 +214,8 @@
213214
# this middleware classes will be applied in the order given, and in the
214215
# response phase the middleware will be applied in reverse order.
215216
MIDDLEWARE_CLASSES = (
216-
"django.middleware.sessions.SessionMiddleware",
217+
"django.contrib.sessions.middleware.SessionMiddleware",
218+
"django.contrib.auth.middleware.AuthenticationMiddleware",
217219
# "django.middleware.http.ConditionalGetMiddleware",
218220
# "django.middleware.gzip.GZipMiddleware",
219221
"django.middleware.common.CommonMiddleware",

django/conf/project_template/settings.py

+10-5
Original file line numberDiff line numberDiff line change
@@ -9,7 +9,7 @@
99

1010
MANAGERS = ADMINS
1111

12-
DATABASE_ENGINE = 'postgresql' # 'postgresql', 'mysql', 'sqlite3' or 'ado_mssql'.
12+
DATABASE_ENGINE = '' # 'postgresql', 'mysql', 'sqlite3' or 'ado_mssql'.
1313
DATABASE_NAME = '' # Or path to database file if using sqlite3.
1414
DATABASE_USER = '' # Not used with sqlite3.
1515
DATABASE_PASSWORD = '' # Not used with sqlite3.
@@ -45,14 +45,15 @@
4545

4646
# List of callables that know how to import templates from various sources.
4747
TEMPLATE_LOADERS = (
48-
'django.core.template.loaders.filesystem.load_template_source',
49-
'django.core.template.loaders.app_directories.load_template_source',
50-
# 'django.core.template.loaders.eggs.load_template_source',
48+
'django.template.loaders.filesystem.load_template_source',
49+
'django.template.loaders.app_directories.load_template_source',
50+
# 'django.template.loaders.eggs.load_template_source',
5151
)
5252

5353
MIDDLEWARE_CLASSES = (
5454
"django.middleware.common.CommonMiddleware",
55-
"django.middleware.sessions.SessionMiddleware",
55+
"django.contrib.sessions.middleware.SessionMiddleware",
56+
"django.contrib.auth.middleware.AuthenticationMiddleware",
5657
"django.middleware.doc.XViewMiddleware",
5758
)
5859

@@ -64,4 +65,8 @@
6465
)
6566

6667
INSTALLED_APPS = (
68+
'django.contrib.auth',
69+
'django.contrib.contenttypes',
70+
'django.contrib.sessions',
71+
'django.contrib.sites',
6772
)

django/conf/project_template/urls.py

+1-1
Original file line numberDiff line numberDiff line change
@@ -5,5 +5,5 @@
55
# (r'^{{ project_name }}/', include('{{ project_name }}.apps.foo.urls.foo')),
66

77
# Uncomment this for admin:
8-
# (r'^admin/', include('django.contrib.admin.urls.admin')),
8+
# (r'^admin/', include('django.contrib.admin.urls')),
99
)

django/conf/settings.py

-77
This file was deleted.

django/conf/urls/registration.py

+7-7
Original file line numberDiff line numberDiff line change
@@ -1,9 +1,9 @@
11
from django.conf.urls.defaults import *
22

33
urlpatterns = patterns('',
4-
(r'^login/$', 'django.views.auth.login.login'),
5-
(r'^logout/$', 'django.views.auth.login.logout'),
6-
(r'^login_another/$', 'django.views.auth.login.logout_then_login'),
4+
(r'^login/$', 'django.contrib.auth.view.login'),
5+
(r'^logout/$', 'django.contrib.auth.views.logout'),
6+
(r'^login_another/$', 'django.contrib.auth.views.logout_then_login'),
77

88
(r'^register/$', 'ellington.registration.views.registration.signup'),
99
(r'^register/(?P<challenge_string>\w{32})/$', 'ellington.registration.views.registration.register_form'),
@@ -12,8 +12,8 @@
1212
(r'^profile/welcome/$', 'ellington.registration.views.profile.profile_welcome'),
1313
(r'^profile/edit/$', 'ellington.registration.views.profile.edit_profile'),
1414

15-
(r'^password_reset/$', 'django.views.registration.passwords.password_reset'),
16-
(r'^password_reset/done/$', 'django.views.registration.passwords.password_reset_done'),
17-
(r'^password_change/$', 'django.views.registration.passwords.password_change'),
18-
(r'^password_change/done/$', 'django.views.registration.passwords.password_change_done'),
15+
(r'^password_reset/$', 'django.contrib.auth.views.password_reset'),
16+
(r'^password_reset/done/$', 'django.contrib.auth.views.password_reset_done'),
17+
(r'^password_change/$', 'django.contrib.auth.views.password_change'),
18+
(r'^password_change/done/$', 'django.contrib.auth.views.password_change_done'),
1919
)

0 commit comments

Comments
 (0)