1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
|
"""Backend implementations for third-party integrations.
Each backend is implemented as a subclass of `config_ninja.backend.Backend` in a module of this
package. The `get_backend()` function is used to retrieve the backend class given its module name.
## Available Backends
### `config_ninja.contrib.appconfig`
Integrate with the AWS AppConfig service.
### `config_ninja.contrib.local`
Use a local file as the backend.
### `config_ninja.contrib.secretsmanager`
Integrate with the AWS SecretsManager service.
"""
from __future__ import annotations
import importlib
from config_ninja.backend import Backend
def get_backend(name: str) -> type[Backend]:
"""Import the `config_ninja.backend.Backend` subclass for the given module name."""
module = importlib.import_module(f'config_ninja.contrib.{name}')
for val in module.__dict__.values():
try:
is_subclass = issubclass(val, Backend)
except TypeError:
continue
if is_subclass and val is not Backend:
return val # type: ignore[no-any-return] # is_subclass ensures the correct type
raise ValueError(f'No backend found for {name}') # pragma: no cover
|