maduser/argon

A high-performance, modular, PSR-11 compliant dependency injection container for PHP.

v1.0.0-beta.6 2025-04-01 16:50 UTC

This package is auto-updated.

Last update: 2025-04-03 02:03:52 UTC


README

PHP Build codecov Psalm Level Code Style Latest Version License: MIT

Argon Service Container

A compilable, PSR-11 compliant dependency injection container.

Argon focuses on ease of use without compromising features, performance, or flexibility.

It provides a human-friendly API and compiles your service graph into native PHP code. No reflection overhead, no service guessing, and no performance surprises.

It favors a single, consistent way of doing things — no YAML vs. XML debates, no annotation magic, no framework coupling. Just clear, explicit, testable PHP.

Features

  • 🔥 Compilable: Eliminate runtime reflection entirely with precompiled service definitions.
  • ⚙️ PSR-11 Compliant: Drop-in compatibility with standard PSR-11 containers.
  • 🧠 Autowiring: Automatically resolve dependencies using constructor signatures.
  • ♻️ Singleton & Transient Services: Use shared or separate instances per request.
  • 🧩 Parameter Overrides: Inject primitives and custom values into your services.
  • 🔁 Contextual Bindings: Different interface implementations per consumer class.
  • 🧰 Service Providers: Group and encapsulate service registrations.
  • 🛠 Interceptors: Add pre- or post-resolution behavior to specific services.
  • 🧱 Runtime Service Extension: Override, decorate etc. services at runtime.
  • ❓ Conditional Resolution: Call methods on missing services safely via optional() no-op proxy.
  • ⏱ Lazy Loading: Services are only instantiated when first accessed.
  • 🚨 Circular Dependency Detection: Detects and protects against infinite resolution loops.

Installation

$ composer require maduser/argon

Requires PHP 8.2+

Tests & QA

$ composer install
$ vendor/bin/phpunit
$ vendor/bin/psalm
$ vendor/bin/phpcs

# or all checks combined
$ composer check

Usage

1. Binding and Resolving Services

// Simple transient registration
$container->bind(MyService::class, MyService::class);
$container->bind(MyService::class); // shortcut, same as above

// Simple singleton registration (all do the same thing)
$container->singleton(MyOtherService::class);
$container->singleton(MyOtherService::class, MyOtherService::class);
$container->bind(MyOtherService::class, MyOtherService::class, true);

// Bind an interface to a concrete implementation
$container->bind(LoggerInterface::class, FileLogger::class)
$container->singleton(CacheInterface::class, InMemoryCache::class);

// Resolve service
$transientService = $container->get(MyService::class);
$singletonService = $container->get(MyOtherService::class);
$fileLogger = $container->get(LoggerInterface::class);

2. Autowiring

class Logger {}

class UserService
{
    public function __construct(Logger $logger) {}
}

$container->get(UserService::class); // Works out of the box

3. Constructor Arguments & Parameter Registry

You can inject primitive values or custom arguments into service constructors by matching argument names. Arguments can be either raw values or retrieved from the parameter registry. They may be applied when binding a service or passed at resolution time (for transient services only).

class ApiClient
{
    public function __construct(string $apiKey, string $apiUrl) {}
}

🔹 Bind custom arguments to a service

$container->bind(ApiClient::class, args: [
    'apiKey' => $_ENV['APP_ENV'] === 'prod' ? 'prod-key' : 'dev-key',
    'apiUrl' => 'https://api.example.com'
]);

$container->get(ApiClient::class);

These arguments will be applied every time this binding is resolved.

🔹 Resolve a service with custom arguments (transients only)

$container->get(ApiClient::class, args: [
    'apiKey' => $_ENV['APP_ENV'] === 'prod' ? 'prod-key' : 'dev-key',
    'apiUrl' => 'https://api.example.com'
]);

These arguments are used only for this specific call. They will not affect singleton instances.

🔹 Store parameters in the parameter registry

$parameters = $container->getParameters();

$parameters->set('apiUrl', 'https://api.example.com');
$parameters->set('apiKey', $_ENV['APP_ENV'] === 'prod' ? 'prod-key' : 'dev-key');

🔹 Bind arguments using values from the registry

$container->bind(ApiClient::class, args: [
    'apiKey' => $parameters->get('apiKey'),
    'apiUrl' => $parameters->get('apiUrl')
]);

$container->get(ApiClient::class);

🔹 Resolve a service with arguments from the registry (transients only)

$container->get(ApiClient::class, args: [
    'apiKey' => $parameters->get('apiKey'),
    'apiUrl' => $parameters->get('apiUrl')
]);

These arguments will only apply to this specific resolution.

4. Contextual Bindings

Contextual bindings allow different consumers to receive different implementations of the same interface.

interface LoggerInterface {}
class FileLogger implements LoggerInterface {}
class DatabaseLogger implements LoggerInterface {}

class ServiceA 
{
    public function __construct(LoggerInterface $logger) {}
}

class ServiceB 
{
    public function __construct(LoggerInterface $logger) {}
}

$container->for(ServiceA::class)
    ->bind(LoggerInterface::class, DatabaseLogger::class);

// Same Interface, different implementation
$container->for(ServiceB::class)
    ->bind(LoggerInterface::class, FileLogger::class);

5. Service Providers

Service providers allow grouping service bindings and optional boot-time logic.

class AppServiceProvider implements ServiceProviderInterface
{
    // called before compilation and should be used to declare bindings
    public function register(ArgonContainer $container): void 
    {
        $container->singleton(LoggerInterface::class, FileLogger::class);
        $container->bind(CacheInterface::class, RedisCache::class);
    }
    
    // Executed after compilation, once the container is ready to resolve services
    public function boot(ArgonContainer $container): void 
    {
        // Optional setup logic
    }
}

$container->register(AppServiceProvider::class);
$container->boot();

6. Interceptors

Interceptors allow you to hook into the service resolution lifecycle. They are automatically called either before or after a service is constructed.

🔹 Post-Resolution Interceptors

These are executed after a service is created, and can modify the object (e.g., inject metadata, call validation, register hooks).

use Maduser\Argon\Container\Contracts\PostResolutionInterceptorInterface;

interface Validatable
{
    public function validate(): void;
}

class MyDTO implements Validatable
{
    public function validate(): void
    {
        // Verify required state
    }
}

class ValidationInterceptor implements PostResolutionInterceptorInterface
{
    public static function supports(string $id): bool
    {
        return is_subclass_of($id, Validatable::class);
    }

    public function intercept(object $instance): void
    {
        $instance->validate();
    }
}

$container->registerInterceptor(ValidationInterceptor::class);
$dto = $container->get(MyDTO::class); // validate() is automatically called

🔹 Pre-Resolution Interceptors

These run before a service is instantiated. They can modify constructor parameters or short-circuit the entire resolution.

use Maduser\Argon\Container\Contracts\PreResolutionInterceptorInterface;

class EnvOverrideInterceptor implements PreResolutionInterceptorInterface
{
    public static function supports(string $id): bool
    {
        return $id === ApiClient::class;
    }

    public function intercept(string $id, array &$parameters): ?object
    {
        $parameters['apiKey'] = $_ENV['APP_ENV'] === 'prod'
            ? 'prod-key'
            : 'dev-key';

        return null; // let container continue
    }
}

class StubInterceptor implements PreResolutionInterceptorInterface
{
    public static function supports(string $id): bool
    {
        return $id === SomeHeavyService::class && $_ENV['TESTING'];
    }

    public function intercept(string $id, array &$parameters): ?object
    {
        return new FakeService(); // short-circuit
    }
}

$container->registerInterceptor(EnvOverrideInterceptor::class);
$container->registerInterceptor(StubInterceptor::class);
  • Interceptors must implement either PreResolutionInterceptorInterface or PostResolutionInterceptorInterface
  • Both require a static supports(string $id): bool method to prevent unnecessary instantiation
  • Interceptors are resolved lazily and only when matched
  • You can register as many interceptors as you want. They're evaluated in the order they were added.

7. Extending Services

Extends an already-resolved service instance during runtime. Useful for wrapping, decorating, or modifying an existing service after resolution.

// For example in a ServiceProvider 
public function boot(ArgonContainer $container): void
{
    $container->extend(LoggerInterface::class, function (object $logger): object {
        return new BufferingLogger($logger);
    });
}

From this point on, all calls to get(LoggerInterface::class) will return the wrapped instance.

8. Tags

$container->tag(FileLogger::class, ['loggers', 'file']);
$container->tag(DatabaseLogger::class, ['loggers', 'db']);

/** @var iterable<LoggerInterface> $loggers */
$loggers = $container->getTagged('loggers');

foreach ($loggers as $logger) {
    $logger->log('Hello from tagged logger!');
}

9. Conditional Service Access

optional() returns a proxy if the service is unavailable — safe for optional dependencies.

// Suppose SomeLogger is optional
$container->optional(SomeLogger::class)->log('Only if logger exists');

// This won't throw, even if SomeLogger wasn't registered

10. Closure Bindings with Autowired Parameters

Closure bindings are convenient for CLI scripts, testing, or quick one-off tools, but generally not suited for production service graphs. They are not included in the compiled container and must be registered at runtime:

// In a ServiceProvider 
public function boot(ArgonContainer $container): void
{
    $container->singleton(LoggerInterface::class, fn (Config $config) => {
        return new FileLogger($config->get('log.path'));
    });
}

11. Compiling the Container

$file = __DIR__ . '/CompiledContainer.php';

if (file_exists($file) && !$_ENV['DEV']) {
    require_once $file;
    $container = new CompiledContainer();
} else {
    $container = new ArgonContainer();
    // configure $container...

    $compiler = new ContainerCompiler($container);
    $compiler->compileToFile($file);
}

The compiled container is a pure PHP class with zero runtime resolution logic for standard bindings. It eliminates reflections and parameter lookups by generating dedicated methods for each service. All bindings, tags, parameters, and interceptors are statically resolved and written as native PHP code — ready to be opcode-cached and preloaded in production.

No config parsing. No service resolution logic. No performance bottlenecks.

Just raw, optimized, dependency injection at runtime speed.

🧩 API

Container Facade ArgonContainer Parameters Return Description
set() N/A ArgonContainer $container void Sets the global container instance for the static facade.
get() get() string $id object Resolves and returns the service.
has() has() string $id bool Checks if a service binding exists.
bind() bind() string $id, Closure|string|null $concrete, bool $singleton = false ArgonContainer Binds a service, optionally as singleton.
singleton() singleton() string $id, Closure|string|null $concrete ArgonContainer Registers a service as a singleton.
bindings() getBindings() array<string, ServiceDescriptor> Returns all registered service descriptors.
contextualBindings() getContextualBindings() ContextualBindingsInterface Returns all contextual service descriptors.
parameters() getParameters() ParameterStoreInterface Returns the parameter store instance.
arguments() getArgumentMap() ArgumentMapInterface Returns the argument map instance.
registerFactory() registerFactory() string $id, callable $factory, bool $singleton = true ArgonContainer Registers a factory to build the service instance.
registerInterceptor() registerInterceptor() class-string<InterceptorInterface> $class ArgonContainer Registers a type interceptor.
registerProvider() registerProvider() class-string<ServiceProviderInterface> $class ArgonContainer Registers and invokes a service provider.
tag() tag() string $id, list<string> $tags ArgonContainer Tags a service with one or more labels.
tags() getTags() array<string, list<string>> Returns all tag definitions in the container.
tagged() getTagged() string $tag list<object> Resolves all services tagged with the given label.
boot() boot() ArgonContainer Bootstraps all registered service providers.
extend() extend() string $id callable $decorator ArgonContainer Decorates an already-resolved service at runtime.
for() for() string $target ContextualBindingBuilder Starts a contextual binding chain for a specific class.
instance() N/A ArgonContainer Returns the current container instance, or creates one.
preInterceptors() getPreInterceptors() list<class-string<InterceptorInterface>> Lists all registered pre-interceptors.
postInterceptors() getPostInterceptors() list<class-string<InterceptorInterface>> Lists all registered post-interceptors.
invoke() invoke() object|string $target, ?string $method, array $params = [] mixed Calls a method or closure with auto-injected dependencies.
isResolvable() isResolvable() string $id bool Checks if a service can be resolved, even if not explicitly bound.
optional() optional() string $id object Resolves a service or returns a NullServiceProxy if not found.

License

MIT License