I have setup dependencies and definitions while configuring the container using the ContainerBuilder
and then compiling it to get the actual Container
, but whenever I try injecting dependencies they always tend to be ignored.
Have I missed the concept of the injectOn()
method, or am I doing something wrong here ($this->translator
remains unassigned)? I've tried different approaches to this, both instantiating the class and adding the object to the ContainerBuilder
and also passing it as a \DI\object()
definition, both with the same result.
<?php
include "../vendor/autoload.php";
class Translator
{}
class TextHandle
{
protected $translator;
public function setTranslator (Translator $translator)
{
$this->translator = $translator;
}
public function test ()
{
var_dump($this->translator);
}
}
class TestCase
{
protected $translator;
public function __construct (Translator $translator)
{
$this->translator = $translator;
}
}
// Setup container
$containerBuilder = new \DI\ContainerBuilder();
$containerBuilder->addDefinitions([
Translator::class => \DI\object(),
]);
$container = $containerBuilder->build();
// Create object and inject
$textHandle = new TextHandle();
$container->injectOn($textHandle);
// Test injection, fails
$textHandle->test(); // NULL
// Test access, works
$translator = $container->get(Translator::class);
var_dump($translator); // object(Translator)#18 (0) {}
// Try having the container instantiate
$textHandle = $container->make(TextHandle::class);
$textHandle->test(); // Null
// Try object with constructor, works
$testCase = $container->make(TestCase::class);
var_dump($testCase); // Translator is set
According to the documentation, PHP-DI does not perform autowiring through setters.
You should add the definition for TextHandle
class and configure it to inject Translator
through the setter:
$containerBuilder->addDefinitions([
TextHandle::class => \DI\object()->method('setTranslator', \DI\get(Translator::class))
]);