2

在我的 settings.py 文件的末尾,我有:

try:
    from local_settings import *
except ImportError:
    pass

然后我有一个 local_settings.py 文件,其中有一些数据库设置等。在这个文件中,我还想做以下事情(为了使用 django_debug_toolbar):

INTERNAL_IPS = ('127.0.0.1',)
MIDDLEWARE_CLASSES += ('debug_toolbar.middleware.DebugToolbarMiddleware',)
INSTALLED_APPS += ('debug_toolbar',)

我想把这些设置放在这里,这样它们就不会出现在使用主 settings.py 文件的生产环境中,但是这个文件当然不能访问原始设置,因为它不知道设置。 py。如何避免潜在的循环导入以实现我想要做的事情?

4

2 回答 2

3

你不能这样做。导入的模块在它自己的范围内执行,并且无法知道它在哪里(以及是否)以任何方式导入。另一种方法是这样的:

在您的 local_settings 中:

INTERNAL_IPS = ('127.0.0.1',)
MIDDLEWARE_CLASSES = ('debug_toolbar.middleware.DebugToolbarMiddleware',)
INSTALLED_APPS = ('debug_toolbar',)

在主要的 settings.py

try:
    import local_settings as local
    has_local = True
except ImportError:
    has_local = False

# ...
if has_local:
    MIDDLEWARE_CLASSES += local.MIDDLEWARE_CLASSES
于 2011-11-21T23:30:59.627 回答
3

我使用一种方法,其中我的设置​​实际上是一个包而不是模块

settings/ init .py base.py local.py #这个在.gitignore

初始化.py:

from setings import *
try:
    from local.py import *
except ImportError:
    pass

基础.py:

import os
DEBUG = False
TEMPLATE_DEBUG = DEBUG

SITE_ROOT = os.path.join( os.path.dirname( os.path.realpath(__file__) ) ,'..' )

ADMINS = (
    # ('Your Name', 'your_email@example.com'),
)

MANAGERS = ADMINS

DATABASES = {
    'default': {
        'ENGINE': 'django.db.backends.', # Add 'postgresql_psycopg2', 'postgresql', 'mysql', 'sqlite3' or 'oracle'.
        'NAME': '',                      # Or path to database file if using sqlite3.
        'USER': '',                      # Not used with sqlite3.
        'PASSWORD': '',                  # Not used with sqlite3.
        'HOST': '',                      # Set to empty string for localhost. Not used with sqlite3.
        'PORT': '',                      # Set to empty string for default. Not used with sqlite3.
    }
    }

etc...

本地.py:

from settings import settings as PROJECT_DEFAULT

PREPEND_WWW = False
DEBUG = True
TEMPLATE_DEBUG = DEBUG

DATABASES = {
    'default': {
        'ENGINE': 'django.db.backends.postgresql_pyscopg2', # Add 'postgresql_psycopg2', 'postgresql', 'mysql', 'sqlite3' or 'oracle'.
        'NAME': 'somesecretname',                      # Or path to database file if using sqlite3.
        'USER': 'somesecretuser',                      # Not used with sqlite3.
        'PASSWORD': 'somesecretpassword',                  # Not used with sqlite3.
        'HOST': '',                      # Set to empty string for localhost. Not used with sqlite3.
        'PORT': '',                      # Set to empty string for default. Not used with sqlite3.
    }
}

INSTALLED_APPS += PROJECT_DEFAULT.INSTALLED_APPS + ('debug_toolbar',)

你可以在这里看到一个例子

于 2011-11-22T16:31:03.683 回答