Light Mode

Skip to content

Navigation Menu

Sign in
Appearance settings

Search code, repositories, users, issues, pull requests...

Provide feedback

We read every piece of feedback, and take your input very seriously.

Saved searches

Use saved searches to filter your results more quickly

Sign up
Appearance settings

Performant, concise, and easy-to-use dependency injection container for Python 3.8+.

License

Notifications You must be signed in to change notification settings

maldoinc/wireup

Repository files navigation

Wireup

Performant, concise and type-safe Dependency Injection for Python

Automate dependency management using Python's type system. Build complex applications with native support for async and generators, plus integrations for popular frameworks out of the box. Wireup is thread-safe for concurrent dependency resolution and ready for no-GIL Python (PEP 703).

Tip

New: Inject Dependencies in FastAPI with zero runtime overhead using Class-Based Handlers.

Installation

pip install wireup

Features

Clean & Type-Safe DI

Use decorators and annotations for concise, co-located definitions, or factories to keep your domain model pure and decoupled.

1. Basic Usage

Start simple. Register classes directly using decorators and let the container resolve dependencies automatically.

@injectable
class Database:
def __init__(self) -> None:
self.engine = sqlalchemy.create_engine("sqlite://")

@injectable
class UserService:
def __init__(self, db: Database) -> None:
self.db = db

container = wireup.create_sync_container(injectables=[Database, UserService])
user_service = container.get(UserService) # Dependencies resolved.

2. Inject Configuration

Seamlessly inject configuration alongside other dependencies, eliminating the need for manually wiring them up via factories.

View Code
@injectable
class Database:
# Inject "db_url" directly
def __init__(self, url: Annotated[str, Inject(config="db_url")]) -> None:
self.engine = sqlalchemy.create_engine(url)

container = wireup.create_sync_container(
injectables=[Database],
config={"db_url": os.environ["DB_URL"]}
)
db = container.get(Database) # Dependencies resolved.

3. Clean Architecture

Need strict boundaries? Use factories to wire pure domain objects and integrate external libraries like Pydantic.

# 1. No Wireup imports
class Database:
def __init__(self, url: str) -> None:
self.engine = create_engine(url)

# 2. Configuration (Pydantic)
class Settings(BaseModel):
db_url: str = "sqlite://"
# 3. Wireup factories
@injectable
def make_settings() -> Settings:
return Settings()

@injectable
def make_database(settings: Settings) -> Database:
return Database(url=settings.db_url)

container = wireup.create_sync_container(injectables=[make_settings, make_database])
database = container.get(Database) # Dependencies resolved.

4. Auto-Discover

No need to list every injectable manually. Scan entire modules or packages to register all at once. This is the recommended default registration style for larger applications.

View Code
import wireup
import app

container = wireup.create_sync_container(
injectables=[
app.services,
app.repositories,
app.factories
]
)

user_service = container.get(UserService) # Dependencies resolved.

Function Injection

Inject dependencies directly into any function. This is useful for CLI commands, background tasks, event handlers, or any standalone function that needs access to the container.

@inject_from_container(container)
def migrate_database(db: Injected[Database], settings: Injected[Settings]):
# Database and Settings injected.
pass

Interfaces & Abstractions

Depend on abstractions, not implementations. Bind implementations to interfaces using Protocols or ABCs.

class Notifier(Protocol):
def notify(self) -> None: ...

@injectable(as_type=Notifier)
class SlackNotifier:
def notify(self) -> None: ...

container = create_sync_container(injectables=[SlackNotifier])
notifier = container.get(Notifier) # SlackNotifier instance.

Managed Lifetimes

Declare dependencies as singletons, scoped, or transient to control whether to inject a fresh copy or reuse existing instances.

# Singleton: One instance per application. `@injectable(lifetime="singleton")` is the default.
@injectable
class Database:
pass

# Scoped: One instance per scope/request, shared within that scope/request.
@injectable(lifetime="scoped")
class RequestContext:
def __init__(self) -> None:
self.request_id = uuid4()

# Transient: When full isolation and clean state is required.
# Every request to create transient services results in a new instance.
@injectable(lifetime="transient")
class OrderProcessor:
pass

Flexible Creation Patterns

Defer instantiation to specialized factories when complex initialization or cleanup is required. Full support for async and generators. Wireup handles cleanup at the correct time depending on the injectable lifetime.

class WeatherClient:
def __init__(self, client: requests.Session) -> None:
self.client = client

@injectable
def weather_client_factory() -> Iterator[WeatherClient]:
with requests.Session() as session:
yield WeatherClient(client=session)
Async Example
class WeatherClient:
def __init__(self, client: aiohttp.ClientSession) -> None:
self.client = client

@injectable
async def weather_client_factory() -> AsyncIterator[WeatherClient]:
async with aiohttp.ClientSession() as session:
yield WeatherClient(client=session)

Need reusable provider-style wiring with different runtime settings? See Reusable Factory Bundles.

Optional Dependencies

Wireup has first-class support for Optional[T] and T | None. Expose optional dependencies and let Wireup handle the rest.

@injectable
def make_cache(settings: Settings) -> RedisCache | None:
return RedisCache(settings.redis_url) if settings.cache_enabled else None

@injectable
class UserService:
def __init__(self, cache: RedisCache | None):
self.cache = cache

# You can also retrieve optional dependencies directly
cache = container.get(RedisCache | None)

Static Analysis

Wireup validates your entire dependency graph at container creation. If the container starts, you can be confident there won't be runtime surprises from missing dependencies or misconfigurations.

Checks performed at startup:

  • Missing dependencies and unknown types
  • Circular dependencies
  • Lifetime mismatches (e.g., singletons depending on scoped/transient)
  • Missing or invalid configuration keys
  • Duplicate registrations
  • Decorated functions validated at import time

Framework Independent

With Wireup, business logic is decoupled from your runtime. Define injectables once and reuse them across Web Applications, CLI Tools, and Task Queues without duplication or refactoring.

# 1. Define your Service Layer once (e.g. in my_app.services)
# injectables = [UserService, Database, ...]

# 2. Run in FastAPI
@app.get("/")
@inject_from_container(container)
async def view(service: Injected[UserService]): ...

# 3. Run in CLI
@click.command()
@inject_from_container(container)
def command(service: Injected[UserService]): ...

# 4. Run in Workers (Celery)
@app.task
@inject_from_container(container)
def task(service: Injected[UserService]): ...

Native Integration with popular frameworks

Integrate with popular frameworks for a smoother developer experience. Integrations manage request scopes, injection in endpoints, and dependency lifetimes.

app = FastAPI()
container = create_async_container(injectables=[UserService, Database])

@app.get("/")
def users_list(user_service: Injected[UserService]):
pass

wireup.integration.fastapi.setup(container, app)

View all integrations -

Simplified Testing

Wireup decorators only collect metadata. Injectables remain plain classes or functions with no added magic to them. Test them directly with mocks or fakes, no special setup required.

You can also use container.override to swap dependencies during tests:

with container.override.injectable(target=Database, new=in_memory_database):
# The /users endpoint depends on Database.
# During the lifetime of this context manager, requests to inject `Database`
# will result in `in_memory_database` being injected instead.
response = client.get("/users")

Documentation

For more information check out the documentation

About

Performant, concise, and easy-to-use dependency injection container for Python 3.8+.

Topics

Resources

Readme

License

MIT license

Contributing

Contributing

Stars

Watchers

Forks

Contributors 13

Languages