Settings Classes#

On this page, you’ll learn everything about writing settings classes.

Writing Settings Classes#

Settings classes are normal attrs, dataclasses, or Pydantic classes with type hints:

>>> import attrs
>>> import dataclasses
>>> import pydantic
>>>
>>> @attrs.define
... class Settings1:
...     username: str
...     password: str
...
>>> # or
>>> @dataclasses.dataclass
... class Settings2:
...     username: str
...     password: str
...
>>> # or
>>> class Settings3(pydantic.BaseModel):
...     username: str
...     password: str

Typed Settings also provides some convenience aliases for attrs classes:

>>> import typed_settings as ts
>>>
>>> @ts.settings
... class Settings:
...      username: str = ts.option(help="The username")
...      password: str = ts.secret(help="The password")

settings() is just an alias for attrs.define(). option() and secret() are wrappers for attrs.field(). They make it easier to add extra metadata for CLI options. secret() also adds basic protection against leaking secrets.

Hint

Using settings() may keep your code a bit cleaner, but using attrs.define() causes fewer problems with type checkers (see Mypy).

You should use attrs.define() (or even attrs.frozen()) if possible.

However, for the sake of brevity we will use settings() in many examples.

Secrets#

Secrets, even when stored in an encrypted vault, most of the time end up as plain strings in your app. And plain strings tend to get printed. This can be log messages, debug print()s, tracebacks, you name it:

>>> import typed_settings as ts
>>>
>>> @ts.settings
... class Settings:
...      username: str
...      password: str
...
>>> settings = Settings("spam", "eggs")
>>> print(f"Settings loaded: {settings}")
Settings loaded: Settings(username='spam', password='eggs')

Oops!

Danger

Never use environment variables to pass secrets to your application!

It’s far easier for environment variables to leak outside than for config files. You may, for example, accidentally leak your env via your CI/CD pipeline, or you may be affected by a security incident for which you can’t do anything.

The most secure thing is to use an encrypted vault to store your secrets. If that is not possible, store them in a config file.

If you have to use environment variables, write the secret to a file and use the env var to point to that file, e.g., MYAPP_API_TOKEN_FILE=/private/token (instead of just MYAPP_API_TOKEN="3KX93ad..."). GitLab CI/CD supports this, for example.

You can add basic leaking prevention by using secret() for creating an option field:

>>> import typed_settings as ts
>>>
>>> @ts.settings
... class Settings:
...      username: str
...      password: str = ts.secret()
...
>>> settings = Settings("spam", "eggs")
>>> print(f"Settings loaded: {settings}")
Settings loaded: Settings(username='spam', password='*******')

However, we would still leak the secret if we print the field directly:

>>> print(f"{settings.username=}, {settings.password=}")
settings.username='spam', settings.password='eggs'

You can use SecretStr instead of str to protect against this:

>>> import typed_settings as ts
>>> from typed_settings.types import SecretStr
>>>
>>> @ts.settings
... class Settings:
...      username: str
...      password: SecretStr = ts.secret()
...
>>> settings = Settings("spam", SecretStr("eggs"))
>>> print(f"Settings loaded: {settings}")
Settings loaded: Settings(username='spam', password='*******')
>>> print(f"{settings.username=}, {settings.password=}")
settings.username='spam', settings.password='*******'

The good thing about SecretStr that it is a drop-in replacement for normal strings. That bad thing is, that is still not a 100% safe (and maybe, that it only works for strings):

>>> print(settings.password)
eggs
>>> print(f"Le secret: {settings.password}")
Le secret: eggs

The generic class Secret makes accidental secrets leakage nearly impossible, since it also protects an object’s string representation. However, it is no longer a drop-in replacement for strings as you have to call its typed_settings.types.Secret.get_secret_value() method to retrieve the actual value:

>>> import typed_settings as ts
>>> from typed_settings.types import Secret
>>>
>>> @ts.settings
... class Settings:
...      username: str
...      password: SecretStr
...
>>> settings = Settings("spam", Secret("eggs"))
>>> print(f"Settings loaded: {settings}")
Settings loaded: Settings(username='spam', password=Secret('*******'))
>>> print(settings.password)
*******
>>> print(f"Le secret: {settings.password}")
Le secret: *******
>>> settings.password.get_secret_value()
'eggs'

SecretStr() and ~typed_settings.secret() usually form the best compromise between usability and safety.

But now matter what you use, you should explicitly test the (log) output of your code to make sure, secrets are not contained at all or are masked at least.

Dynamic Options#

The benefit of class based settings is that you can use properties to create “dynamic” or “aggregated” settings.

Imagine, you want to configure the URL for a REST API but the only part that usually changes with every deployment is the hostname.

For these cases, you can make each part of the URL configurable and create a property that returns the full URL:

>>> from pathlib import Path
>>> import typed_settings as ts
>>>
>>> @ts.settings
... class ServiceConfig:
...     scheme: str = "https"
...     host: str = "example.com"
...     port: int = 443
...     path: Path() = Path("api")
...
...     @property
...     def url(self) -> str:
...         return f"{self.scheme}://{self.host}:{self.port}/{self.path}"
...
>>> print(ServiceConfig().url)
https://example.com:443/api

Another use case is loading data from files, e.g., secrets like SSH keys:

>>> from functools import cache
>>> from pathlib import Path
>>> import typed_settings as ts
>>>
>>> @ts.settings(frozen=True)
... class SSH:
...     key_file: Path
...
...     @property
...     @cache
...     def key(self) -> str:
...         return self.key_file.read_text()
...
>>> key_file = tmp_path.joinpath("id_1337")
>>> key_file.write_text("le key")
6
>>> print(SSH(key_file=key_file).key)
le key

Mypy#

Unfortunately, mypy still gets confused when you alias attrs.define() (or even import it from any module other than attr or attrs).

Accessing your settings class’ attributes does work without any problems, but when you manually instantiate your class, mypy will issue a call-arg error.

The suggested workaround is to create a simple mypy plugin, so Typed Settings ships with a simple mypy plugin in typed_settings.mypy.

You can activate the plugin via your pyproject.toml or mypy.ini:

pyproject.toml#
 [tool.mypy]
 plugins = ["typed_settings.mypy"]
mypy.ini#
 [mypy]
 plugins=typed_settings.mypy