Skip to content

How to Work with Services Provided by Third-Party Bundles

Warning: You are browsing the documentation for Symfony 2.x, which is no longer maintained.

Read the updated version of this page for Symfony 7.1 (the current stable version).

Since Symfony and all third-party bundles configure and retrieve their services via the container, you can easily access them or even use them in your own services. To keep things simple, Symfony by default does not require that controllers must be defined as services. Furthermore, Symfony injects the entire service container into your controller. For example, to handle the storage of information on a user's session, Symfony provides a session service, which you can access inside a standard controller as follows:

1
2
3
4
5
6
7
public function indexAction($bar)
{
    $session = $this->get('session');
    $session->set('foo', $bar);

    // ...
}

In Symfony, you'll constantly use services provided by the Symfony core or other third-party bundles to perform tasks such as rendering templates (templating), sending emails (mailer), or accessing information on the request through the request stack (request_stack).

You can take this a step further by using these services inside services that you've created for your application. Beginning by modifying the NewsletterManager to use the real Symfony mailer service (instead of the pretend app.mailer). Also pass the templating engine service to the NewsletterManager so that it can generate the email content via a template:

1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
// src/AppBundle/Newsletter/NewsletterManager.php
namespace AppBundle\Newsletter;

use Symfony\Component\Templating\EngineInterface;

class NewsletterManager
{
    protected $mailer;

    protected $templating;

    public function __construct(
        \Swift_Mailer $mailer,
        EngineInterface $templating
    ) {
        $this->mailer = $mailer;
        $this->templating = $templating;
    }

    // ...
}

Configuring the service container is easy:

1
2
3
4
5
# app/config/services.yml
services:
    app.newsletter_manager:
        class:     AppBundle\Newsletter\NewsletterManager
        arguments: ['@mailer', '@templating']

The app.newsletter_manager service now has access to the core mailer and templating services. This is a common way to create services specific to your application that leverage the power of different services within the framework.

Tip

Be sure that the swiftmailer entry appears in your application configuration. As was mentioned in How to Import Configuration Files/Resources, the swiftmailer key invokes the service extension from the SwiftmailerBundle, which registers the mailer service.

This work, including the code samples, is licensed under a Creative Commons BY-SA 3.0 license.
TOC
    Version