The Messenger Component

The Messenger component helps applications send and receive messages to/fromother applications or via message queues.

The component is greatly inspired by Matthias Noback's series ofblog posts about command buses and the SimpleBus project.

This article explains how to use the Messenger features as an independentcomponent in any PHP application. Read the Messenger: Sync & Queued Message Handling article tolearn about how to use it in Symfony applications.

Installation

  1. $ composer require symfony/messenger

Note

If you install this component outside of a Symfony application, you mustrequire the vendor/autoload.php file in your code to enable the classautoloading mechanism provided by Composer. Readthis article for more details.

Concepts

  • Sender:
  • Responsible for serializing and sending messages to something. Thissomething can be a message broker or a third party API for example.
  • Receiver:
  • Responsible for retrieving, deserializing and forwarding messages to handler(s).This can be a message queue puller or an API endpoint for example.
  • Handler:
  • Responsible for handling messages using the business logic applicable to the messages.Handlers are called by the HandleMessageMiddleware middleware.
  • Middleware:
  • Middleware can access the message and its wrapper (the envelope) while it isdispatched through the bus.Literally "the software in the middle", those are not about core concerns(business logic) of an application. Instead, they are cross cutting concernsapplicable throughout the application and affecting the entire message bus.For instance: logging, validating a message, starting a transaction, …They are also responsible for calling the next middleware in the chain,which means they can tweak the envelope, by adding stamps to it or evenreplacing it, as well as interrupt the middleware chain.
  • Envelope
  • Messenger specific concept, it gives full flexibility inside the message bus,by wrapping the messages into it, allowing to add useful information insidethrough envelope stamps.
  • Envelope Stamps
  • Piece of information you need to attach to your message: serializer contextto use for transport, markers identifying a received message or any sort ofmetadata your middleware or transport layer may use.

Bus

The bus is used to dispatch messages. The behavior of the bus is in its orderedmiddleware stack. The component comes with a set of middleware that you can use.

When using the message bus with Symfony's FrameworkBundle, the following middlewareare configured for you:

Deprecated since version 4.3: The LoggingMiddleware is deprecated since Symfony 4.3 and will beremoved in 5.0. Pass a logger to SendMessageMiddleware instead.

Example:

  1. use App\Message\MyMessage;
  2. use Symfony\Component\Messenger\Handler\HandlersLocator;
  3. use Symfony\Component\Messenger\MessageBus;
  4. use Symfony\Component\Messenger\Middleware\HandleMessageMiddleware;
  5.  
  6. $bus = new MessageBus([
  7. new HandleMessageMiddleware(new HandlersLocator([
  8. MyMessage::class => [$handler],
  9. ])),
  10. ]);
  11.  
  12. $bus->dispatch(new MyMessage(/* ... */));

Note

Every middleware needs to implement the MiddlewareInterface.

Handlers

Once dispatched to the bus, messages will be handled by a "message handler". Amessage handler is a PHP callable (i.e. a function or an instance of a class)that will do the required processing for your message:

  1. namespace App\MessageHandler;
  2.  
  3. use App\Message\MyMessage;
  4.  
  5. class MyMessageHandler
  6. {
  7. public function __invoke(MyMessage $message)
  8. {
  9. // Message processing...
  10. }
  11. }

Adding Metadata to Messages (Envelopes)

If you need to add metadata or some configuration to a message, wrap it with theEnvelope class and add stamps.For example, to set the serialization groups used when the message goesthrough the transport layer, use the SerializerStamp stamp:

  1. use Symfony\Component\Messenger\Envelope;
  2. use Symfony\Component\Messenger\Stamp\SerializerStamp;
  3.  
  4. $bus->dispatch(
  5. (new Envelope($message))->with(new SerializerStamp([
  6. // groups are applied to the whole message, so make sure
  7. // to define the group for every embedded object
  8. 'groups' => ['my_serialization_groups'],
  9. ]))
  10. );

At the moment, the Symfony Messenger has the following built-in envelope stamps:

  • SerializerStamp,to configure the serialization groups used by the transport.
  • ValidationStamp,to configure the validation groups used when the validation middleware is enabled.
  • ReceivedStamp,an internal stamp that marks the message as received from a transport.
  • SentStamp,a stamp that marks the message as sent by a specific sender.Allows accessing the sender FQCN and the alias if available from theSendersLocator.
  • HandledStamp,a stamp that marks the message as handled by a specific handler.Allows accessing the handler returned value and the handler name.Instead of dealing directly with the messages in the middleware you receive the envelope.Hence you can inspect the envelope content and its stamps, or add any:
  1. use App\Message\Stamp\AnotherStamp;
  2. use Symfony\Component\Messenger\Middleware\MiddlewareInterface;
  3. use Symfony\Component\Messenger\Middleware\StackInterface;
  4. use Symfony\Component\Messenger\Stamp\ReceivedStamp;
  5.  
  6. class MyOwnMiddleware implements MiddlewareInterface
  7. {
  8. public function handle(Envelope $envelope, StackInterface $stack): Envelope
  9. {
  10. if (null !== $envelope->last(ReceivedStamp::class)) {
  11. // Message just has been received...
  12.  
  13. // You could for example add another stamp.
  14. $envelope = $envelope->with(new AnotherStamp(/* ... */));
  15. }
  16.  
  17. return $stack->next()->handle($envelope, $stack);
  18. }
  19. }

The above example will forward the message to the next middleware with anadditional stamp if the message has just been received (i.e. has at least oneReceivedStamp stamp). You can create your own stamps by implementingStampInterface.

If you want to examine all stamps on an envelope, use the $envelope->all()method, which returns all stamps grouped by type (FQCN). Alternatively, you caniterate through all stamps of a specific type by using the FQCN as firstparameter of this method (e.g. $envelope->all(ReceivedStamp::class)).

Note

Any stamp must be serializable using the Symfony Serializer componentif going through transport using the Serializerbase serializer.

Transports

In order to send and receive messages, you will have to configure a transport. Atransport will be responsible for communicating with your message broker or 3rd parties.

Your own Sender

Imagine that you already have an ImportantAction message going through themessage bus and being handled by a handler. Now, you also want to send thismessage as an email (using the Mime andMailer components).

Using the SenderInterface,you can create your own message sender:

  1. namespace App\MessageSender;
  2.  
  3. use App\Message\ImportantAction;
  4. use Symfony\Component\Mailer\MailerInterface;
  5. use Symfony\Component\Messenger\Envelope;
  6. use Symfony\Component\Messenger\Transport\Sender\SenderInterface;
  7. use Symfony\Component\Mime\Email;
  8.  
  9. class ImportantActionToEmailSender implements SenderInterface
  10. {
  11. private $mailer;
  12. private $toEmail;
  13.  
  14. public function __construct(MailerInterface $mailer, string $toEmail)
  15. {
  16. $this->mailer = $mailer;
  17. $this->toEmail = $toEmail;
  18. }
  19.  
  20. public function send(Envelope $envelope): Envelope
  21. {
  22. $message = $envelope->getMessage();
  23.  
  24. if (!$message instanceof ImportantAction) {
  25. throw new \InvalidArgumentException(sprintf('This transport only supports "%s" messages.', ImportantAction::class));
  26. }
  27.  
  28. $this->mailer->send(
  29. (new Email())
  30. ->to($this->toEmail)
  31. ->subject('Important action made')
  32. ->html('<h1>Important action</h1><p>Made by '.$message->getUsername().'</p>')
  33. );
  34.  
  35. return $envelope;
  36. }
  37. }

Your own Receiver

A receiver is responsible for getting messages from a source and dispatchingthem to the application.

Imagine you already processed some "orders" in your application using aNewOrder message. Now you want to integrate with a 3rd party or a legacyapplication but you can't use an API and need to use a shared CSV file with neworders.

You will read this CSV file and dispatch a NewOrder message. All you need todo is to write your own CSV receiver:

  1. namespace App\MessageReceiver;
  2.  
  3. use App\Message\NewOrder;
  4. use Symfony\Component\Messenger\Envelope;
  5. use Symfony\Component\Messenger\Exception\MessageDecodingFailedException;
  6. use Symfony\Component\Messenger\Transport\Receiver\ReceiverInterface;
  7. use Symfony\Component\Serializer\SerializerInterface;
  8.  
  9. class NewOrdersFromCsvFileReceiver implements ReceiverInterface
  10. {
  11. private $serializer;
  12. private $filePath;
  13.  
  14. public function __construct(SerializerInterface $serializer, string $filePath)
  15. {
  16. $this->serializer = $serializer;
  17. $this->filePath = $filePath;
  18. }
  19.  
  20. public function get(): iterable
  21. {
  22. // Receive the envelope according to your transport ($yourEnvelope here),
  23. // in most cases, using a connection is the easiest solution.
  24. if (null === $yourEnvelope) {
  25. return [];
  26. }
  27.  
  28. try {
  29. $envelope = $this->serializer->decode([
  30. 'body' => $yourEnvelope['body'],
  31. 'headers' => $yourEnvelope['headers'],
  32. ]);
  33. } catch (MessageDecodingFailedException $exception) {
  34. $this->connection->reject($yourEnvelope['id']);
  35. throw $exception;
  36. }
  37.  
  38. return [$envelope->with(new CustomStamp($yourEnvelope['id']);
  39. }
  40.  
  41. public function ack(Envelope $envelope): void
  42. {
  43. // Add information about the handled message
  44. }
  45.  
  46. public function reject(Envelope $envelope): void
  47. {
  48. // In the case of a custom connection
  49. $this->connection->reject($this->findCustomStamp($envelope)->getId());
  50. }
  51. }

New in version 4.3: In Symfony 4.3, the ReceiverInterface has changed its methods as shownin the example above. You may need to update your code if you used thisinterface in previous Symfony versions.

Receiver and Sender on the same Bus

To allow sending and receiving messages on the same bus and prevent an infiniteloop, the message bus will add a ReceivedStampstamp to the message envelopes and the SendMessageMiddlewaremiddleware will know it should not route these messages again to a transport.

Learn more