- Service Container
- Service Container
- Fetching and using Services
- Creating/Configuring Services in the Container
- Injecting Services/Config into a Service
- Service Parameters
- Choose a Specific Service
- Binding Arguments by Name or Type
- The autowire Option
- The autoconfigure Option
- Linting Service Definitions
- Public Versus Private Services
- Importing Many Services at once with resource
- Explicitly Configuring Services and Arguments
- Learn more
Service Container
- Service Container
- Fetching and using Services
- Creating/Configuring Services in the Container
- Injecting Services/Config into a Service
- Service Parameters
- Choose a Specific Service
- Binding Arguments by Name or Type
- The autowire Option
- The autoconfigure Option
- Linting Service Definitions
- Public Versus Private Services
- Importing Many Services at once with resource
- Explicitly Configuring Services and Arguments
- Learn more
Service Container
Screencast
Do you prefer video tutorials? Check out the Symfony Fundamentals screencast series.
Your application is full of useful objects: a “Mailer” object might help you send emails while another object might help you save things to the database. Almost everything that your app “does” is actually done by one of these objects. And each time you install a new bundle, you get access to even more!
In Symfony, these useful objects are called services and each service lives inside a very special object called the service container. The container allows you to centralize the way objects are constructed. It makes your life easier, promotes a strong architecture and is super fast!
Fetching and using Services
The moment you start a Symfony app, your container already contains many services. These are like tools: waiting for you to take advantage of them. In your controller, you can “ask” for a service from the container by type-hinting an argument with the service’s class or interface name. Want to log something? No problem:
// src/Controller/ProductController.php
namespace App\Controller;
use Psr\Log\LoggerInterface;
use Symfony\Component\HttpFoundation\Response;
class ProductController
{
/**
* @Route("/products")
*/
public function list(LoggerInterface $logger): Response
{
$logger->info('Look, I just used a service!');
// ...
}
}
What other services are available? Find out by running:
$ php bin/console debug:autowiring
# this is just a *small* sample of the output...
Describes a logger instance.
Psr\Log\LoggerInterface (monolog.logger)
Request stack that controls the lifecycle of requests.
Symfony\Component\HttpFoundation\RequestStack (request_stack)
RouterInterface is the interface that all Router classes must implement.
Symfony\Component\Routing\RouterInterface (router.default)
[...]
When you use these type-hints in your controller methods or inside your own services, Symfony will automatically pass you the service object matching that type.
Throughout the docs, you’ll see how to use the many different services that live in the container.
Tip
There are actually many more services in the container, and each service has a unique id in the container, like request_stack
or router.default
. For a full list, you can run php bin/console debug:container
. But most of the time, you won’t need to worry about this. See Choose a Specific Service. See How to Debug the Service Container & List Services.
Creating/Configuring Services in the Container
You can also organize your own code into services. For example, suppose you need to show your users a random, happy message. If you put this code in your controller, it can’t be re-used. Instead, you decide to create a new class:
// src/Service/MessageGenerator.php
namespace App\Service;
class MessageGenerator
{
public function getHappyMessage(): string
{
$messages = [
'You did it! You updated the system! Amazing!',
'That was one of the coolest updates I\'ve seen all day!',
'Great work! Keep going!',
];
$index = array_rand($messages);
return $messages[$index];
}
}
Congratulations! You’ve created your first service class! You can use it immediately inside your controller:
// src/Controller/ProductController.php
use App\Service\MessageGenerator;
use Symfony\Component\HttpFoundation\Response;
/**
* @Route("/products/new")
*/
public function new(MessageGenerator $messageGenerator): Response
{
// thanks to the type-hint, the container will instantiate a
// new MessageGenerator and pass it to you!
// ...
$message = $messageGenerator->getHappyMessage();
$this->addFlash('success', $message);
// ...
}
When you ask for the MessageGenerator
service, the container constructs a new MessageGenerator
object and returns it (see sidebar below). But if you never ask for the service, it’s never constructed: saving memory and speed. As a bonus, the MessageGenerator
service is only created once: the same instance is returned each time you ask for it.
Automatic Service Loading in services.yaml
The documentation assumes you’re using the following service configuration, which is the default config for a new project:
YAML
# config/services.yaml
services:
# default configuration for services in *this* file
_defaults:
autowire: true # Automatically injects dependencies in your services.
autoconfigure: true # Automatically registers your services as commands, event subscribers, etc.
# makes classes in src/ available to be used as services
# this creates a service per class whose id is the fully-qualified class name
App\:
resource: '../src/*'
exclude: '../src/{DependencyInjection,Entity,Tests,Kernel.php}'
# ...
XML
<!-- config/services.xml -->
<?xml version="1.0" encoding="UTF-8" ?>
<container xmlns="http://symfony.com/schema/dic/services"
xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance"
xsi:schemaLocation="http://symfony.com/schema/dic/services
https://symfony.com/schema/dic/services/services-1.0.xsd">
<services>
<!-- Default configuration for services in *this* file -->
<defaults autowire="true" autoconfigure="true"/>
<!-- makes classes in src/ available to be used as services -->
<!-- this creates a service per class whose id is the fully-qualified class name -->
<prototype namespace="App\" resource="../src/*" exclude="../src/{DependencyInjection,Entity,Tests,Kernel.php}"/>
<!-- ... -->
</services>
</container>
PHP
// config/services.php
namespace Symfony\Component\DependencyInjection\Loader\Configurator;
return function(ContainerConfigurator $configurator) {
// default configuration for services in *this* file
$services = $configurator->services()
->defaults()
->autowire() // Automatically injects dependencies in your services.
->autoconfigure() // Automatically registers your services as commands, event subscribers, etc.
;
// makes classes in src/ available to be used as services
// this creates a service per class whose id is the fully-qualified class name
$services->load('App\\', '../src/*')
->exclude('../src/{DependencyInjection,Entity,Tests,Kernel.php}');
};
Tip
The value of the resource
and exclude
options can be any valid glob pattern). The value of the exclude
option can also be an array of glob patterns.
Thanks to this configuration, you can automatically use any classes from the src/
directory as a service, without needing to manually configure it. Later, you’ll learn more about this in Importing Many Services at once with resource.
If you’d prefer to manually wire your service, that’s totally possible: see Explicitly Configuring Services and Arguments.
Injecting Services/Config into a Service
What if you need to access the logger
service from within MessageGenerator
? No problem! Create a __construct() method with a
$loggerargument that has the
LoggerInterfacetype-hint. Set this on a new
$logger` property and use it later:
// src/Service/MessageGenerator.php
namespace App\Service;
use Psr\Log\LoggerInterface;
class MessageGenerator
{
private $logger;
public function __construct(LoggerInterface $logger)
{
$this->logger = $logger;
}
public function getHappyMessage(): string
{
$this->logger->info('About to find a happy message!');
// ...
}
}
That’s it! The container will automatically know to pass the logger
service when instantiating the MessageGenerator
. How does it know to do this? Autowiring. The key is the LoggerInterface
type-hint in your __construct() method and the
autowire: trueconfig in
services.yaml`. When you type-hint an argument, the container will automatically find the matching service. If it can’t, you’ll see a clear exception with a helpful suggestion.
By the way, this method of adding dependencies to your `__construct() method is called dependency injection.
How should you know to use LoggerInterface
for the type-hint? You can either read the docs for whatever feature you’re using, or get a list of autowireable type-hints by running:
$ php bin/console debug:autowiring
# this is just a *small* sample of the output...
Describes a logger instance.
Psr\Log\LoggerInterface (monolog.logger)
Request stack that controls the lifecycle of requests.
Symfony\Component\HttpFoundation\RequestStack (request_stack)
RouterInterface is the interface that all Router classes must implement.
Symfony\Component\Routing\RouterInterface (router.default)
[...]
Handling Multiple Services
Suppose you also want to email a site administrator each time a site update is made. To do that, you create a new class:
// src/Service/SiteUpdateManager.php
namespace App\Service;
use App\Service\MessageGenerator;
use Symfony\Component\Mailer\MailerInterface;
use Symfony\Component\Mime\Email;
class SiteUpdateManager
{
private $messageGenerator;
private $mailer;
public function __construct(MessageGenerator $messageGenerator, MailerInterface $mailer)
{
$this->messageGenerator = $messageGenerator;
$this->mailer = $mailer;
}
public function notifyOfSiteUpdate(): bool
{
$happyMessage = $this->messageGenerator->getHappyMessage();
$email = (new Email())
->from('[email protected]')
->to('[email protected]')
->subject('Site update just happened!')
->text('Someone just updated the site. We told them: '.$happyMessage);
$this->mailer->send($email);
// ...
return true;
}
}
This needs the MessageGenerator
and the Mailer
service. That’s no problem, we ask them by type hinting their class and interface names! Now, this new service is ready to be used. In a controller, for example, you can type-hint the new SiteUpdateManager
class and use it:
// src/Controller/SiteController.php
namespace App\Controller;
use App\Service\SiteUpdateManager;
// ...
class SiteController extends AbstractController
{
public function new(SiteUpdateManager $siteUpdateManager)
{
// ...
if ($siteUpdateManager->notifyOfSiteUpdate()) {
$this->addFlash('success', 'Notification mail was sent successfully.');
}
// ...
}
}
Thanks to autowiring and your type-hints in __construct(), the container creates the
SiteUpdateManager` object and passes it the correct argument. In most cases, this works perfectly.
Manually Wiring Arguments
But there are a few cases when an argument to a service cannot be autowired. For example, suppose you want to make the admin email configurable:
// src/Service/SiteUpdateManager.php
// ...
class SiteUpdateManager
{
// ...
+ private $adminEmail;
- public function __construct(MessageGenerator $messageGenerator, MailerInterface $mailer)
+ public function __construct(MessageGenerator $messageGenerator, MailerInterface $mailer, string $adminEmail)
{
// ...
+ $this->adminEmail = $adminEmail;
}
public function notifyOfSiteUpdate(): bool
{
// ...
$email = (new Email())
// ...
- ->to('[email protected]')
+ ->to($this->adminEmail)
// ...
;
// ...
}
}
If you make this change and refresh, you’ll see an error:
Cannot autowire service “App\Service\SiteUpdateManager”: argument “$adminEmail” of method “__construct()” must have a type-hint or be given a value explicitly.
That makes sense! There is no way that the container knows what value you want to pass here. No problem! In your configuration, you can explicitly set this argument:
YAML
# config/services.yaml
services:
# ... same as before
# same as before
App\:
resource: '../src/*'
exclude: '../src/{DependencyInjection,Entity,Tests,Kernel.php}'
# explicitly configure the service
App\Service\SiteUpdateManager:
arguments:
$adminEmail: '[email protected]'
XML
<!-- config/services.xml -->
<?xml version="1.0" encoding="UTF-8" ?>
<container xmlns="http://symfony.com/schema/dic/services"
xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance"
xsi:schemaLocation="http://symfony.com/schema/dic/services
https://symfony.com/schema/dic/services/services-1.0.xsd">
<services>
<!-- ... same as before -->
<!-- Same as before -->
<prototype namespace="App\"
resource="../src/*"
exclude="../src/{DependencyInjection,Entity,Tests,Kernel.php}"
/>
<!-- Explicitly configure the service -->
<service id="App\Service\SiteUpdateManager">
<argument key="$adminEmail">[email protected]</argument>
</service>
</services>
</container>
PHP
// config/services.php
namespace Symfony\Component\DependencyInjection\Loader\Configurator;
use App\Service\SiteUpdateManager;
return function(ContainerConfigurator $configurator) {
// ...
// same as before
$services->load('App\\', '../src/*')
->exclude('../src/{DependencyInjection,Entity,Tests,Kernel.php}');
$services->set(SiteUpdateManager::class)
->arg('$adminEmail', '[email protected]')
;
};
Thanks to this, the container will pass manager@example.com
to the $adminEmail
argument of __construct
when creating the SiteUpdateManager
service. The other arguments will still be autowired.
But, isn’t this fragile? Fortunately, no! If you rename the $adminEmail
argument to something else - e.g. $mainEmail
- you will get a clear exception when you reload the next page (even if that page doesn’t use this service).
Service Parameters
In addition to holding service objects, the container also holds configuration, called parameters. The main article about Symfony configuration explains the configuration parameters in detail and shows all their types (string, boolean, array, binary and PHP constant parameters).
However, there is another type of parameter related to services. In YAML config, any string which starts with @
is considered as the ID of a service, instead of a regular string. In XML config, use the type="service"
type for the parameter and in PHP config use the `service() function:
YAML
# config/services.yaml
services:
App\Service\MessageGenerator:
arguments:
# this is not a string, but a reference to a service called 'logger'
- '@logger'
# if the value of a string argument starts with '@', you need to escape
# it by adding another '@' so Symfony doesn't consider it a service
# the following example would be parsed as the string '@securepassword'
# - '@@securepassword'
XML
<!-- config/services.xml -->
<?xml version="1.0" encoding="UTF-8" ?>
<container xmlns="http://symfony.com/schema/dic/services"
xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance"
xsi:schemaLocation="http://symfony.com/schema/dic/services
https://symfony.com/schema/dic/services/services-1.0.xsd">
<services>
<service id="App\Service\MessageGenerator">
<argument type="service" id="logger"/>
</service>
</services>
</container>
PHP
// config/services.php
namespace Symfony\Component\DependencyInjection\Loader\Configurator;
use App\Service\MessageGenerator;
return function(ContainerConfigurator $configurator) {
$services = $configurator->services();
$services->set(MessageGenerator::class)
// In versions earlier to Symfony 5.1 the service() function was called ref()
->args([service('logger')])
;
};
Working with container parameters is straightforward using the container’s accessor methods for parameters:
// checks if a parameter is defined (parameter names are case-sensitive)
$container->hasParameter('mailer.transport');
// gets value of a parameter
$container->getParameter('mailer.transport');
// adds a new parameter
$container->setParameter('mailer.transport', 'sendmail');
Caution
The used .
notation is a Symfony convention to make parameters easier to read. Parameters are flat key-value elements, they can’t be organized into a nested array
Note
You can only set a parameter before the container is compiled, not at run-time. To learn more about compiling the container see Compiling the Container.
Choose a Specific Service
The MessageGenerator
service created earlier requires a LoggerInterface
argument:
// src/Service/MessageGenerator.php
namespace App\Service;
use Psr\Log\LoggerInterface;
class MessageGenerator
{
private $logger;
public function __construct(LoggerInterface $logger)
{
$this->logger = $logger;
}
// ...
}
However, there are multiple services in the container that implement LoggerInterface
, such as logger
, monolog.logger.request
, monolog.logger.php
, etc. How does the container know which one to use?
In these situations, the container is usually configured to automatically choose one of the services - logger
in this case (read more about why in Using Aliases to Enable Autowiring). But, you can control this and pass in a different logger:
YAML
# config/services.yaml
services:
# ... same code as before
# explicitly configure the service
App\Service\MessageGenerator:
arguments:
# the '@' symbol is important: that's what tells the container
# you want to pass the *service* whose id is 'monolog.logger.request',
# and not just the *string* 'monolog.logger.request'
$logger: '@monolog.logger.request'
XML
<!-- config/services.xml -->
<?xml version="1.0" encoding="UTF-8" ?>
<container xmlns="http://symfony.com/schema/dic/services"
xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance"
xsi:schemaLocation="http://symfony.com/schema/dic/services
https://symfony.com/schema/dic/services/services-1.0.xsd">
<services>
<!-- ... same code as before -->
<!-- Explicitly configure the service -->
<service id="App\Service\MessageGenerator">
<argument key="$logger" type="service" id="monolog.logger.request"/>
</service>
</services>
</container>
PHP
// config/services.php
namespace Symfony\Component\DependencyInjection\Loader\Configurator;
use App\Service\MessageGenerator;
return function(ContainerConfigurator $configurator) {
// ... same code as before
// explicitly configure the service
$services->set(MessageGenerator::class)
->arg('$logger', service('monolog.logger.request'))
;
};
This tells the container that the $logger
argument to __construct
should use service whose id is monolog.logger.request
.
For a full list of all possible services in the container, run:
$ php bin/console debug:container
Binding Arguments by Name or Type
You can also use the bind
keyword to bind specific arguments by name or type:
YAML
# config/services.yaml
services:
_defaults:
bind:
# pass this value to any $adminEmail argument for any service
# that's defined in this file (including controller arguments)
$adminEmail: '[email protected]'
# pass this service to any $requestLogger argument for any
# service that's defined in this file
$requestLogger: '@monolog.logger.request'
# pass this service for any LoggerInterface type-hint for any
# service that's defined in this file
Psr\Log\LoggerInterface: '@monolog.logger.request'
# optionally you can define both the name and type of the argument to match
string $adminEmail: '[email protected]'
Psr\Log\LoggerInterface $requestLogger: '@monolog.logger.request'
iterable $rules: !tagged_iterator app.foo.rule
# ...
XML
<!-- config/services.xml -->
<?xml version="1.0" encoding="UTF-8" ?>
<container xmlns="http://symfony.com/schema/dic/services"
xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance"
xsi:schemaLocation="http://symfony.com/schema/dic/services
https://symfony.com/schema/dic/services/services-1.0.xsd">
<services>
<defaults autowire="true" autoconfigure="true" public="false">
<bind key="$adminEmail">[email protected]</bind>
<bind key="$requestLogger"
type="service"
id="monolog.logger.request"
/>
<bind key="Psr\Log\LoggerInterface"
type="service"
id="monolog.logger.request"
/>
<!-- optionally you can define both the name and type of the argument to match -->
<bind key="string $adminEmail">[email protected]</bind>
<bind key="Psr\Log\LoggerInterface $requestLogger"
type="service"
id="monolog.logger.request"
/>
<bind key="iterable $rules"
type="tagged_iterator"
tag="app.foo.rule"
/>
</defaults>
<!-- ... -->
</services>
</container>
PHP
// config/services.php
namespace Symfony\Component\DependencyInjection\Loader\Configurator;
use App\Controller\LuckyController;
use Psr\Log\LoggerInterface;
use Symfony\Component\DependencyInjection\Definition;
use Symfony\Component\DependencyInjection\Reference;
return function(ContainerConfigurator $configurator) {
$services = $configurator->services()
->defaults()
// pass this value to any $adminEmail argument for any service
// that's defined in this file (including controller arguments)
->bind('$adminEmail', '[email protected]')
// pass this service to any $requestLogger argument for any
// service that's defined in this file
->bind('$requestLogger', service('monolog.logger.request'))
// pass this service for any LoggerInterface type-hint for any
// service that's defined in this file
->bind(LoggerInterface::class, service('monolog.logger.request'))
// optionally you can define both the name and type of the argument to match
->bind('string $adminEmail', '[email protected]')
->bind(LoggerInterface::class.' $requestLogger', service('monolog.logger.request'))
->bind('iterable $rules', tagged_iterator('app.foo.rule'))
;
// ...
};
By putting the bind
key under _defaults
, you can specify the value of any argument for any service defined in this file! You can bind arguments by name (e.g. $adminEmail
), by type (e.g. Psr\Log\LoggerInterface
) or both (e.g. Psr\Log\LoggerInterface $requestLogger
).
The bind
config can also be applied to specific services or when loading many services at once (i.e. Importing Many Services at once with resource).
The autowire Option
Above, the services.yaml
file has autowire: true
in the _defaults
section so that it applies to all services defined in that file. With this setting, you’re able to type-hint arguments in the `__construct() method of your services and the container will automatically pass you the correct arguments. This entire entry has been written around autowiring.
For more details about autowiring, check out Defining Services Dependencies Automatically (Autowiring).
The autoconfigure Option
Above, the services.yaml
file has autoconfigure: true
in the _defaults
section so that it applies to all services defined in that file. With this setting, the container will automatically apply certain configuration to your services, based on your service’s class. This is mostly used to auto-tag your services.
For example, to create a Twig extension, you need to create a class, register it as a service, and tag it with twig.extension
.
But, with autoconfigure: true
, you don’t need the tag. In fact, if you’re using the default services.yaml config, you don’t need to do anything: the service will be automatically loaded. Then, autoconfigure
will add the twig.extension
tag for you, because your class implements Twig\Extension\ExtensionInterface
. And thanks to autowire
, you can even add constructor arguments without any configuration.
Linting Service Definitions
The lint:container
command checks that the arguments injected into services match their type declarations. It’s useful to run it before deploying your application to production (e.g. in your continuous integration server):
$ php bin/console lint:container
Checking the types of all service arguments whenever the container is compiled can hurt performance. That’s why this type checking is implemented in a compiler pass called CheckTypeDeclarationsPass
which is disabled by default and enabled only when executing the lint:container
command. If you don’t mind the performance loss, enable the compiler pass in your application.
Public Versus Private Services
Every service defined is private by default. When a service is private, you cannot access it directly from the container using $container->get(). As a best practice, you should only create *private* services and you should fetch services using dependency injection instead of using
$container->get().
If you need to fetch services lazily, instead of using public services you should consider using a service locator.
But, if you do need to make a service public, override the public
setting:
YAML
# config/services.yaml
services:
# ... same code as before
# explicitly configure the service
App\Service\PublicService:
public: true
XML
<!-- config/services.xml -->
<?xml version="1.0" encoding="UTF-8" ?>
<container xmlns="http://symfony.com/schema/dic/services"
xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance"
xsi:schemaLocation="http://symfony.com/schema/dic/services
https://symfony.com/schema/dic/services/services-1.0.xsd">
<services>
<!-- ... same code as before -->
<!-- Explicitly configure the service -->
<service id="App\Service\PublicService" public="true"></service>
</services>
</container>
PHP
// config/services.php
namespace Symfony\Component\DependencyInjection\Loader\Configurator;
use App\Service\PublicService;
return function(ContainerConfigurator $configurator) {
// ... same as code before
// explicitly configure the service
$services->set(Service\PublicService::class)
->public()
;
};
Deprecated since version 5.1: As of Symfony 5.1, it is no longer possible to autowire the service container by type-hinting Psr\Container\ContainerInterface
.
Importing Many Services at once with resource
You’ve already seen that you can import many services at once by using the resource
key. For example, the default Symfony configuration contains this:
YAML
# config/services.yaml
services:
# ... same as before
# makes classes in src/ available to be used as services
# this creates a service per class whose id is the fully-qualified class name
App\:
resource: '../src/*'
exclude: '../src/{DependencyInjection,Entity,Tests,Kernel.php}'
XML
<!-- config/services.xml -->
<?xml version="1.0" encoding="UTF-8" ?>
<container xmlns="http://symfony.com/schema/dic/services"
xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance"
xsi:schemaLocation="http://symfony.com/schema/dic/services
https://symfony.com/schema/dic/services/services-1.0.xsd">
<services>
<!-- ... same as before -->
<prototype namespace="App\" resource="../src/*" exclude="../src/{DependencyInjection,Entity,Tests,Kernel.php}"/>
</services>
</container>
PHP
// config/services.php
namespace Symfony\Component\DependencyInjection\Loader\Configurator;
return function(ContainerConfigurator $configurator) {
// ...
// makes classes in src/ available to be used as services
// this creates a service per class whose id is the fully-qualified class name
$services->load('App\\', '../src/*')
->exclude('../src/{DependencyInjection,Entity,Tests,Kernel.php}');
};
Tip
The value of the resource
and exclude
options can be any valid glob pattern).
This can be used to quickly make many classes available as services and apply some default configuration. The id
of each service is its fully-qualified class name. You can override any service that’s imported by using its id (class name) below (e.g. see Manually Wiring Arguments). If you override a service, none of the options (e.g. public
) are inherited from the import (but the overridden service does still inherit from _defaults
).
You can also exclude
certain paths. This is optional, but will slightly increase performance in the dev
environment: excluded paths are not tracked and so modifying them will not cause the container to be rebuilt.
Note
Wait, does this mean that every class in src/
is registered as a service? Even model classes? Actually, no. As long as you keep your imported services as private, all classes in src/
that are not explicitly used as services are automatically removed from the final container. In reality, the import means that all classes are “available to be used as services” without needing to be manually configured.
Multiple Service Definitions Using the Same Namespace
If you define services using the YAML config format, the PHP namespace is used as the key of each configuration, so you can’t define different service configs for classes under the same namespace:
YAML
# config/services.yaml
services:
App\Domain\:
resource: '../src/Domain/*'
# ...
XML
<!-- config/services.xml -->
<?xml version="1.0" encoding="UTF-8" ?>
<container xmlns="http://symfony.com/schema/dic/services"
xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance"
xsi:schemaLocation="http://symfony.com/schema/dic/services
https://symfony.com/schema/dic/services/services-1.0.xsd">
<services>
<prototype namespace="App\Domain"
resource="../src/App/Domain/*"/>
<!-- ... -->
</services>
</container>
PHP
// config/services.php
use Symfony\Component\DependencyInjection\Definition;
$defaults = new Definition();
// $this is a reference to the current loader
$this->registerClasses(
$defaults,
'App\\Domain\\',
'../src/App/Domain/*'
);
// ...
In order to have multiple definitions, add the namespace
option and use any unique string as the key of each service config:
# config/services.yaml
services:
command_handlers:
namespace: App\Domain\
resource: '../src/Domain/*/CommandHandler'
tags: [command_handler]
event_subscribers:
namespace: App\Domain\
resource: '../src/Domain/*/EventSubscriber'
tags: [event_subscriber]
Explicitly Configuring Services and Arguments
Prior to Symfony 3.3, all services and (typically) arguments were explicitly configured: it was not possible to load services automatically and autowiring was much less common.
Both of these features are optional. And even if you use them, there may be some cases where you want to manually wire a service. For example, suppose that you want to register 2 services for the SiteUpdateManager
class - each with a different admin email. In this case, each needs to have a unique service id:
YAML
# config/services.yaml
services:
# ...
# this is the service's id
site_update_manager.superadmin:
class: App\Service\SiteUpdateManager
# you CAN still use autowiring: we just want to show what it looks like without
autowire: false
# manually wire all arguments
arguments:
- '@App\Service\MessageGenerator'
- '@mailer'
- '[email protected]'
site_update_manager.normal_users:
class: App\Service\SiteUpdateManager
autowire: false
arguments:
- '@App\Service\MessageGenerator'
- '@mailer'
- '[email protected]'
# Create an alias, so that - by default - if you type-hint SiteUpdateManager,
# the site_update_manager.superadmin will be used
App\Service\SiteUpdateManager: '@site_update_manager.superadmin'
XML
<!-- config/services.xml -->
<?xml version="1.0" encoding="UTF-8" ?>
<container xmlns="http://symfony.com/schema/dic/services"
xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance"
xsi:schemaLocation="http://symfony.com/schema/dic/services
https://symfony.com/schema/dic/services/services-1.0.xsd">
<services>
<!-- ... -->
<service id="site_update_manager.superadmin" class="App\Service\SiteUpdateManager" autowire="false">
<argument type="service" id="App\Service\MessageGenerator"/>
<argument type="service" id="mailer"/>
<argument>[email protected]</argument>
</service>
<service id="site_update_manager.normal_users" class="App\Service\SiteUpdateManager" autowire="false">
<argument type="service" id="App\Service\MessageGenerator"/>
<argument type="service" id="mailer"/>
<argument>[email protected]</argument>
</service>
<service id="App\Service\SiteUpdateManager" alias="site_update_manager.superadmin"/>
</services>
</container>
PHP
// config/services.php
namespace Symfony\Component\DependencyInjection\Loader\Configurator;
use App\Service\MessageGenerator;
use App\Service\SiteUpdateManager;
return function(ContainerConfigurator $configurator) {
// ...
// site_update_manager.superadmin is the service's id
$services->set('site_update_manager.superadmin', SiteUpdateManager::class)
// you CAN still use autowiring: we just want to show what it looks like without
->autowire(false)
// manually wire all arguments
->args([
service(MessageGenerator::class),
service('mailer'),
'[email protected]',
]);
$services->set('site_update_manager.normal_users', SiteUpdateManager::class)
->autowire(false)
->args([
service(MessageGenerator::class),
service('mailer'),
'[email protected]',
]);
// Create an alias, so that - by default - if you type-hint SiteUpdateManager,
// the site_update_manager.superadmin will be used
$services->alias(SiteUpdateManager::class, 'site_update_manager.superadmin');
};
In this case, two services are registered: site_update_manager.superadmin
and site_update_manager.normal_users
. Thanks to the alias, if you type-hint SiteUpdateManager
the first (site_update_manager.superadmin
) will be passed. If you want to pass the second, you’ll need to manually wire the service.
Caution
If you do not create the alias and are loading all services from src/, then three services have been created (the automatic service + your two services) and the automatically loaded service will be passed - by default - when you type-hint SiteUpdateManager
. That’s why creating the alias is a good idea.
Learn more
- How to Create Service Aliases and Mark Services as Private
- Defining Services Dependencies Automatically (Autowiring)
- Service Method Calls and Setter Injection
- How to Work with Compiler Passes
- How to Configure a Service with a Configurator
- How to Debug the Service Container & List Services
- How to work with Service Definition Objects
- How to Inject Values Based on Complex Expressions
- Using a Factory to Create Services
- How to Import Configuration Files/Resources
- Types of Injection
- Lazy Services
- How to Make Service Arguments/References Optional
- How to Manage Common Dependencies with Parent Services
- How to Retrieve the Request from the Service Container
- How to Decorate Services
- Service Subscribers & Locators
- How to Define Non Shared Services
- How to Inject Instances into the Container
- How to Work with Service Tags
This work, including the code samples, is licensed under a Creative Commons BY-SA 3.0 license.