API

This is the API of functions and classes in Everett.

Configuration things:

Utility functions:

Configuration environments:

Errors:

Parsers:

everett

Everett is a Python library for configuration.

exception everett.ConfigurationError

Configuration error base class.

exception everett.InvalidKeyError

Error that indicates the key is not valid for this component.

exception everett.DetailedConfigurationError(msg, namespace, key, parser)

Base class for configuration errors that have a msg, namespace, key, and parser.

Parameters
  • msg (str) –

  • namespace (Optional[List[str]]) –

  • key (str) –

  • parser (Callable) –

exception everett.ConfigurationMissingError(msg, namespace, key, parser)

Error that indicates that required configuration is missing.

Parameters
  • msg (str) –

  • namespace (Optional[List[str]]) –

  • key (str) –

  • parser (Callable) –

exception everett.InvalidValueError(msg, namespace, key, parser)

Error that indicates that the value is not valid.

Parameters
  • msg (str) –

  • namespace (Optional[List[str]]) –

  • key (str) –

  • parser (Callable) –

everett.manager

Contains configuration infrastructure.

This module contains the configuration classes and functions for deriving configuration values from specified sources in the order specified.

everett.manager.qualname(thing)

Return the Python dotted name for a given thing.

>>> import everett.manager
>>> qualname(str)
'str'
>>> qualname(everett.manager.parse_class)
'everett.manager.parse_class'
>>> qualname(everett.manager)
'everett.manager'
Parameters

thing (Any) – the thing to get the qualname from

Returns

the Python dotted name

Return type

str

everett.manager.build_msg(namespace, key, parser, msg='', option_doc='', config_doc='')

Builds a message for a configuration error exception

Parameters
  • namespace (Optional[List[str]]) – list of strings or None that represent the configuration variable namespace

  • key (str) – the configuration variable key

  • parser (Callable) – the parser that will be used to parse the value for this configuration variable

  • msg (str) – the error message

  • option_doc (str) – the configuration option documentation

  • config_doc (str) – the ConfigManager documentation

Returns

the error message string

Return type

str

class everett.manager.Option(default=NO_VALUE, alternate_keys=None, doc='', parser=<class 'str'>, meta=None)

Settings for a single configuration option.

Parameters
  • default (Union[str, everett.NoValue]) – the default value (if any); this must be a string that is parseable by the specified parser; if no default is provided, this will raise an error or return everett.NO_VALUE depending on the value of raise_error

  • alternate_keys (Optional[List[str]]) –

    the list of alternate keys to look up; supports a root: key prefix which will cause this to look at the configuration root rather than the current namespace

    New in version 0.3.

  • doc (str) –

    documentation for this config option

    New in version 0.6.

  • parser (Callable) – the parser for converting this value to a Python object

  • meta (Any) – any meta information that’s tied to this option; useful for noting which options are related in some way or which are secrets that shouldn’t be logged

everett.manager.get_config_for_class(cls)

Roll up configuration options for this class and parent classes.

This handles subclasses overriding configuration options in parent classes.

Parameters

cls (Type) – the component class to return configuration options for

Returns

final dict of configuration options for this class in key -> (option, cls) form

Return type

Dict[str, Tuple[everett.manager.Option, Type]]

everett.manager.traverse_tree(instance, namespace=None)

Traverses a tree of objects and computes the configuration for it

Note: This expects the tree not to have any loops or repeated nodes.

Parameters
  • instance (Any) – the component to traverse

  • namespace (Optional[List[str]]) – the list of strings forming the namespace or None

Returns

list of (namespace, key, value, option, component)

Return type

Iterable[Tuple[List[str], str, everett.manager.Option, Any]]

everett.manager.parse_bool(val)

Parse a bool value.

Handles a series of values, but you should probably standardize on “true” and “false”.

>>> parse_bool("y")
True
>>> parse_bool("FALSE")
False
Parameters

val (str) –

Return type

bool

everett.manager.parse_env_file(envfile)

Parse the content of an iterable of lines as .env.

Return a dict of config variables.

>>> parse_env_file(["DUDE=Abides"])
{'DUDE': 'Abides'}
Parameters

envfile (Iterable[str]) –

Return type

Dict

everett.manager.parse_class(val)

Parse a string, imports the module and returns the class.

>>> parse_class("everett.manager.Option")
<class 'everett.manager.Option'>
Parameters

val (str) –

Return type

Any

everett.manager.get_parser(parser)

Return a parsing function for a given parser.

Parameters

parser (Callable) –

Return type

Callable

everett.manager.listify(thing)

Convert thing to a list.

If thing is a string, then returns a list of thing. Otherwise returns thing.

Parameters

thing (Any) – string or list of things

Returns

list

Return type

List[Any]

everett.manager.generate_uppercase_key(key, namespace=None)

Given a key and a namespace, generates a final uppercase key.

>>> generate_uppercase_key("foo")
'FOO'
>>> generate_uppercase_key("foo", ["namespace"])
'NAMESPACE_FOO'
>>> generate_uppercase_key("foo", ["namespace", "subnamespace"])
'NAMESPACE_SUBNAMESPACE_FOO'
Parameters
  • key (str) –

  • namespace (Optional[List[str]]) –

Return type

str

everett.manager.get_key_from_envs(envs, key)

Return the value of a key from the given dict respecting namespaces.

Data can also be a list of data dicts.

Parameters
  • envs (Iterable[Any]) –

  • key (str) –

Return type

Union[str, everett.NoValue]

class everett.manager.ListOf(parser, delimiter=',')

Parse a comma-separated list of things.

>>> ListOf(str)('')
[]
>>> ListOf(str)('a,b,c,d')
['a', 'b', 'c', 'd']
>>> ListOf(int)('1,2,3,4')
[1, 2, 3, 4]

Note: This doesn’t handle quotes or backslashes or any complicated string parsing.

For example:

>>> ListOf(str)('"a,b",c,d')
['"a', 'b"', 'c', 'd']
Parameters
  • parser (Callable) –

  • delimiter (str) –

class everett.manager.ConfigOverrideEnv

Override configuration layer for testing.

get(key, namespace=None)

Retrieve value for key.

Parameters
  • key (str) –

  • namespace (Optional[List[str]]) –

Return type

Union[str, everett.NoValue]

class everett.manager.ConfigObjEnv(obj, force_lower=True)

Source for pulling configuration values out of a Python object.

This is handy for a few weird situations. For example, you can use this to “bridge” Everett configuration with command line arguments. The argparse Namespace works fine here.

Namespace (the Everett one–not the argparse one) is prefixed. So key “foo” in namespace “bar” is “foo_bar”.

For example:

import argparse

from everett.manager import ConfigObjEnv, ConfigManager

parser = argparse.ArgumentParser()
parser.add_argument(
    "--debug", help="to debug or not to debug"
)
parsed_vals = parser.parse_known_args()[0]

config = ConfigManager([
    ConfigObjEnv(parsed_vals)
])

print config("debug", parser=bool)

Keys are not case-sensitive–everything is converted to lowercase before pulling it from the object.

Note

ConfigObjEnv has nothing to do with the library configobj.

New in version 0.6.

Parameters
  • obj (Any) –

  • force_lower (bool) –

get(key, namespace=None)

Retrieve value for key.

Parameters
  • key (str) –

  • namespace (Optional[List[str]]) –

Return type

Union[str, everett.NoValue]

class everett.manager.ConfigDictEnv(cfg)

Source for pulling configuration out of a dict.

This is handy for testing. You might also use it if you wanted to move all your defaults values into one centralized place.

Keys are prefixed by namespaces and the whole thing is uppercased.

For example, namespace “bar” for key “foo” becomes BAR_FOO in the dict.

For example:

from everett.manager import ConfigDictEnv, ConfigManager

config = ConfigManager([
    ConfigDictEnv({
        "FOO_BAR": "someval",
        "BAT": "1",
    })
])

Keys are not case sensitive. This also works:

from everett.manager import ConfigDictEnv, ConfigManager

config = ConfigManager([
    ConfigDictEnv({
        "foo_bar": "someval",
        "bat": "1",
    })
])

print config("foo_bar")
print config("FOO_BAR")
print config.with_namespace("foo")("bar")

Also, ConfigManager has a convenience classmethod for creating a ConfigManager with just a dict environment:

from everett.manager import ConfigManager

config = ConfigManager.from_dict({
    "FOO_BAR": "bat"
})

Changed in version 0.3: Keys are no longer case-sensitive.

Parameters

cfg (Dict) –

get(key, namespace=None)

Retrieve value for key.

Parameters
  • key (str) –

  • namespace (Optional[List[str]]) –

Return type

Union[str, everett.NoValue]

class everett.manager.ConfigEnvFileEnv(possible_paths)

Source for pulling configuration out of .env files.

This source lets you specify configuration in an .env file. This is useful for local development when in production you use values in environment variables.

Keys are prefixed by namespaces and the whole thing is uppercased.

For example, key “foo” will be FOO in the file.

For example, namespace “bar” for key “foo” becomes BAR_FOO in the file.

Key and namespace can consist of alphanumeric characters and _.

To use, instantiate and toss in the source list:

from everett.manager import ConfigEnvFileEnv, ConfigManager

config = ConfigManager([
    ConfigEnvFileEnv('.env')
])

For multiple paths:

from everett.manager import ConfigEnvFileEnv, ConfigManager

config = ConfigManager([
    ConfigEnvFileEnv([
        '.env',
        'config/prod.env'
    ])
])

Here’s an example .env file:

DEBUG=true

# secrets
SECRET_KEY=ou812

# database setup
DB_HOST=localhost
DB_PORT=5432
Parameters

possible_paths (Union[str, List[str]]) –

get(key, namespace=None)

Retrieve value for key.

Parameters
  • key (str) –

  • namespace (Optional[List[str]]) –

Return type

Union[str, everett.NoValue]

class everett.manager.ConfigOSEnv

Source for pulling configuration out of the environment.

This source lets you specify configuration in the environment. This is useful for infrastructure related configuration like usernames and ports and secret configuration like passwords.

Keys are prefixed by namespaces and the whole thing is uppercased.

For example, key “foo” will be FOO in the environment.

For example, namespace “bar” for key “foo” becomes BAR_FOO in the environment.

Key and namespace can consist of alphanumeric characters and _.

Note

Unlike other config environments, this one is case sensitive in that keys defined in the environment must be all uppercase.

For example, these are good:

FOO=bar
FOO_BAR=bar
FOO_BAR1=bar

This is bad:

foo=bar

To use, instantiate and toss in the source list:

from everett.manager import ConfigOSEnv, ConfigManager

config = ConfigManager([
    ConfigOSEnv()
])
get(key, namespace=None)

Retrieve value for key.

Parameters
  • key (str) –

  • namespace (Optional[List[str]]) –

Return type

Union[str, everett.NoValue]

class everett.manager.ConfigManagerBase

Base configuration manager class.

get_namespace()

Retrieve the complete namespace for this config object.

Returns

namespace as a list of strings

Return type

List[str]

with_options(component)

Apply options component options to this configuration.

Parameters

component (Any) –

Return type

everett.manager.ConfigManagerBase

with_namespace(namespace)

Apply namespace to this configuration.

Parameters

namespace (str) –

Return type

everett.manager.ConfigManagerBase

everett.manager.get_runtime_config(config, component, traverse=<function traverse_tree>)

Returns configuration specification and values for a component tree

For example, if you had a tree of components instantiated, you could traverse the tree and log the configuration:

from everett.manager import (
    ConfigManager,
    generate_uppercase_key,
    get_runtime_config,
    Option,
    parse_class,
)

class App:
    class Config:
        debug = Option(default="False", parser=bool)
        reader = Option(parser=parse_class)
        writer = Option(parser=parse_class)

    def __init__(self, config):
        self.config = config.with_options(self)

        # App has a reader and a writer each of which has configuration
        # options
        self.reader = self.config("reader")(config.with_namespace("reader"))
        self.writer = self.config("writer")(config.with_namespace("writer"))

class Reader:
    class Config:
        input_file = Option()

    def __init__(self, config):
        self.config = config.with_options(self)

class Writer:
    class Config:
        output_file = Option()

    def __init__(self, config):
        self.config = config.with_options(self)

cm = ConfigManager.from_dict(
    {
        # This specifies which reader component to use. Because we
        # specified this one, we need to define a READER_INPUT_FILE
        # value.
        "READER": "__main__.Reader",
        "READER_INPUT_FILE": "input.txt",

        # Same thing for the writer component.
        "WRITER": "__main__.Writer",
        "WRITER_OUTPUT_FILE": "output.txt",
    }
)

my_app = App(cm)

# This traverses the component tree starting with my_app and then
# traversing .reader and .writer attributes.
for namespace, key, value, option in get_runtime_config(cm, my_app):
    full_key = generate_uppercase_key(key, namespace)
    print(f"{full_key.upper()}={value or ''}")

# This should print out:
# DEBUG=False
# READER=__main__.Reader
# READER_INPUT_FILE=input.txt
# WRITER=__main__.Writer
# WRITER_OUTPUT_FILE=output.txt
Parameters
Returns

a list of (namespace, key, value, option) tuples

Return type

List[Tuple[List[str], str, Any, everett.manager.Option]]

class everett.manager.BoundConfig(config, component_name, options)

Wrap a config and binds it to a set of options.

This restricts the config to only return keys from the option set. Further, it uses the option set to determine the default and the parser for that option.

This is useful for binding configuration to a component’s specified options.

Parameters
get_namespace()

Retrieve the complete namespace for this config object.

Returns

namespace as a list of strings

Return type

List[str]

class everett.manager.NamespacedConfig(config, namespace)

Apply a namespace to a config.

This restricts keys in a config to those belonging to the specified namespace.

Parameters
get_namespace()

Retrieve the complete namespace for this config object.

Returns

namespace as a list of strings

Return type

List[str]

class everett.manager.ConfigManager(environments, doc='', msg_builder=<function build_msg>, with_override=True)

Manage multiple configuration environment layers.

Instantiate a ConfigManager.

Parameters
  • environments (List[Any]) – list of configuration sources to look through in the order they should be looked through

  • doc (str) –

    help text printed to users when they encounter configuration errors

    New in version 0.6.

  • msg_builder (Callable) –

    function that takes arguments and builds an exception message intended to be printed or conveyed to the user

    For example:

    def build_msg(namespace, key, parser, msg="", option_doc="", config_doc=""):
        full_key = namespace or []
        full_key = "_".join(full_key + [key]).upper()
    
        return (
            f"{full_key} requires a value parseable by {qualname(parser)}\n"
            + option_doc + "\n"
            + config_doc + "\n"
        )
    

  • with_override (bool) – whether or not to insert the special override environment used for testing as the first environment in the list of sources

classmethod basic_config(env_file='.env', doc='')

Return a basic ConfigManager.

This sets up a ConfigManager that will look for configuration in this order:

  1. environment

  2. specified env_file defaulting to .env

This is for a fast one-line opinionated setup.

Example:

from everett.manager import ConfigManager

config = ConfigManager.basic_config()

This is shorthand for:

config = ConfigManager(
    environments=[
        ConfigOSEnv(),
        ConfigEnvFileEnv(['.env'])
    ]
)
Parameters
  • env_file (str) – the name of the env file to use

  • doc (str) – help text printed to users when they encounter configuration errors

Returns

a everett.manager.ConfigManager

Return type

everett.manager.ConfigManager

classmethod from_dict(dict_config)

Create a ConfigManager with specified configuration as a Python dict.

This is shorthand for:

config = ConfigManager([ConfigDictEnv(dict_config)])

This is handy for writing tests for the app you’re using Everett in.

Parameters

dict_config (Dict) – Python dict holding the configuration for this manager

Returns

ConfigManager with specified configuration

Return type

everett.manager.ConfigManager

New in version 0.3.

class everett.manager.ConfigOverride(**cfg)

Handle contexts and decoration for overriding config in testing.

Parameters

cfg (str) –

push_config()

Push self._cfg as a config layer onto the stack.

Return type

None

pop_config()

Pop a config layer off.

Raises

IndexError – If there are no layers to pop off

Return type

None

decorate(fun)

Decorate a function for overriding configuration.

Parameters

fun (Callable) –

Return type

Callable

everett.manager.config_override(**cfg)

Allow you to override config for writing tests.

This can be used as a class decorator:

@config_override(FOO="bar", BAZ="bat")
class FooTestClass(object):
    ...

This can be used as a function decorator:

@config_override(FOO="bar")
def test_foo():
    ...

This can also be used as a context manager:

def test_foo():
    with config_override(FOO="bar"):
        ...
Parameters

cfg (str) –

Return type

everett.manager.ConfigOverride

everett.ext.inifile

Holds the ConfigIniEnv environment.

To use this, you must install the optional requirements:

$ pip install 'everett[ini]'
class everett.ext.inifile.ConfigIniEnv(possible_paths)

Source for pulling configuration from INI files.

This requires optional dependencies. You can install them with:

$ pip install 'everett[ini]'

Takes a path or list of possible paths to look for a INI file. It uses the first INI file it can find.

If it finds no INI files in the possible paths, then this configuration source will be a no-op.

This will expand ~ as well as work relative to the current working directory.

This example looks just for the INI file specified in the environment:

from everett.manager import ConfigManager
from everett.ext.inifile import ConfigIniEnv

config = ConfigManager([
    ConfigIniEnv(possible_paths=os.environ.get("FOO_INI"))
])

If there’s no FOO_INI in the environment, then the path will be ignored.

Here’s an example that looks for the INI file specified in the environment variable FOO_INI and failing that will look for .antenna.ini in the user’s home directory:

from everett.manager import ConfigManager
from everett.ext.inifile import ConfigIniEnv

config = ConfigManager([
    ConfigIniEnv(
        possible_paths=[
            os.environ.get("FOO_INI"),
            "~/.antenna.ini"
        ]
    )
])

This example looks for a config/local.ini file which overrides values in a config/base.ini file both are relative to the current working directory:

from everett.manager import ConfigManager
from everett.ext.inifile import ConfigIniEnv

config = ConfigManager([
    ConfigIniEnv(possible_paths="config/local.ini"),
    ConfigIniEnv(possible_paths="config/base.ini")
])

Note how you can have multiple ConfigIniEnv files and this is how you can set Everett up to have values in one INI file override values in another INI file.

INI files must have a “main” section. This is where keys that aren’t in a namespace are placed.

Minimal INI file:

[main]

In the INI file, namespace is a section. So key “user” in namespace “foo” is:

[foo]
user=someval

Everett uses configobj, so it supports nested sections like this:

[main]
foo=bar

[namespace]
foo2=bar2

  [[namespace2]]
  foo3=bar3

Which gives you these:

  • FOO

  • NAMESPACE_FOO2

  • NAMESPACE_NAMESPACE2_FOO3

See more details here: http://configobj.readthedocs.io/en/latest/configobj.html#the-config-file-format

Parameters

possible_paths (Union[str, List[str]]) – either a single string with a file path (e.g. "/etc/project.ini" or a list of strings with file paths

Return type

None

parse_ini_file(path)

Parse ini file at path and return dict.

Parameters

path (str) –

Return type

Dict

get(key, namespace=None)

Retrieve value for key.

Parameters
  • key (str) –

  • namespace (Optional[List[str]]) –

Return type

Union[str, everett.NoValue]

everett.ext.yamlfile

Holds the ConfigYamlEnv environment.

To use this, you must install the optional requirements:

$ pip install 'everett[yaml]'
class everett.ext.yamlfile.ConfigYamlEnv(possible_paths)

Source for pulling configuration from YAML files.

This requires optional dependencies. You can install them with:

$ pip install 'everett[yaml]'

Takes a path or list of possible paths to look for a YAML file. It uses the first YAML file it can find.

If it finds no YAML files in the possible paths, then this configuration source will be a no-op.

This will expand ~ as well as work relative to the current working directory.

This example looks just for the YAML file specified in the environment:

from everett.manager import ConfigManager
from everett.ext.yamlfile import ConfigYamlEnv

config = ConfigManager([
    ConfigYamlEnv(os.environ.get('FOO_YAML'))
])

If there’s no FOO_YAML in the environment, then the path will be ignored.

Here’s an example that looks for the YAML file specified in the environment variable FOO_YAML and failing that will look for .antenna.yaml in the user’s home directory:

from everett.manager import ConfigManager
from everett.ext.yamlfile import ConfigYamlEnv

config = ConfigManager([
    ConfigYamlEnv([
        os.environ.get('FOO_YAML'),
        '~/.antenna.yaml'
    ])
])

This example looks for a config/local.yaml file which overrides values in a config/base.yaml file both are relative to the current working directory:

from everett.manager import ConfigManager
from everett.ext.yamlfile import ConfigYamlEnv

config = ConfigManager([
    ConfigYamlEnv('config/local.yaml'),
    ConfigYamlEnv('config/base.yaml')
])

Note how you can have multiple ConfigYamlEnv files. This is how you can set Everett up to have values in one YAML file override values in another YAML file.

Everett looks for keys and values in YAML files. YAML files can be split into multiple documents, but Everett only looks at the first one.

Keys are case-insensitive. You can do namespaces either in the key itself using _ as a separator or as nested mappings.

All values should be double-quoted.

Here’s an example:

foo: "bar"
FOO2: "bar"
namespace_foo: "bar"
namespace:
    namespace2:
        foo: "bar"

Giving you these namespaced keys:

  • FOO

  • FOO2

  • NAMESPACE_FOO

  • NAMESPACE_NAMEPSACE2_FOO

Parameters

possible_paths (Union[str, List[str]]) – either a single string with a file path (e.g. "/etc/project.yaml" or a list of strings with file paths

Return type

None

parse_yaml_file(path)

Parse yaml file at path and return a dict.

Parameters

path (str) –

Return type

Dict

get(key, namespace=None)

Retrieve value for key.

Parameters
  • key (str) –

  • namespace (Optional[List[str]]) –

Return type

Union[str, everett.NoValue]