Skip to content

Commit 069a095

Browse files
committed
feat: improve event bus documentation
1 parent b180068 commit 069a095

File tree

2 files changed

+226
-192
lines changed

2 files changed

+226
-192
lines changed
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,226 @@
1+
---
2+
title: Event bus
3+
description: "Learn how to use Tempest's built-in event bus to dispatch events and decouple different components in your application."
4+
---
5+
6+
## Overview
7+
8+
An event bus is a synchronous communication system that allows different parts of an application to interact while being decoupled from each other.
9+
10+
In Tempest, events can be anything from a scalar value to a simple data class. An event handler can be a closure or a class method, the former needing manual registration and the latter being automatically discovered by the framework.
11+
12+
## Defining events
13+
14+
Most events are typically simple data classes that store information relevant to the event. As a best practice, they should not include any logic.
15+
16+
```php src/AircraftRegistered.php
17+
final readonly class AircraftRegistered
18+
{
19+
public function __construct(
20+
public string $registration,
21+
) {}
22+
}
23+
```
24+
25+
When event classes are too much, you may also use scalar values—such as strings or enumerations—to define events. The latter is highly recommended for a better experience.
26+
27+
```php src/AircraftLifecycle.php
28+
enum AircraftLifecycle
29+
{
30+
case REGISTERED;
31+
case RETIRED;
32+
}
33+
```
34+
35+
## Dispatching events
36+
37+
The {`Tempest\EventBus\EventBus`} interface implements a `dispatch()` method, which you may use to dispatch any event. The event bus may be [injected as a dependency](../1-essentials/01-container) like any other service:
38+
39+
```php src/AircraftService.php
40+
use Tempest\EventBus\EventBus;
41+
42+
final readonly class AircraftService
43+
{
44+
public function __construct(
45+
public EventBus $eventBus,
46+
) {}
47+
48+
public function register(Aircraft $aircraft): void
49+
{
50+
// …
51+
52+
$this->eventBus->dispatch(new AircraftRegistered(
53+
registration: $aircraft->icao_code,
54+
));
55+
}
56+
}
57+
```
58+
59+
Alternatively, Tempest also provides the `\Tempest\event()` function. It accepts the same arguments as the {`Tempest\EventBus\EventBus`}'s `dispatch()` method, but uses [service location](../1-essentials/01-container#injected-properties) under the hood to access the event bus.
60+
61+
## Handling events
62+
63+
Events are only useful if they are listened for. In Tempest, this is done by calling the `listen()` method on the {b`Tempest\EventBus\EventBus`} instance, or by using the {b`#[Tempest\EventBus\EventHandler]`} attribute.
64+
65+
### Global handlers
66+
67+
Attribute-based event handling is most useful when events should be listened to application-wide. In other words, this is the option you should adopt when the associated event must be acted on every time it is dispatched.
68+
69+
```php src/AircraftObserver.php
70+
final readonly class AircraftObserver
71+
{
72+
#[EventHandler]
73+
public function onAircraftRegistered(AircraftRegistered $event): void
74+
{
75+
// …
76+
}
77+
}
78+
```
79+
80+
### Local handlers
81+
82+
When an event is only meant to be listened for in a specific situation, it is better to register it only when relevant. Such a situation could be, for instance, a [console command](../3-console/01-introduction) that needs logging when an event is dispatched.
83+
84+
```php src/SyncUsersCommand.php
85+
final readonly class SyncUsersCommand
86+
{
87+
public function __construct(
88+
private readonly Console $console,
89+
private readonly UserService $userService,
90+
private readonly EventBus $eventBus,
91+
) {}
92+
93+
#[ConsoleCommand('users:sync')]
94+
public function __invoke(AircraftRegistered $event): void
95+
{
96+
$this->console->header('Synchronizing users');
97+
98+
// Listen for the UserSynced to write to the console when it happens
99+
$this->eventBus->listen(UserSynced::class, function (UserSynced $event) {
100+
$this->console->keyValue($event->fullName, 'SYNCED');
101+
});
102+
103+
// Call external code that dispatches the UserSynced event
104+
$this->userService->synchronize();
105+
}
106+
}
107+
```
108+
109+
## Event middleware
110+
111+
When an event is dispatched, it is sent to the event bus, which then forwards it to all registered handlers. Similar to web requests and console commands, the event bus supports middleware.
112+
113+
Event bus middleware can be used for various purposes, such as logging specific events, adding metadata, or performing other pre—or post-processing tasks. These middleware are defined as classes that implement the {`Tempest\EventBus\EventBusMiddleware`} interface.
114+
115+
```php src/EventLoggerMiddleware.php
116+
use Tempest\EventBus\EventBusMiddleware;
117+
use Tempest\EventBus\EventBusMiddlewareCallable;
118+
119+
final readonly class EventLoggerMiddleware implements EventBusMiddleware
120+
{
121+
public function __construct(
122+
private Logger $logger,
123+
) {}
124+
125+
public function __invoke(object $event, EventBusMiddlewareCallable $next): void
126+
{
127+
$next($event);
128+
129+
if ($event instanceof ShouldBeLogged) {
130+
$this->logger->info($event->getLogMessage());
131+
}
132+
}
133+
}
134+
```
135+
136+
Note that event bus middleware are not automatically discovered. This design choice ensures you have precise control over the execution order, just like with HTTP and console middleware. To register your middleware classes, you need to register them in the {b`Tempest\EventBus\EventBusConfig`}:
137+
138+
```php src/eventbus.config.php
139+
return new EventBusConfig(
140+
middleware: [
141+
MyEventBusMiddleware::class,
142+
],
143+
);
144+
```
145+
146+
## Built-in framework events
147+
148+
Tempest includes a few built-in events that are primarily used internally. While most applications won’t need them, you are free to listen to them if desired.
149+
150+
Most notably, the {`\Tempest\Core\KernelEvent`} enumeration defines the `BOOTED` and `SHUTDOWN` events, which are dispatched when the framework has [finished bootstrapping](../4-internals/01-bootstrap) and right before the process is exited, respectively.
151+
152+
Other events include migration-related ones, such as {b`Tempest\Database\Migrations\MigrationMigrated`}, {b`Tempest\Database\Migrations\MigrationRolledBack`}, {b`Tempest\Database\Migrations\MigrationFailed`} and {b`Tempest\Database\Migrations\MigrationValidationFailed`}.
153+
154+
## Testing
155+
156+
By extending {`Tempest\Framework\Testing\IntegrationTest`} from your test case, you may gain access to the event bus testing utilities using the `eventBus` property.
157+
158+
These utilities include a way to replace the event bus with a testing implementation, as well as a few assertion methods to ensure that events have been dispatched or are being listened to.
159+
160+
```php
161+
// Replace the event bus in the container
162+
$this->eventBus->fake();
163+
164+
// Assert that an event has been dispatched
165+
$this->eventBus->assertDispatched(AircraftRegistered::class);
166+
167+
// Assert that an event has been dispatched multiple times
168+
$this->eventBus->assertDispatched(AircraftRegistered::class, count: 2);
169+
170+
// Assert that an event has been dispatched,
171+
// and make custom assertions on the event object
172+
$this->eventBus->assertDispatched(
173+
event: AircraftRegistered::class,
174+
callback: fn (AircraftRegistered $event) => $event->registration === 'LX-JFA'
175+
);
176+
177+
// Assert that an event has not been dispatched
178+
$this->eventBus->assertNotDispatched(AircraftRegistered::class);
179+
180+
// Assert that an event has an attached handler
181+
$this->eventBus->assertListeningTo(AircraftRegistered::class);
182+
```
183+
184+
### Preventing event handling
185+
186+
When testing code that dispatches events, you may want to prevent Tempest from handling them. This can be useful when the event’s handlers are tested separately, or when the side-effects of these handlers are not desired for this test case.
187+
188+
To disable event handling, the event bus instance must be replaced with a testing implementation in the container. This may be achieved by calling the `fake()` method on the `eventBus` property.
189+
190+
```php tests/MyServiceTest.php
191+
$this->eventBus->fake();
192+
```
193+
194+
### Testing a method-based handler
195+
196+
When handlers are registered as methods, instead of dispatching the corresponding event to test the handler logic, you may simply call the method to test it in isolation.
197+
198+
As an example, the following class contains an handler for the `AircraftRegistered` event:
199+
200+
```php src/AircraftObserver.php
201+
final readonly class AircraftObserver
202+
{
203+
#[EventHandler]
204+
public function onAircraftRegistered(AircraftRegistered $event): void
205+
{
206+
// …
207+
}
208+
}
209+
```
210+
211+
This handler may be tested by resolving the service class from the container, and calling the method with an instance of the event created for this purpose.
212+
213+
```php src/AircraftObserverTest.php
214+
// Replace the event bus in the container
215+
$this->eventBus->fake();
216+
217+
// Resolve the service class
218+
$observer = $this->container->get(AircraftObserver::class);
219+
220+
// Call the event handler
221+
$observer->onAircraftRegistered(new AircraftRegistered(
222+
registration: 'LX-JFA',
223+
));
224+
225+
// Assert that a mail has been sent, that the database contains something…
226+
```

0 commit comments

Comments
 (0)