dev-notes/docs/languages/php/dependency-injection.md

79 lines
1.9 KiB
Markdown
Raw Normal View History

2021-06-23 17:36:12 +02:00
# Dependency Injection
2021-01-31 11:05:37 +01:00
Explicit definition of a class dependencies with the injection through the constructor or *getters*/*setters*.
```php
class Foo
{
public function __construct(PDO $pdo) // depends on PDO
{
$this->pdo = $pdo;
}
}
```
2021-06-23 17:36:12 +02:00
## Dependency Injection Container
2021-01-31 11:05:37 +01:00
2021-09-20 19:35:32 +02:00
The **Dependency Injection Container** (DIC) allow to archive all the dependencies in a single `Container` class. Some offer automatic resolution of the dependencies.
2021-01-31 11:05:37 +01:00
## [PHP-DI](https://php-di.org/)
The dependency injection container for humans. Installation: `composer require php-di/php-di`
2021-09-20 19:35:32 +02:00
- **Autowire** functionality: the ability of the container to create and inject the dependency automatically.
2021-01-31 11:05:37 +01:00
- Use of [Reflection](https://www.php.net/manual/en/intro.reflection.php)
- Configuration of the container through annotations & PHP code.
```php
class Foo
{
private $bar;
public function __construct(Bar $bar) // depends on Bar
{
$this->bar = $bar;
}
}
class Bar{}
$container = new DI\Container(); // DI Container
$foo = $container->get('Foo'); // get instance of Foo (automatic DI of Bar)
```
2021-06-23 17:36:12 +02:00
### DIC Configuration
2021-01-31 11:05:37 +01:00
```php
// Foo.php
class Foo
{
public function __construct(PDO $pdo) // depends on PDO
{
$this->pdo = $pdo;
}
}
```
```php
// config.php
use Psr\Container\ContainerInterface;
2021-09-20 19:35:32 +02:00
// config "primitive" dependencies (dependency => construct & return)
2021-01-31 11:05:37 +01:00
return [
'dsn' => 'sqlite:db.sq3',
PDO::class => function(ContainerInterface $c) {
return new PDO($c->get('dsn'));
},
...
];
```
```php
$builder = new \DI\ContainerBuilder();
$builder->addDefinitions("config.php"); // load config
$container = $builder->build(); // construct container
$cart = $container->get(Foo::class); // Instantiate & Inject
```
2022-08-06 10:48:24 +02:00
> **Note**: `get("className")` requires the explicit definition of `className` in the config file. `get(ClassName::class)` does not.