Your Django settings file contains all the configuration of your Django installation. This appendix explains how settings work and which settings are available.
Whats a Settings File?
A settings file is just a Python module with module-level variables.
Here are a couple of example settings:
ALLOWED_HOSTS = ["www.example.com"]
DEBUG = False
DEFAULT_FROM_EMAIL = "webmaster@example.com"
Note
If you set DEBUG
to False
, you also need to properly set the ALLOWED_HOSTS
setting.
Because a settings file is a Python module, the following apply:
It doesnt allow for Python syntax errors.
It can assign settings dynamically using normal Python syntax. For example:
MY_SETTING = [str(i) for i in range(30)]
It can import values from other settings files.
Default Settings
A Django settings file doesnt have to define any settings if it doesnt need to. Each setting has a sensible default value. These defaults live in the module django/conf/global_settings.py
.
Heres the algorithm Django uses in compiling settings:
- Load settings from
global_settings.py
. - Load settings from the specified settings file, overriding the global settings as necessary.
Note that a settings file should not import from global_settings
, because thats redundant.
Seeing which settings youve changed
Theres an easy way to view which of your settings deviate from the default settings. The command pythonmanage.py diffsettings
displays differences between the current settings file and Djangos default settings.
For more, see the diffsettings
documentation.
Using settings in Python code
In your Django apps, use settings by importing the object django.conf.settings
. Example:
from django.conf import settings
if settings.DEBUG:
# Do something
Note that django.conf.settings
isnt a module its an object. So importing individual settings is not possible:
from django.conf.settings import DEBUG # This won"t work.
Also note that your code should not import from either global_settings
or your own settings file.django.conf.settings
abstracts the concepts of default settings and site-specific settings; it presents a single interface. It also decouples the code that uses settings from the location of your settings.
Altering settings at runtime
You shouldnt alter settings in your applications at runtime. For example, dont do this in a view:
from django.conf import settings
settings.DEBUG = True # Don"t do this!
The only place you should assign to settings is in a settings file.
Security
Because a settings file contains sensitive information, such as the database password, you should make every attempt to limit access to it. For example, change its file permissions so that only you and your Web servers user can read it. This is especially important in a shared-hosting environment.
Creating your own settings
Theres nothing stopping you from creating your own settings, for your own Django apps. Just follow these conventions:
- Setting names are in all uppercase.
- Dont reinvent an already-existing setting.
For settings that are sequences, Django itself uses tuples, rather than lists, but this is only a convention.
Designating the Settings: DJANGO_SETTINGS_MODULE
When you use Django, you have to tell it which settings youre using. Do this by using an environment variable, DJANGO_SETTINGS_MODULE
.
The value of DJANGO_SETTINGS_MODULE
should be in Python path syntax, e.g. mysite.settings
.
The django-admin utility
When using django-admin, you can either set the environment variable once, or explicitly pass in the settings module each time you run the utility.
Example (Unix Bash shell):
export DJANGO_SETTINGS_MODULE=mysite.settings
django-admin runserver
Example (Windows shell):
set DJANGO_SETTINGS_MODULE=mysite.settings
django-admin runserver
Use the --settings
command-line argument to specify the settings manually:
django-admin runserver --settings=mysite.settings
On the server (mod_wsgi)
In your live server environment, youll need to tell your WSGI application what settings file to use. Do that with os.environ
:
import os
os.environ["DJANGO_SETTINGS_MODULE"] = "mysite.settings"
Read Chapter 22 for more information and other common elements to a Django WSGI application.
Using Settings Without Setting DJANGO_SETTINGS_MODULE
In some cases, you might want to bypass the DJANGO_SETTINGS_MODULE
environment variable. For example, if youre using the template system by itself, you likely dont want to have to set up an environment variable pointing to a settings module.
In these cases, you can configure Djangos settings manually. Do this by calling:
django.conf.settings.
configure
(default_settings, **settings)
Example:
from django.conf import settings
settings.configure(DEBUG=True, TEMPLATE_DEBUG=True)
Pass configure()
as many keyword arguments as youd like, with each keyword argument representing a setting and its value. Each argument name should be all uppercase, with the same name as the settings described above. If a particular setting is not passed to configure()
and is needed at some later point, Django will use the default setting value.
Configuring Django in this fashion is mostly necessary and, indeed, recommended when youre using a piece of the framework inside a larger application.
Consequently, when configured via settings.configure()
, Django will not make any modifications to the process environment variables (see the documentation of TIME_ZONE
for why this would normally occur). Its assumed that youre already in full control of your environment in these cases.
Custom default settings
If youd like default values to come from somewhere other than django.conf.global_settings
, you can pass in a module or class that provides the default settings as the default_settings
argument (or as the first positional argument) in the call to configure()
.
In this example, default settings are taken from myapp_defaults
, and the DEBUG
setting is set to True
, regardless of its value in myapp_defaults
:
from django.conf import settings
from myapp import myapp_defaults
settings.configure(default_settings=myapp_defaults, DEBUG=True)
The following example, which uses myapp_defaults
as a positional argument, is equivalent:
settings.configure(myapp_defaults, DEBUG=True)
Normally, you will not need to override the defaults in this fashion. The Django defaults are sufficiently tame that you can safely use them. Be aware that if you do pass in a new default module, it entirelyreplaces the Django defaults, so you must specify a value for every possible setting that might be used in that code you are importing. Check in django.conf.settings.global_settings
for the full list.
Either configure() or DJANGO_SETTINGS_MODULE is required
If youre not setting the DJANGO_SETTINGS_MODULE
environment variable, you must call configure()
at some point before using any code that reads settings.
If you dont set DJANGO_SETTINGS_MODULE
and dont call configure()
, Django will raise an ImportError
exception the first time a setting is accessed.
If you set DJANGO_SETTINGS_MODULE
, access settings values somehow, then call configure()
, Django will raise aRuntimeError
indicating that settings have already been configured. There is a property just for this purpose:
django.conf.settings.
configured
For example:
from django.conf import settings
if not settings.configured:
settings.configure(myapp_defaults, DEBUG=True)
Also, its an error to call configure()
more than once, or to call configure()
after any setting has been accessed.
It boils down to this: Use exactly one of either configure()
or DJANGO_SETTINGS_MODULE
. Not both, and not neither.
Available Settings
Warning
Be careful when you override settings, especially when the default value is a non-empty list or dictionary, such as MIDDLEWARE_CLASSES
and STATICFILES_FINDERS
. Make sure you keep the components required by the features of Django you wish to use.
Core settings
Heres a list of settings available in Django core and their default values. Settings provided by contrib apps are listed below, followed by a topical index of the core settings.
ABSOLUTE_URL_OVERRIDES
Default: {}
(Empty dictionary)
A dictionary mapping "app_label.model_name"
strings to functions that take a model object and return its URL. This is a way of inserting or overriding get_absolute_url()
methods on a per-installation basis. Example:
ABSOLUTE_URL_OVERRIDES = {
"blogs.weblog": lambda o: "/blogs/%s/" % o.slug,
"news.story": lambda o: "/stories/%s/%s/" % (o.pub_year, o.slug),
}
Note that the model name used in this setting should be all lower-case, regardless of the case of the actual model class name.
ADMINS
Default: []
(Empty list)
A list of all the people who get code error notifications. When DEBUG=False
and a view raises an exception, Django will email these people with the full exception information. Each item in the list should be a tuple of (Full name, email address). Example:
[("John", "john@example.com"), ("Mary", "mary@example.com")]
Note that Django will email all of these people whenever an error happens.
ALLOWED_HOSTS
Default: []
(Empty list)
A list of strings representing the host/domain names that this Django site can serve. This is a security measure to prevent an attacker from poisoning caches and password reset emails with links to malicious hosts by submitting requests with a fake HTTP Host
header, which is possible even under many seemingly-safe web server configurations.
Values in this list can be fully qualified names (e.g. "www.example.com"
), in which case they will be matched against the requests Host
header exactly (case-insensitive, not including port). A value beginning with a period can be used as a subdomain wildcard: ".example.com"
will match example.com
, www.example.com
, and any other subdomain of example.com
. A value of "*"
will match anything; in this case you are responsible to provide your own validation of the Host
header (perhaps in a middleware; if so this middleware must be listed first in MIDDLEWARE_CLASSES
).
Django also allows the fully qualified domain name (FQDN) of any entries. Some browsers include a trailing dot in the Host
header which Django strips when performing host validation.
If the Host
header (or X-Forwarded-Host
if USE_X_FORWARDED_HOST
is enabled) does not match any value in this list, the django.http.HttpRequest.get_host()
method will raise SuspiciousOperation
.
When DEBUG
is True
or when running tests, host validation is disabled; any host will be accepted. Thus its usually only necessary to set it in production.
This validation only applies via get_host()
; if your code accesses the Host
header directly from request.META
you are bypassing this security protection.
APPEND_SLASH
Default: True
When set to True
, if the request URL does not match any of the patterns in the URLconf and it doesnt end in a slash, an HTTP redirect is issued to the same URL with a slash appended. Note that the redirect may cause any data submitted in a POST request to be lost.
The APPEND_SLASH
setting is only used if CommonMiddleware is installed . See also PREPEND_WWW
.
CACHES
Default:
{
"default": {
"BACKEND": "django.core.cache.backends.locmem.LocMemCache",
}
}
A dictionary containing the settings for all caches to be used with Django. It is a nested dictionary whose contents maps cache aliases to a dictionary containing the options for an individual cache.
The CACHES
setting must configure a default
cache; any number of additional caches may also be specified. If you are using a cache backend other than the local memory cache, or you need to define multiple caches, other options will be required. The following cache options are available.
BACKEND
Default: ""
(Empty string)
The cache backend to use. The built-in cache backends are:
"django.core.cache.backends.db.DatabaseCache"
"django.core.cache.backends.dummy.DummyCache"
"django.core.cache.backends.filebased.FileBasedCache"
"django.core.cache.backends.locmem.LocMemCache"
"django.core.cache.backends.memcached.MemcachedCache"
"django.core.cache.backends.memcached.PyLibMCCache"
You can use a cache backend that doesnt ship with Django by setting BACKEND <CACHES-BACKEND>
to a fully-qualified path of a cache backend class (i.e. mypackage.backends.whatever.WhateverCache
).
KEY_FUNCTION
A string containing a dotted path to a function (or any callable) that defines how to compose a prefix, version and key into a final cache key. The default implementation is equivalent to the function:
def make_key(key, key_prefix, version):
return ":".join([key_prefix, str(version), key])
You may use any key function you want, as long as it has the same argument signature.
KEY_PREFIX
Default: ""
(Empty string)
A string that will be automatically included (prepended by default) to all cache keys used by the Django server.
LOCATION
Default: ""
(Empty string)
The location of the cache to use. This might be the directory for a file system cache, a host and port for a memcache server, or simply an identifying name for a local memory cache. e.g.:
CACHES = {
"default": {
"BACKEND": "django.core.cache.backends.filebased.FileBasedCache",
"LOCATION": "/var/tmp/django_cache",
}
}
OPTIONS
Default: None
Extra parameters to pass to the cache backend. Available parameters vary depending on your cache backend.
Some information on available parameters can be found in the Cache Backends documentation. For more information, consult your backend modules own documentation.
TIMEOUT
Default: 300
The number of seconds before a cache entry is considered stale. If the value of this settings is None
, cache entries will not expire.
VERSION
Default: 1
The default version number for cache keys generated by the Django server.
CACHE_MIDDLEWARE_ALIAS
Default: default
The cache connection to use for the cache middleware.
CACHE_MIDDLEWARE_KEY_PREFIX
Default: ""
(Empty string)
A string which will be prefixed to the cache keys generated by the cache middleware. This prefix is combined with the KEY_PREFIX <CACHES-KEY_PREFIX>
setting; it does not replace it.
See Chapter 17 for more information on caching in Django.
CACHE_MIDDLEWARE_SECONDS
Default: 600
The default number of seconds to cache a page for the cache middleware.
See Chapter 17 for more information on caching in Django.
CSRF_COOKIE_AGE
Default: 31449600
(1 year, in seconds)
The age of CSRF cookies, in seconds.
The reason for setting a long-lived expiration time is to avoid problems in the case of a user closing a browser or bookmarking a page and then loading that page from a browser cache. Without persistent cookies, the form submission would fail in this case.
Some browsers (specifically Internet Explorer) can disallow the use of persistent cookies or can have the indexes to the cookie jar corrupted on disk, thereby causing CSRF protection checks to fail (and sometimes intermittently). Change this setting to None
to use session-based CSRF cookies, which keep the cookies in-memory instead of on persistent storage.
CSRF_COOKIE_DOMAIN
Default: None
The domain to be used when setting the CSRF cookie. This can be useful for easily allowing cross-subdomain requests to be excluded from the normal cross site request forgery protection. It should be set to a string such as ".example.com"
to allow a POST request from a form on one subdomain to be accepted by a view served from another subdomain.
Please note that the presence of this setting does not imply that Djangos CSRF protection is safe from cross-subdomain attacks by default – please see the CSRF limitations section.
CSRF_COOKIE_HTTPONLY
Default: False
Whether to use HttpOnly
flag on the CSRF cookie. If this is set to True
, client-side JavaScript will not to be able to access the CSRF cookie.
This can help prevent malicious JavaScript from bypassing CSRF protection. If you enable this and need to send the value of the CSRF token with Ajax requests, your JavaScript will need to pull the value from a hidden CSRF token form input on the page instead of from the cookie.
See SESSION_COOKIE_HTTPONLY
for details on HttpOnly
.
CSRF_COOKIE_NAME
Default: "csrftoken"
The name of the cookie to use for the CSRF authentication token. This can be whatever you want.
CSRF_COOKIE_PATH
Default: "/"
The path set on the CSRF cookie. This should either match the URL path of your Django installation or be a parent of that path.
This is useful if you have multiple Django instances running under the same hostname. They can use different cookie paths, and each instance will only see its own CSRF cookie.
CSRF_COOKIE_SECURE
Default: False
Whether to use a secure cookie for the CSRF cookie. If this is set to True
, the cookie will be marked as secure, which means browsers may ensure that the cookie is only sent under an HTTPS connection.
CSRF_FAILURE_VIEW
Default: "django.views.csrf.csrf_failure"
A dotted path to the view function to be used when an incoming request is rejected by the CSRF protection. The function should have this signature:
def csrf_failure(request, reason="")
where reason
is a short message (intended for developers or logging, not for end users) indicating the reason the request was rejected.
DATABASES
Default: {}
(Empty dictionary)
A dictionary containing the settings for all databases to be used with Django. It is a nested dictionary whose contents maps database aliases to a dictionary containing the options for an individual database.
The DATABASES
setting must configure a default
database; any number of additional databases may also be specified.
The simplest possible settings file is for a single-database setup using SQLite. This can be configured using the following:
DATABASES = {
"default": {
"ENGINE": "django.db.backends.sqlite3",
"NAME": "mydatabase",
}
}
When connecting to other database backends, such as MySQL, Oracle, or PostgreSQL, additional connection parameters will be required. See the ENGINE <DATABASE-ENGINE>
setting below on how to specify other database types. This example is for PostgreSQL:
DATABASES = {
"default": {
"ENGINE": "django.db.backends.postgresql_psycopg2",
"NAME": "mydatabase",
"USER": "mydatabaseuser",
"PASSWORD": "mypassword",
"HOST": "127.0.0.1",
"PORT": "5432",
}
}
The following inner options that may be required for more complex configurations are available:
ATOMIC_REQUESTS
Default: False
Set this to True
to wrap each HTTP request in a transaction on this database.
AUTOCOMMIT
Default: True
Set this to False
if you want to disable Djangos transaction management and implement your own.
ENGINE
Default: ""
(Empty string)
The database backend to use. The built-in database backends are:
"django.db.backends.postgresql_psycopg2"
"django.db.backends.mysql"
"django.db.backends.sqlite3"
"django.db.backends.oracle"
You can use a database backend that doesnt ship with Django by setting ENGINE
to a fully-qualified path (i.e. mypackage.backends.whatever
).
HOST
Default: ""
(Empty string)
Which host to use when connecting to the database. An empty string means localhost. Not used with SQLite.
If this value starts with a forward slash ("/"
) and youre using MySQL, MySQL will connect via a Unix socket to the specified socket. For example:
"HOST": "/var/run/mysql"
If youre using MySQL and this value doesnt start with a forward slash, then this value is assumed to be the host.
If youre using PostgreSQL, by default (empty HOST
), the connection to the database is done through UNIX domain sockets (local lines in pg_hba.conf
). If your UNIX domain socket is not in the standard location, use the same value of unix_socket_directory
from postgresql.conf
. If you want to connect through TCP sockets, set HOST
to localhost or 127.0.0.1 (host lines in pg_hba.conf
). On Windows, you should always define HOST
, as UNIX domain sockets are not available.
NAME
Default: ""
(Empty string)
The name of the database to use. For SQLite, its the full path to the database file. When specifying the path, always use forward slashes, even on Windows (e.g. C:/homes/user/mysite/sqlite3.db
).
CONN_MAX_AGE
Default: 0
The lifetime of a database connection, in seconds. Use 0
to close database connections at the end of each request Djangos historical behavior and None
for unlimited persistent connections.
OPTIONS
Default: {}
(Empty dictionary)
Extra parameters to use when connecting to the database. Available parameters vary depending on your database backend.
Some information on available parameters can be found in the Database Backends documentation. For more information, consult your backend modules own documentation.
PASSWORD
Default: ""
(Empty string)
The password to use when connecting to the database. Not used with SQLite.
PORT
Default: ""
(Empty string)
The port to use when connecting to the database. An empty string means the default port. Not used with SQLite.
USER
Default: ""
(Empty string)
The username to use when connecting to the database. Not used with SQLite.
TEST
Default: {}
A dictionary of settings for test databases. The following entries are available:
CHARSET
Default: None
The character set encoding used to create the test database. The value of this string is passed directly through to the database, so its format is backend-specific.
Supported for the PostgreSQL (postgresql_psycopg2
) and MySQL (mysql
) backends.
COLLATION
Default: None
The collation order to use when creating the test database. This value is passed directly to the backend, so its format is backend-specific.
Only supported for the mysql
backend (see the MySQL manual for details).
DEPENDENCIES
Default: ["default"]
, for all databases other than default
, which has no dependencies.
The creation-order dependencies of the database. MIRROR ^^^^^^
Default: None
The alias of the database that this database should mirror during testing.
This setting exists to allow for testing of primary/replica (referred to as master/slave by some databases) configurations of multiple databases.
NAME
Default: None
The name of database to use when running the test suite.
If the default value (None
) is used with the SQLite database engine, the tests will use a memory resident database. For all other database engines the test database will use the name "test_" + DATABASE_NAME
.
SERIALIZE
Boolean value to control whether or not the default test runner serializes the database into an in-memory JSON string before running tests (used to restore the database state between tests if you dont have transactions). You can set this to False
to speed up creation time if you dont have any test classes with serialized_rollback=True.
CREATE_DB
Default: True
This is an Oracle-specific setting.
If it is set to False
, the test tablespaces wont be automatically created at the beginning of the tests and dropped at the end.
CREATE_USER
Default: True
This is an Oracle-specific setting.
If it is set to False
, the test user wont be automatically created at the beginning of the tests and dropped at the end.
USER
Default: None
This is an Oracle-specific setting.
The username to use when connecting to the Oracle database that will be used when running tests. If not provided, Django will use "test_" + USER
.
PASSWORD
Default: None
This is an Oracle-specific setting.
The password to use when connecting to the Oracle database that will be used when running tests. If not provided, Django will use a hardcoded default value.
TBLSPACE
Default: None
This is an Oracle-specific setting.
The name of the tablespace that will be used when running tests. If not provided, Django will use "test_"+ USER
.
Changed in version 1.8: Previously Django used "test_" + NAME
if not provided.
TBLSPACE_TMP
Default: None
This is an Oracle-specific setting.
The name of the temporary tablespace that will be used when running tests. If not provided, Django will use "test_" + USER + "_temp"
.
Changed in version 1.8: Previously Django used "test_" + NAME + "_temp"
if not provided.
DATAFILE
Default: None
This is an Oracle-specific setting.
The name of the datafile to use for the TBLSPACE. If not provided, Django will use TBLSPACE + ".dbf"
.
DATAFILE_TMP
Default: None
This is an Oracle-specific setting.
The name of the datafile to use for the TBLSPACE_TMP. If not provided, Django will use TBLSPACE_TMP +".dbf"
.
DATAFILE_MAXSIZE
Default: "500M"
This is an Oracle-specific setting.
The maximum size that the DATAFILE is allowed to grow to.
DATAFILE_TMP_MAXSIZE
Default: "500M"
This is an Oracle-specific setting.
The maximum size that the DATAFILE_TMP is allowed to grow to.
DATABASE_ROUTERS
Default: []
(Empty list)
The list of routers that will be used to determine which database to use when performing a database queries.
DATE_FORMAT
Default: "N j, Y"
(e.g. Feb. 4, 2003
)
The default formatting to use for displaying date fields in any part of the system. Note that if USE_L10N
is set to True
, then the locale-dictated format has higher precedence and will be applied instead.
See also DATETIME_FORMAT
, TIME_FORMAT
and SHORT_DATE_FORMAT
.
DATE_INPUT_FORMATS
Default:
[
"%Y-%m-%d", "%m/%d/%Y", "%m/%d/%y", # "2006-10-25", "10/25/2006", "10/25/06"
"%b %d %Y", "%b %d, %Y", # "Oct 25 2006", "Oct 25, 2006"
"%d %b %Y", "%d %b, %Y", # "25 Oct 2006", "25 Oct, 2006"
"%B %d %Y", "%B %d, %Y", # "October 25 2006", "October 25, 2006"
"%d %B %Y", "%d %B, %Y", # "25 October 2006", "25 October, 2006"
]
A list of formats that will be accepted when inputting data on a date field. Formats will be tried in order, using the first valid one. Note that these format strings use Pythons datetime module syntax, not the format strings from the date
Django template tag.
When USE_L10N
is True
, the locale-dictated format has higher precedence and will be applied instead.
See also DATETIME_INPUT_FORMATS
and TIME_INPUT_FORMATS
.
DATETIME_FORMAT
Default: "N j, Y, P"
(e.g. Feb. 4, 2003, 4 p.m.
)
The default formatting to use for displaying datetime fields in any part of the system. Note that if USE_L10N
is set to True
, then the locale-dictated format has higher precedence and will be applied instead.
See also DATE_FORMAT
, TIME_FORMAT
and SHORT_DATETIME_FORMAT
.
DATETIME_INPUT_FORMATS
Default:
[
"%Y-%m-%d %H:%M:%S", # "2006-10-25 14:30:59"
"%Y-%m-%d %H:%M:%S.%f", # "2006-10-25 14:30:59.000200"
"%Y-%m-%d %H:%M", # "2006-10-25 14:30"
"%Y-%m-%d", # "2006-10-25"
"%m/%d/%Y %H:%M:%S", # "10/25/2006 14:30:59"
"%m/%d/%Y %H:%M:%S.%f", # "10/25/2006 14:30:59.000200"
"%m/%d/%Y %H:%M", # "10/25/2006 14:30"
"%m/%d/%Y", # "10/25/2006"
"%m/%d/%y %H:%M:%S", # "10/25/06 14:30:59"
"%m/%d/%y %H:%M:%S.%f", # "10/25/06 14:30:59.000200"
"%m/%d/%y %H:%M", # "10/25/06 14:30"
"%m/%d/%y", # "10/25/06"
]
A list of formats that will be accepted when inputting data on a datetime field. Formats will be tried in order, using the first valid one. Note that these format strings use Pythons datetime module syntax, not the format strings from the date
Django template tag.
When USE_L10N
is True
, the locale-dictated format has higher precedence and will be applied instead.
See also DATE_INPUT_FORMATS
and TIME_INPUT_FORMATS
.
DEBUG
Default: False
A boolean that turns on/off debug mode.
Never deploy a site into production with DEBUG
turned on.
Did you catch that? NEVER deploy a site into production with DEBUG
turned on.
One of the main features of debug mode is the display of detailed error pages. If your app raises an exception when DEBUG
is True
, Django will display a detailed traceback, including a lot of metadata about your environment, such as all the currently defined Django settings (from settings.py
).
As a security measure, Django will not include settings that might be sensitive (or offensive), such asSECRET_KEY
. Specifically, it will exclude any setting whose name includes any of the following:
"API"
"KEY"
"PASS"
"SECRET"
"SIGNATURE"
"TOKEN"
Note that these are partial matches. "PASS"
will also match PASSWORD, just as "TOKEN"
will also match TOKENIZED and so on.
Still, note that there are always going to be sections of your debug output that are inappropriate for public consumption. File paths, configuration options and the like all give attackers extra information about your server.
It is also important to remember that when running with DEBUG
turned on, Django will remember every SQL query it executes. This is useful when youre debugging, but itll rapidly consume memory on a production server.
Finally, if DEBUG
is False
, you also need to properly set the ALLOWED_HOSTS
setting. Failing to do so will result in all requests being returned as Bad Request (400).
DEBUG_PROPAGATE_EXCEPTIONS
Default: False
If set to True, Djangos normal exception handling of view functions will be suppressed, and exceptions will propagate upwards. This can be useful for some test setups, and should never be used on a live site.
DECIMAL_SEPARATOR
Default: "."
(Dot)
Default decimal separator used when formatting decimal numbers.
Note that if USE_L10N
is set to True
, then the locale-dictated format has higher precedence and will be applied instead.
See also NUMBER_GROUPING
, THOUSAND_SEPARATOR
and USE_THOUSAND_SEPARATOR
.
DEFAULT_CHARSET
Default: "utf-8"
Default charset to use for all HttpResponse
objects, if a MIME type isnt manually specified. Used withDEFAULT_CONTENT_TYPE
to construct the Content-Type
header.
DEFAULT_CONTENT_TYPE
Default: "text/html"
Default content type to use for all HttpResponse
objects, if a MIME type isnt manually specified. Used withDEFAULT_CHARSET
to construct the Content-Type
header.
DEFAULT_EXCEPTION_REPORTER_FILTER
Default: django.views.debug.SafeExceptionReporterFilter
Default exception reporter filter class to be used if none has been assigned to the HttpRequest
instance yet.
DEFAULT_FILE_STORAGE
Default: django.core.files.storage.FileSystemStorage
Default file storage class to be used for any file-related operations that dont specify a particular storage system.
DEFAULT_FROM_EMAIL
Default: "webmaster@localhost"
Default email address to use for various automated correspondence from the site manager(s). This doesnt include error messages sent to ADMINS
and MANAGERS
; for that, see SERVER_EMAIL
.
DEFAULT_INDEX_TABLESPACE
Default: ""
(Empty string)
Default tablespace to use for indexes on fields that dont specify one, if the backend supports it.
DEFAULT_TABLESPACE
Default: ""
(Empty string)
Default tablespace to use for models that dont specify one, if the backend supports it.
DISALLOWED_USER_AGENTS
Default: []
(Empty list)
List of compiled regular expression objects representing User-Agent strings that are not allowed to visit any page, systemwide. Use this for bad robots/crawlers. This is only used if CommonMiddleware
is installed.
EMAIL_BACKEND
Default: "django.core.mail.backends.smtp.EmailBackend"
The backend to use for sending emails. For the list of available backends see Appendix H. EMAIL_FILE_PATH
Default: Not defined
The directory used by the file
email backend to store output files.
EMAIL_HOST
Default: "localhost"
The host to use for sending email.
See also EMAIL_PORT
.
EMAIL_HOST_PASSWORD
Default: ""
(Empty string)
Password to use for the SMTP server defined in EMAIL_HOST
. This setting is used in conjunction withEMAIL_HOST_USER
when authenticating to the SMTP server. If either of these settings is empty, Django wont attempt authentication.
See also EMAIL_HOST_USER
.
EMAIL_HOST_USER
Default: ""
(Empty string)
Username to use for the SMTP server defined in EMAIL_HOST
. If empty, Django wont attempt authentication.
See also EMAIL_HOST_PASSWORD
.
EMAIL_PORT
Default: 25
Port to use for the SMTP server defined in EMAIL_HOST
.
EMAIL_SUBJECT_PREFIX
Default: "[Django] "
Subject-line prefix for email messages sent with django.core.mail.mail_admins
ordjango.core.mail.mail_managers
. Youll probably want to include the trailing space.
EMAIL_USE_TLS
Default: False
Whether to use a TLS (secure) connection when talking to the SMTP server. This is used for explicit TLS connections, generally on port 587. If you are experiencing hanging connections, see the implicit TLS setting EMAIL_USE_SSL
.
EMAIL_USE_SSL
Default: False
Whether to use an implicit TLS (secure) connection when talking to the SMTP server. In most email documentation this type of TLS connection is referred to as SSL. It is generally used on port 465. If you are experiencing problems, see the explicit TLS setting EMAIL_USE_TLS
.
Note that EMAIL_USE_TLS
/EMAIL_USE_SSL
are mutually exclusive, so only set one of those settings to True
.
EMAIL_SSL_CERTFILE
Default: None
If EMAIL_USE_SSL
or EMAIL_USE_TLS
is True
, you can optionally specify the path to a PEM-formatted certificate chain file to use for the SSL connection.
EMAIL_SSL_KEYFILE
Default: None
If EMAIL_USE_SSL
or EMAIL_USE_TLS
is True
, you can optionally specify the path to a PEM-formatted private key file to use for the SSL connection.
Note that setting EMAIL_SSL_CERTFILE
and EMAIL_SSL_KEYFILE
doesnt result in any certificate checking. Theyre passed to the underlying SSL connection. Please refer to the documentation of Pythonspython:ssl.wrap_socket()
function for details on how the certificate chain file and private key file are handled.
EMAIL_TIMEOUT
Default: None
Specifies a timeout in seconds for blocking operations like the connection attempt.
FILE_CHARSET
Default: "utf-8"
The character encoding used to decode any files read from disk. This includes template files and initial SQL data files.
FILE_UPLOAD_HANDLERS
Default:
["django.core.files.uploadhandler.MemoryFileUploadHandler",
"django.core.files.uploadhandler.TemporaryFileUploadHandler"]
A list of handlers to use for uploading. Changing this setting allows complete customization even replacement of Djangos upload process.
FILE_UPLOAD_MAX_MEMORY_SIZE
Default: 2621440
(i.e. 2.5 MB).
The maximum size (in bytes) that an upload will be before it gets streamed to the file system.
FILE_UPLOAD_DIRECTORY_PERMISSIONS
Default: None
The numeric mode to apply to directories created in the process of uploading files.
This setting also determines the default permissions for collected static directories when using thecollectstatic
management command. See collectstatic
for details on overriding it.
This value mirrors the functionality and caveats of the FILE_UPLOAD_PERMISSIONS
setting.
FILE_UPLOAD_PERMISSIONS
Default: None
The numeric mode (i.e. 0o644
) to set newly uploaded files to. For more information about what these modes mean, see the documentation for os.chmod()
.
If this isnt given or is None
, youll get operating-system dependent behavior. On most platforms, temporary files will have a mode of 0o600
, and files saved from memory will be saved using the systems standard umask.
For security reasons, these permissions arent applied to the temporary files that are stored inFILE_UPLOAD_TEMP_DIR
.
This setting also determines the default permissions for collected static files when using the collectstatic
management command. See collectstatic
for details on overriding it.
Warning
Always prefix the mode with a 0.
If youre not familiar with file modes, please note that the leading 0
is very important: it indicates an octal number, which is the way that modes must be specified. If you try to use 644
, youll get totally incorrect behavior.
FILE_UPLOAD_TEMP_DIR
Default: None
The directory to store data (typically files larger than FILE_UPLOAD_MAX_MEMORY_SIZE
) temporarily while uploading files. If None
, Django will use the standard temporary directory for the operating system. For example, this will default to /tmp
on *nix-style operating systems.
FIRST_DAY_OF_WEEK
Default: 0
(Sunday)
Number representing the first day of the week. This is especially useful when displaying a calendar. This value is only used when not using format internationalization, or when a format cannot be found for the current locale.
The value must be an integer from 0 to 6, where 0 means Sunday, 1 means Monday and so on.
FIXTURE_DIRS
Default: []
(Empty list)
List of directories searched for fixture files, in addition to the fixtures
directory of each application, in search order.
Note that these paths should use Unix-style forward slashes, even on Windows.
FORCE_SCRIPT_NAME
Default: None
If not None
, this will be used as the value of the SCRIPT_NAME
environment variable in any HTTP request. This setting can be used to override the server-provided value of SCRIPT_NAME
, which may be a rewritten version of the preferred value or not supplied at all.
FORMAT_MODULE_PATH
Default: None
A full Python path to a Python package that contains format definitions for project locales. If not None
, Django will check for a formats.py
file, under the directory named as the current locale, and will use the formats defined on this file.
For example, if FORMAT_MODULE_PATH
is set to mysite.formats
, and current language is en
(English), Django will expect a directory tree like:
mysite/
formats/
__init__.py
en/
__init__.py
formats.py
You can also set this setting to a list of Python paths, for example:
FORMAT_MODULE_PATH = [
"mysite.formats",
"some_app.formats",
]
When Django searches for a certain format, it will go through all given Python paths until it finds a module that actually defines the given format. This means that formats defined in packages farther up in the list will take precedence over the same formats in packages farther down.
Available formats are DATE_FORMAT
, TIME_FORMAT
, DATETIME_FORMAT
, YEAR_MONTH_FORMAT
, MONTH_DAY_FORMAT
,SHORT_DATE_FORMAT
, SHORT_DATETIME_FORMAT
, FIRST_DAY_OF_WEEK
, DECIMAL_SEPARATOR
, THOUSAND_SEPARATOR
andNUMBER_GROUPING
.
IGNORABLE_404_URLS
Default: []
(Empty list)
List of compiled regular expression objects describing URLs that should be ignored when reporting HTTP 404 errors via email. Regular expressions are matched against request"s full paths
(including query string, if any). Use this if your site does not provide a commonly requested file such as favicon.ico
or robots.txt
, or if it gets hammered by script kiddies.
This is only used if BrokenLinkEmailsMiddleware
is enabled.
INSTALLED_APPS
Default: []
(Empty list)
A list of strings designating all applications that are enabled in this Django installation. Each string should be a dotted Python path to:
- an application configuration class, or
- a package containing a application.
Learn more about application configurations .
Use the application registry for introspection
Your code should never access INSTALLED_APPS
directly. Use django.apps.apps
instead.
Application names and labels must be unique in INSTALLED_APPS
Application names
the dotted Python path to the application package must be unique. There is no way to include the same application twice, short of duplicating its code under another name.
Application labels
by default the final part of the name must be unique too. For example, you cant include both django.contrib.auth
and myproject.auth
. However, you can relabel an application with a custom configuration that defines a different label
.
These rules apply regardless of whether INSTALLED_APPS
references application configuration classes on application packages.
When several applications provide different versions of the same resource (template, static file, management command, translation), the application listed first in INSTALLED_APPS
has precedence.
INTERNAL_IPS
Default: []
(Empty list)
A list of IP addresses, as strings, that:
- See debug comments, when
DEBUG
isTrue
- Receive X headers in admindocs if the
XViewMiddleware
is installed.
LANGUAGE_CODE
Default: "en-us"
A string representing the language code for this installation. This should be in standard language ID format. For example, U.S. English is "en-us"
.
USE_I18N
must be active for this setting to have any effect.
It serves two purposes:
- If the locale middleware isnt in use, it decides which translation is served to all users.
- If the locale middleware is active, it provides the fallback translation when no translation exist for a given literal to the users preferred language.
LANGUAGE_COOKIE_AGE
Default: None
(expires at browser close)
The age of the language cookie, in seconds.
LANGUAGE_COOKIE_DOMAIN
Default: None
The domain to use for the language cookie. Set this to a string such as ".example.com"
(note the leading dot!) for cross-domain cookies, or use None
for a standard domain cookie.
Be cautious when updating this setting on a production site. If you update this setting to enable cross-domain cookies on a site that previously used standard domain cookies, existing user cookies that have the old domain will not be updated. This will result in site users being unable to switch the language as long as these cookies persist. The only safe and reliable option to perform the switch is to change the language cookie name permanently (via the LANGUAGE_COOKIE_NAME
setting) and to add a middleware that copies the value from the old cookie to a new one and then deletes the old one.
LANGUAGE_COOKIE_NAME
Default: "django_language"
The name of the cookie to use for the language cookie. This can be whatever you want (but should be different from SESSION_COOKIE_NAME
). LANGUAGE_COOKIE_PATH
Default: /
The path set on the language cookie. This should either match the URL path of your Django installation or be a parent of that path.
This is useful if you have multiple Django instances running under the same hostname. They can use different cookie paths and each instance will only see its own language cookie.
Be cautious when updating this setting on a production site. If you update this setting to use a deeper path than it previously used, existing user cookies that have the old path will not be updated. This will result in site users being unable to switch the language as long as these cookies persist. The only safe and reliable option to perform the switch is to change the language cookie name permanently (via theLANGUAGE_COOKIE_NAME
setting), and to add a middleware that copies the value from the old cookie to a new one and then deletes the one.
LANGUAGES
Default: A list of all available languages. This list is continually growing and including a copy here would inevitably become rapidly out of date. You can see the current list of translated languages by looking indjango/conf/global_settings.py
(or view the online source).
The list is a list of two-tuples in the format (language code
, language name
) for example, ("ja", "Japanese")
. This specifies which languages are available for language selection. Generally, the default value should suffice. Only set this setting if you want to restrict language selection to a subset of the Django-provided languages.
If you define a custom LANGUAGES
setting, you can mark the language names as translation strings using theugettext_lazy()
function.
Heres a sample settings file:
from django.utils.translation import ugettext_lazy as _
LANGUAGES = [
("de", _("German")),
("en", _("English")),
]
LOCALE_PATHS
Default: []
(Empty list)
A list of directories where Django looks for translation files.
Example:
LOCALE_PATHS = [
"/home/www/project/common_files/locale",
"/var/local/translations/locale",
]
Django will look within each of these paths for the <locale_code>/LC_MESSAGES
directories containing the actual translation files.
LOGGING
Default: A logging configuration dictionary.
A data structure containing configuration information. The contents of this data structure will be passed as the argument to the configuration method described in LOGGING_CONFIG
.
Among other things, the default logging configuration passes HTTP 500 server errors to an email log handler when DEBUG
is False
. You can see the default logging configuration by looking indjango/utils/log.py
(or view the online source).
LOGGING_CONFIG
Default: "logging.config.dictConfig"
A path to a callable that will be used to configure logging in the Django project. Points at a instance of Pythons dictConfig configuration method by default.
If you set LOGGING_CONFIG
to None
, the logging configuration process will be skipped.
MANAGERS
Default: []
(Empty list)
A list in the same format as ADMINS
that specifies who should get broken link notifications whenBrokenLinkEmailsMiddleware
is enabled.
MEDIA_ROOT
Default: ""
(Empty string)
Absolute filesystem path to the directory that will hold user-uploaded files.
Example: "/var/www/example.com/media/"
See also MEDIA_URL
.
Warning
MEDIA_ROOT
and STATIC_ROOT
must have different values. Before STATIC_ROOT
was introduced, it was common to rely or fallback on MEDIA_ROOT
to also serve static files; however, since this can have serious security implications, there is a validation check to prevent it.
MEDIA_URL
Default: ""
(Empty string)
URL that handles the media served from MEDIA_ROOT
, used for managing stored files . It must end in a slash if set to a non-empty value. You will need to configure these files to be served in both development and production.
If you want to use {{ MEDIA_URL }}
in your templates, add "django.template.context_processors.media"
in the"context_processors"
option of TEMPLATES
.
Example: "http://media.example.com/"
Warning
There are security risks if you are accepting uploaded content from untrusted users! See Chapter 21 for mitigation details.
Warning
MEDIA_URL
and STATIC_URL
must have different values. See MEDIA_ROOT
for more details.
MIDDLEWARE_CLASSES
Default:
["django.middleware.common.CommonMiddleware",
"django.middleware.csrf.CsrfViewMiddleware"]
A list of middleware classes to use. See Chapter 19.
MIGRATION_MODULES
Default:
{} # empty dictionary
A dictionary specifying the package where migration modules can be found on a per-app basis. The default value
- 文章导航