Dependency injection.
Project description
Antidotes is a dependency injection micro-framework for Python 3.7+. It is built on the
idea of ensuring best maintainability of your code while being as easy to use as possible.
It also provides the fastest injection with @inject
allowing you to use it virtually anywhere
and fast full isolation of your tests.
Antidote provides the following features:
- Ease of use
Injection anywhere you need through a decorator
@inject
No
**kwargs
arguments hiding actual arguments and fully mypy typed, helping you and your IDE.Documented, everything has tested examples.
No need for any custom setup, just use your injected function as usual. You just don’t have to specify injected arguments anymore. Allowing you to gradually migrate an existing project.
- Flexibility
Most common dependencies out of the box: services, configuration, factories, interface/implementation.
All of those are implemented on top of the core implementation. If Antidote doesn’t provide what you need, there’s a good chance you can implement it yourself.
Scope support
Async injection
- Maintainability
All dependencies can be tracked back to their declaration/implementation easily.
Mypy compatibility and usage of type hints as much as possible.
Overriding dependencies will raise an error outside of tests.
Dependencies can be frozen, which blocks any new declarations.
No double injection.
Everything is as explicit as possible,
@inject
does not inject anything implicitly.Type checks when a type is explicitly defined with
world.get
and constants.Thread-safe, cycle detection.
Immutable whenever possible.
- Testability
@inject
lets you override any injections by passing explicitly the arguments.Fully isolate each test with
world.test.clone
. They will work on separate objects.Override globally any dependency locally in a test.
When encountering issues you can retrieve the full dependency tree, nicely formatted, with
world.debug
.
- Performance*
Fastest
@inject
with heavily tuned Cython.As much as possible is done at import time.
Testing utilities are tuned to ensure that even with full isolation it stays fast.
Benchmarks: comparison, injection, test utilities
*with the compiled version, in Cython. Pre-built wheels for Linux. See further down for more details.
Installation
To install Antidote, simply run this command:
pip install antidote
Documentation
Beginner friendly tutorial, recipes, the reference and a FAQ can be found in the documentation.
Here are some links:
Why choose Antidote ? (comparing to other libraries, among which is dependency_injector)
Issues / Questions
Feel free to open an issue on Github for questions or issues !
Hands-on quick start
Showcase of the most important features of Antidote with short and concise examples. Checkout the Getting started for a full beginner friendly tutorial.
Injection
from antidote import inject, injectable
@injectable
class Database:
pass
@inject
def f(db: Database = inject.me()):
return db
assert isinstance(f(), Database) # works !
Simple, right ? And you can still use it like a normal function, typically when testing it:
f(Database())
The actual dependency is inferred by the type hints and it also supports optional dependencies:
from typing import Optional
class Dummy:
pass
# When the type_hint is optional and a marker like `inject.me()` is used, None will be
# provided if the dependency does not exists.
@inject
def f(dummy: Optional[Dummy] = inject.me()):
return dummy
assert f() is None
There are several other alternatives to specify dependencies, however they don’t work as well with
static typing. You can also retrieve dependencies by hand with world.get
:
from antidote import world
# Retrieve dependencies by hand, in tests typically
world.get(Database)
world.get[Database](Database) # with type hint, enforced when possible
Injectable
Any class marked as @injectable can be provided by Antidote. It can be a singleton or not.
Scopes and a factory method are also supported. Every method is injected by default, relying on
annotated type hints and markers such as inject.me()
:
from antidote import injectable, inject
@injectable(singleton=False)
class QueryBuilder:
# methods are also injected by default
def __init__(self, db: Database = inject.me()):
self._db = db
@inject
def load_data(builder: QueryBuilder = inject.me()):
pass
load_data() # yeah !
Constants
Constants can be provided lazily by Antidote:
from antidote import inject, const
class Config:
DB_HOST = const('localhost')
DB_PORT = const(5432)
@inject
def ping_db(db_host: str = Config.DB_HOST):
pass
ping_db() # nice !
Constants really shines when they aren’t hard-coded:
from typing import Optional
class Config:
# Retrieve constant from environment variables
DB_HOST = const.env() # using the constant name
# or with an explicit name, default value, and forced conversion to int
# (and other selected types)
DB_PORT = const.env[int]("DATABASE_PORT", default=5432)
import os
os.environ['DB_HOST'] = 'localhost'
os.environ['DATABASE_PORT'] = '5432'
@inject
def check_connection(db_host: str = Config.DB_HOST,
db_port: int = Config.DB_PORT):
pass
check_connection() # perfect !
Note that on the injection site, nothing changed! And obviously you can create your own logic:
from antidote import const
@const.provider
def static(name: str, arg: Optional[str]) -> str:
return arg
class Config:
DB_HOST = static.const('localhost')
Stateful configuration is also possible:
from antidote import injectable, const
@injectable
class Config:
def __init__(self):
self.data = {'host': 'localhost'}
@const.provider
def get(self, name: str, arg: Optional[str]) -> str:
return self.data[arg]
DB_HOST = get.const('host')
Lazy
Lazy functions can be used in multiple cases:
to load external classes:
from antidote import lazy, inject
class Redis:
pass
@lazy # singleton by default
def load_redis() -> Redis:
return Redis()
@inject
def task(redis = load_redis()):
...
as a factory:
from antidote import lazy, inject
class User:
pass
@lazy(singleton=False)
def current_user(db: Database = inject.me()) -> User:
return User()
@inject
def is_admin(user: User = current_user()):
pass
or even to parameterize dependencies:
from dataclasses import dataclass
from antidote import lazy, inject
@dataclass
class Template:
path: str
@lazy
def load_template(path: str) -> Template:
return Template(path=path)
@inject
def registration(template: Template = load_template('registration.html')):
pass
Interface/Implementation
Antidote also works with interfaces which can have one or multiple implementations which can be overridden:
from antidote import implements, inject, interface, world
@interface
class Task:
pass
@implements(Task)
class Custom(Task):
pass
world.get(Task)
@inject
def f(task: Task = inject.me()) -> Task:
return task
Implementations support qualifiers out of the box:
import enum
class Hook(enum.Enum):
START = enum.auto()
STOP = enum.auto()
@interface
class Task:
pass
@implements(Task).when(qualified_by=Hook.START)
class StartX(Task):
pass
@implements(Task).when(qualified_by=Hook.STOP)
class StopX(Task):
pass
assert world.get[Task].single(qualified_by=Hook.START) == world.get(StartX)
assert world.get[Task].all(qualified_by=Hook.START) == [world.get(StartX)]
@inject
def get_single_task(task: Task = inject.me(qualified_by=Hook.START)) -> Task:
return task
@inject
def get_all_task(tasks: list[Task] = inject.me(qualified_by=Hook.START)) -> list[Task]:
return tasks
Testing and Debugging
inject
always allows you to pass your own argument to override the injection:
from antidote import injectable, inject
@injectable
class Database:
pass
@inject
def f(db: Database = inject.me()):
pass
f()
f(Database()) # test with specific arguments in unit tests
You can also fully isolate your tests from each other and override any dependency within that context:
from antidote import world
# Clone current world to isolate it from the rest
with world.test.clone():
x = object()
# Override the Database
world.test.override.singleton(Database, x)
f() # will have `x` injected for the Database
@world.test.override.factory(Database)
def override_database():
class DatabaseMock:
pass
return DatabaseMock()
f() # will have `DatabaseMock()` injected for the Database
If you ever need to debug your dependency injections, Antidote also provides a tool to have a quick summary of what is actually going on:
def function_with_complex_dependencies():
pass
world.debug(function_with_complex_dependencies)
# would output something like this:
"""
function_with_complex_dependencies
└──<∅> IMDBMovieDB
└── ImdbAPI
└── load_imdb
├── Config.IMDB_API_KEY
├── Config.IMDB_PORT
└── Config.IMDB_HOST
Singletons have no scope markers.
<∅> = no scope (new instance each time)
<name> = custom scope
"""
Hooked ? Check out the documentation ! There are still features not presented here !
Compiled
The compiled implementation is roughly 10x faster than the Python one and strictly follows the same API than the pure Python implementation. Pre-compiled wheels are available only for Linux currently. You can check whether you’re using the compiled version or not with:
from antidote import is_compiled
f"Is Antidote compiled ? {is_compiled()}"
You can force the compilation of antidote yourself when installing:
ANTIDOTE_COMPILED=true pip install antidote
On the contrary, you can force the pure Python version with:
pip install --no-binary antidote
How to Contribute
Check for open issues or open a fresh issue to start a discussion around a feature or a bug.
Fork the repo on GitHub. Run the tests to confirm they all pass on your machine. If you cannot find why it fails, open an issue.
Start making your changes to the master branch.
Writes tests which shows that your code is working as intended. (This also means 100% coverage.)
Send a pull request.
Be sure to merge the latest from “upstream” before making a pull request!
If you have any issue during development or just want some feedback, don’t hesitate to open a pull request and ask for help !
Pull requests will not be accepted if:
public classes/functions have not docstrings documenting their behavior with examples.
tests do not cover all of code changes (100% coverage) in the pure python.
If you face issues with the Cython part of Antidote, I may implement it myself.
Project details
Release history Release notifications | RSS feed
Download files
Download the file for your platform. If you're not sure which to choose, learn more about installing packages.
Source Distribution
File details
Details for the file antidote-2.0.0b0.tar.gz
.
File metadata
- Download URL: antidote-2.0.0b0.tar.gz
- Upload date:
- Size: 194.0 kB
- Tags: Source
- Uploaded using Trusted Publishing? No
- Uploaded via: twine/4.0.1 CPython/3.10.4
File hashes
Algorithm | Hash digest | |
---|---|---|
SHA256 | a47fa025e0826220bdfb65cf082e6cf0c41e92580b356d5399d9d3c68693d1ec |
|
MD5 | 70496955da38d87b5c2d194db1c23f69 |
|
BLAKE2b-256 | 6d644cd2312fc66f84b03eafa1e715515348983f3714e3a184abac8f909c1616 |