Python pattern for sharing configuration throughout application Python pattern for sharing configuration throughout application python python

Python pattern for sharing configuration throughout application


You could just:

import config

and have a global config module


excerpts from my comments:

You can always add special rules for odd situations by just saying oddValue if isOddSituation() else config.normalValue.

If you want to have configuration modules be hierarchically subclassable (like my other answer describes), then you can represent a config as a class, or you can use the copy module and make a shallow copy and modify it, or you can use a "config dictionary", e.g.:

import config as baseConfigconfig = dict(baseConfig, overriddenValue=etc)

It doesn't really matter too much which scope you're in.


Answering old question:

Just use dependency injection as suggested by @Reed Copsey here. E.g.

class MyClass:    def __init__(myConfig):        self.myConfig = myConfig        ...    def foo():        self.myConfig.getConfig(key)        ...        self.myConfig.setConfig(key,val)        ......# myConfig is your configuration management Module/Classobj = SomeClass(myConfig)


I think by 'module', you are actually referring to a 'class/object'. An object is an instance of a class, for example:

class MyClass(object):    def __init__(self, ...):        ...    ...myObject = MyClass()

A module is a .py file you import, like so:

import mymodule

It seems unlikely that all the classes you instantiate would want to have access to a global configuration. However if you really need everything in your application to have access to some global parameters, you can put them in your own config module:

myParam1 = 1myParam2 = 2

and then from any module or any object or anywhere really, as long as you did import config, you could just say print(config.myParam1)

Alternatively if you want a large hierarchy of objects to all share access to the same property, you don't need to refer to it via manually setting a self.parent. As long as you use inheritance, you can do stuff like:

class Parent(object):    def __init__(self, theConfig):        self.theConfig = theConfigclass Child(Parent):    ...    def method(self,...):        print(self.theConfig)