[Django]-How do you use python-decouple to load a .env file outside the expected paths?

53πŸ‘

βœ…

I figured it out.

Instead of importing decouple.config and doing the usual config('FOOBAR'), create a new decouple.Config object using RepositoryEnv('/path/to/env-file').

from decouple import Config, RepositoryEnv

DOTENV_FILE = '/opt/envs/my-project/.env'
env_config = Config(RepositoryEnv(DOTENV_FILE))

# use the Config().get() method as you normally would since 
# decouple.config uses that internally. 
# i.e. config('SECRET_KEY') = env_config.get('SECRET_KEY')
SECRET_KEY = env_config.get('SECRET_KEY')

Hopefully this helps someone.

πŸ‘€John Adjei

22πŸ‘

If you look at the decouple implementation, config is just a pre-instantiated AutoConfig:

config = AutoConfig()

But AutoConfig takes as optional argument search_path so we can do the following:

from decouple import AutoConfig
config = AutoConfig(search_path='/opt/envs/my-project')

Then you can do as usual:

secret_key = config('SECRET_KEY')
πŸ‘€Mile Cilic

2πŸ‘

Now, django-decouple==2.1 supports having settings.ini and .env files in any parent directory of the project dir.

(And the old methods don’t work anymore. – from decouple import Config, RepositoryEnv does not work, AutoConfig does not have search_path as parameter.)

This is convenient because you would want to keep the settings.ini in the project folder on your local machine and you would want to have clean checkouts on the staging/prod server, thus the settings.ini is better located outside the project folder.

UPDATE:

I would still explicitly define the location of the settings file.
(I’m currently using python-decouple==3.8)

from decouple import Config, RepositoryEnv
from os.path import join
from mysite import BASE_DIR
config = Config(RepositoryEnv(join(BASE_DIR, 'settings.ini')))

DEBUG = config('DEBUG', cast=bool)
secret_key = config('SECRET_KEY')

Leave a comment