Events and Event Listeners
During the execution of a Symfony application, lots of event notifications aretriggered. Your application can listen to these notifications and respond tothem by executing any piece of code.
Symfony triggers several events related to the kernelwhile processing the HTTP Request. Third-party bundles may also dispatch events, andyou can even dispatch custom events from yourown code.
All the examples shown in this article use the same KernelEvents::EXCEPTION
event for consistency purposes. In your own application, you can use any eventand even mix several of them in the same subscriber.
Creating an Event Listener
The most common way to listen to an event is to register an event listener:
- // src/EventListener/ExceptionListener.php
- namespace App\EventListener;
- use Symfony\Component\HttpFoundation\Response;
- use Symfony\Component\HttpKernel\Event\ExceptionEvent;
- use Symfony\Component\HttpKernel\Exception\HttpExceptionInterface;
- class ExceptionListener
- {
- public function onKernelException(ExceptionEvent $event)
- {
- // You get the exception object from the received event
- $exception = $event->getException();
- $message = sprintf(
- 'My Error says: %s with code: %s',
- $exception->getMessage(),
- $exception->getCode()
- );
- // Customize your response object to display the exception details
- $response = new Response();
- $response->setContent($message);
- // HttpExceptionInterface is a special type of exception that
- // holds status code and header details
- if ($exception instanceof HttpExceptionInterface) {
- $response->setStatusCode($exception->getStatusCode());
- $response->headers->replace($exception->getHeaders());
- } else {
- $response->setStatusCode(Response::HTTP_INTERNAL_SERVER_ERROR);
- }
- // sends the modified response object to the event
- $event->setResponse($response);
- }
- }
Tip
Each event receives a slightly different type of $event
object. Forthe kernel.exception
event, it is ExceptionEvent
.Check out the Symfony events reference to seewhat type of object each event provides.
New in version 4.3: The ExceptionEvent
class wasintroduced in Symfony 4.3. In previous versions it was calledSymfony\Component\HttpKernel\Event\GetResponseForExceptionEvent
.
Now that the class is created, you need to register it as a service andnotify Symfony that it is a "listener" on the kernel.exception
event byusing a special "tag":
- YAML
- # config/services.yaml
- services:
- App\EventListener\ExceptionListener:
- tags:
- - { name: kernel.event_listener, event: kernel.exception }
- 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\EventListener\ExceptionListener">
- <tag name="kernel.event_listener" event="kernel.exception"/>
- </service>
- </services>
- </container>
- PHP
- // config/services.php
- use App\EventListener\ExceptionListener;
- $container
- ->autowire(ExceptionListener::class)
- ->addTag('kernel.event_listener', ['event' => 'kernel.exception'])
- ;
Symfony follows this logic to decide which method to execute inside the eventlistener class:
- If the
kernel.event_listener
tag defines themethod
attribute, that'sthe name of the method to be executed; - If no
method
attribute is defined, try to execute the method whose nameison
+ "camel-cased event name" (e.g.onKernelException()
method forthekernel.exception
event); - If that method is not defined either, try to execute the
__invoke()
magicmethod (which makes event listeners invokable); - If the
_invoke()
method is not defined either, throw an exception.
Note
There is an optional attribute for the kernel.event_listener
tag calledpriority
, which is a positive or negative integer that defaults to 0
and it controls the order in which listeners are executed (the higher thenumber, the earlier a listener is executed). This is useful when you need toguarantee that one listener is executed before another. The priorities of theinternal Symfony listeners usually range from -255
to 255
but yourown listeners can use any positive or negative integer.
Creating an Event Subscriber
Another way to listen to events is via an event subscriber, which is a classthat defines one or more methods that listen to one or various events. The maindifference with the event listeners is that subscribers always know which eventsthey are listening to.
In a given subscriber, different methods can listen to the same event. The orderin which methods are executed is defined by the priority
parameter of eachmethod (the higher the number the earlier the method is called). To learn moreabout event subscribers, read The EventDispatcher Component.
The following example shows an event subscriber that defines several methods whichlisten to the same kernel.exception
event:
- // src/EventSubscriber/ExceptionSubscriber.php
- namespace App\EventSubscriber;
- use Symfony\Component\EventDispatcher\EventSubscriberInterface;
- use Symfony\Component\HttpKernel\Event\ExceptionEvent;
- use Symfony\Component\HttpKernel\KernelEvents;
- class ExceptionSubscriber implements EventSubscriberInterface
- {
- public static function getSubscribedEvents()
- {
- // return the subscribed events, their methods and priorities
- return [
- KernelEvents::EXCEPTION => [
- ['processException', 10],
- ['logException', 0],
- ['notifyException', -10],
- ],
- ];
- }
- public function processException(ExceptionEvent $event)
- {
- // ...
- }
- public function logException(ExceptionEvent $event)
- {
- // ...
- }
- public function notifyException(ExceptionEvent $event)
- {
- // ...
- }
- }
That's it! Your services.yaml
file should already be setup to load services fromthe EventSubscriber
directory. Symfony takes care of the rest.
Tip
If your methods are not called when an exception is thrown, double-check thatyou're loading services fromthe EventSubscriber
directory and have autoconfigureenabled. You can also manually add the kernel.event_subscriber
tag.
Request Events, Checking Types
A single page can make several requests (one master request, and then multiplesub-requests - typically when embedding controllers in templates).For the core Symfony events, you might need to check to see if the event is fora "master" request or a "sub request":
- // src/EventListener/RequestListener.php
- namespace App\EventListener;
- use Symfony\Component\HttpKernel\Event\RequestEvent;
- class RequestListener
- {
- public function onKernelRequest(RequestEvent $event)
- {
- if (!$event->isMasterRequest()) {
- // don't do anything if it's not the master request
- return;
- }
- // ...
- }
- }
Certain things, like checking information on the real request, may not need tobe done on the sub-request listeners.
Listeners or Subscribers
Listeners and subscribers can be used in the same application indistinctly. Thedecision to use either of them is usually a matter of personal taste. However,there are some minor advantages for each of them:
- Subscribers are easier to reuse because the knowledge of the events is keptin the class rather than in the service definition. This is the reason whySymfony uses subscribers internally;
- Listeners are more flexible because bundles can enable or disable each ofthem conditionally depending on some configuration value.
Debugging Event Listeners
You can find out what listeners are registered in the event dispatcherusing the console. To show all events and their listeners, run:
- $ php bin/console debug:event-dispatcher
You can get registered listeners for a particular event by specifyingits name:
- $ php bin/console debug:event-dispatcher kernel.exception