# Events * Introduction * Generating Events and Listeners * Registering Events and Listeners * Event Discovery * Manually Registering Events * Closure Listeners * Defining Events * Defining Listeners * Queued Event Listeners * Manually Interacting With the Queue * Queued Event Listeners and Database Transactions * Queued Listener Middleware * Encrypted Queued Listeners * Handling Failed Jobs * Dispatching Events * Dispatching Events After Database Transactions * Deferring Events * Event Subscribers * Writing Event Subscribers * Registering Event Subscribers * Testing * Faking a Subset of Events * Scoped Events Fakes ## Introduction Laravel's events provide a simple observer pattern implementation, allowing you to subscribe and listen for various events that occur within your application. Event classes are typically stored in the `app/Events` directory, while their listeners are stored in `app/Listeners`. Don't worry if you don't see these directories in your application as they will be created for you as you generate events and listeners using Artisan console commands. Events serve as a great way to decouple various aspects of your application, since a single event can have multiple listeners that do not depend on each other. For example, you may wish to send a Slack notification to your user each time an order has shipped. Instead of coupling your order processing code to your Slack notification code, you can raise an `App\Events\OrderShipped` event which a listener can receive and use to dispatch a Slack notification. ## Generating Events and Listeners To quickly generate events and listeners, you may use the `make:event` and `make:listener` Artisan commands: 1php artisan make:event PodcastProcessed 2  3php artisan make:listener SendPodcastNotification --event=PodcastProcessed php artisan make:event PodcastProcessed php artisan make:listener SendPodcastNotification --event=PodcastProcessed For convenience, you may also invoke the `make:event` and `make:listener` Artisan commands without additional arguments. When you do so, Laravel will automatically prompt you for the class name and, when creating a listener, the event it should listen to: 1php artisan make:event 2  3php artisan make:listener php artisan make:event php artisan make:listener ## Registering Events and Listeners ### Event Discovery By default, Laravel will automatically find and register your event listeners by scanning your application's `Listeners` directory. When Laravel finds any listener class method that begins with `handle` or `__invoke`, Laravel will register those methods as event listeners for the event that is type-hinted in the method's signature: 1use App\Events\PodcastProcessed; 2  3class SendPodcastNotification 4{ 5 /** 6 * Handle the event. 7 */ 8 public function handle(PodcastProcessed $event): void 9 { 10 // ... 11 } 12} use App\Events\PodcastProcessed; class SendPodcastNotification { /** * Handle the event. */ public function handle(PodcastProcessed $event): void { // ... } } You may listen to multiple events using PHP's union types: 1/** 2 * Handle the event. 3 */ 4public function handle(PodcastProcessed|PodcastPublished $event): void 5{ 6 // ... 7} /** * Handle the event. */ public function handle(PodcastProcessed|PodcastPublished $event): void { // ... } If you plan to store your listeners in a different directory or within multiple directories, you may instruct Laravel to scan those directories using the `withEvents` method in your application's `bootstrap/app.php` file: 1->withEvents(discover: [ 2 __DIR__.'/../app/Domain/Orders/Listeners', 3]) ->withEvents(discover: [ __DIR__.'/../app/Domain/Orders/Listeners', ]) You may scan for listeners in multiple similar directories using the `*` character as a wildcard: 1->withEvents(discover: [ 2 __DIR__.'/../app/Domain/*/Listeners', 3]) ->withEvents(discover: [ __DIR__.'/../app/Domain/*/Listeners', ]) The `event:list` command may be used to list all of the listeners registered within your application: 1php artisan event:list php artisan event:list #### Event Discovery in Production To give your application a speed boost, you should cache a manifest of all of your application's listeners using the `optimize` or `event:cache` Artisan commands. Typically, this command should be run as part of your application's [deployment process](/docs/12.x/deployment#optimization). This manifest will be used by the framework to speed up the event registration process. The `event:clear` command may be used to destroy the event cache. ### Manually Registering Events Using the `Event` facade, you may manually register events and their corresponding listeners within the `boot` method of your application's `AppServiceProvider`: 1use App\Domain\Orders\Events\PodcastProcessed; 2use App\Domain\Orders\Listeners\SendPodcastNotification; 3use Illuminate\Support\Facades\Event; 4  5/** 6 * Bootstrap any application services. 7 */ 8public function boot(): void 9{ 10 Event::listen( 11 PodcastProcessed::class, 12 SendPodcastNotification::class, 13 ); 14} use App\Domain\Orders\Events\PodcastProcessed; use App\Domain\Orders\Listeners\SendPodcastNotification; use Illuminate\Support\Facades\Event; /** * Bootstrap any application services. */ public function boot(): void { Event::listen( PodcastProcessed::class, SendPodcastNotification::class, ); } The `event:list` command may be used to list all of the listeners registered within your application: 1php artisan event:list php artisan event:list ### Closure Listeners Typically, listeners are defined as classes; however, you may also manually register closure-based event listeners in the `boot` method of your application's `AppServiceProvider`: 1use App\Events\PodcastProcessed; 2use Illuminate\Support\Facades\Event; 3  4/** 5 * Bootstrap any application services. 6 */ 7public function boot(): void 8{ 9 Event::listen(function (PodcastProcessed $event) { 10 // ... 11 }); 12} use App\Events\PodcastProcessed; use Illuminate\Support\Facades\Event; /** * Bootstrap any application services. */ public function boot(): void { Event::listen(function (PodcastProcessed $event) { // ... }); } #### Queueable Anonymous Event Listeners When registering closure-based event listeners, you may wrap the listener closure within the `Illuminate\Events\queueable` function to instruct Laravel to execute the listener using the [queue](/docs/12.x/queues): 1use App\Events\PodcastProcessed; 2use function Illuminate\Events\queueable; 3use Illuminate\Support\Facades\Event; 4  5/** 6 * Bootstrap any application services. 7 */ 8public function boot(): void 9{ 10 Event::listen(queueable(function (PodcastProcessed $event) { 11 // ... 12 })); 13} use App\Events\PodcastProcessed; use function Illuminate\Events\queueable; use Illuminate\Support\Facades\Event; /** * Bootstrap any application services. */ public function boot(): void { Event::listen(queueable(function (PodcastProcessed $event) { // ... })); } Like queued jobs, you may use the `onConnection`, `onQueue`, and `delay` methods to customize the execution of the queued listener: 1Event::listen(queueable(function (PodcastProcessed $event) { 2 // ... 3})->onConnection('redis')->onQueue('podcasts')->delay(now()->addSeconds(10))); Event::listen(queueable(function (PodcastProcessed $event) { // ... })->onConnection('redis')->onQueue('podcasts')->delay(now()->addSeconds(10))); If you would like to handle anonymous queued listener failures, you may provide a closure to the `catch` method while defining the `queueable` listener. This closure will receive the event instance and the `Throwable` instance that caused the listener's failure: 1use App\Events\PodcastProcessed; 2use function Illuminate\Events\queueable; 3use Illuminate\Support\Facades\Event; 4use Throwable; 5  6Event::listen(queueable(function (PodcastProcessed $event) { 7 // ... 8})->catch(function (PodcastProcessed $event, Throwable $e) { 9 // The queued listener failed... 10})); use App\Events\PodcastProcessed; use function Illuminate\Events\queueable; use Illuminate\Support\Facades\Event; use Throwable; Event::listen(queueable(function (PodcastProcessed $event) { // ... })->catch(function (PodcastProcessed $event, Throwable $e) { // The queued listener failed... })); #### Wildcard Event Listeners You may also register listeners using the `*` character as a wildcard parameter, allowing you to catch multiple events on the same listener. Wildcard listeners receive the event name as their first argument and the entire event data array as their second argument: 1Event::listen('event.*', function (string $eventName, array $data) { 2 // ... 3}); Event::listen('event.*', function (string $eventName, array $data) { // ... }); ## Defining Events An event class is essentially a data container which holds the information related to the event. For example, let's assume an `App\Events\OrderShipped` event receives an [Eloquent ORM](/docs/12.x/eloquent) object: 1order... 20 } 21} order... } } Your event listeners may also type-hint any dependencies they need on their constructors. All event listeners are resolved via the Laravel [service container](/docs/12.x/container), so dependencies will be injected automatically. #### Stopping The Propagation Of An Event Sometimes, you may wish to stop the propagation of an event to other listeners. You may do so by returning `false` from your listener's `handle` method. ## Queued Event Listeners Queueing listeners can be beneficial if your listener is going to perform a slow task such as sending an email or making an HTTP request. Before using queued listeners, make sure to [configure your queue](/docs/12.x/queues) and start a queue worker on your server or local development environment. To specify that a listener should be queued, add the `ShouldQueue` interface to the listener class. Listeners generated by the `make:listener` Artisan commands already have this interface imported into the current namespace so you can use it immediately: 1highPriority ? 0 : 60; 23} /** * Get the name of the listener's queue connection. */ public function viaConnection(): string { return 'sqs'; } /** * Get the name of the listener's queue. */ public function viaQueue(): string { return 'listeners'; } /** * Get the number of seconds before the job should be processed. */ public function withDelay(OrderShipped $event): int { return $event->highPriority ? 0 : 60; } #### Conditionally Queueing Listeners Sometimes, you may need to determine whether a listener should be queued based on some data that are only available at runtime. To accomplish this, a `shouldQueue` method may be added to a listener to determine whether the listener should be queued. If the `shouldQueue` method returns `false`, the listener will not be queued: 1order->subtotal >= 5000; 24 } 25} order->subtotal >= 5000; } } ### Manually Interacting With the Queue If you need to manually access the listener's underlying queue job's `delete` and `release` methods, you may do so using the `Illuminate\Queue\InteractsWithQueue` trait. This trait is imported by default on generated listeners and provides access to these methods: 1release(30); 20 } 21 } 22} release(30); } } } ### Queued Event Listeners and Database Transactions When queued listeners are dispatched within database transactions, they may be processed by the queue before the database transaction has committed. When this happens, any updates you have made to models or database records during the database transaction may not yet be reflected in the database. In addition, any models or database records created within the transaction may not exist in the database. If your listener depends on these models, unexpected errors can occur when the job that dispatches the queued listener is processed. If your queue connection's `after_commit` configuration option is set to `false`, you may still indicate that a particular queued listener should be dispatched after all open database transactions have been committed by implementing the `ShouldQueueAfterCommit` interface on the listener class: 1 23 */ 24 public function middleware(OrderShipped $event): array 25 { 26 return [new RateLimited]; 27 } 28} */ public function middleware(OrderShipped $event): array { return [new RateLimited]; } } #### Encrypted Queued Listeners Laravel allows you to ensure the privacy and integrity of a queued listener's data via [encryption](/docs/12.x/encryption). To get started, simply add the `ShouldBeEncrypted` interface to the listener class. Once this interface has been added to the class, Laravel will automatically encrypt your listener before pushing it onto a queue: 1addMinutes(5); 9} use DateTime; /** * Determine the time at which the listener should timeout. */ public function retryUntil(): DateTime { return now()->addMinutes(5); } If both `retryUntil` and `tries` are defined, Laravel gives precedence to the `retryUntil` method. #### Specifying Queued Listener Backoff If you would like to configure how many seconds Laravel should wait before retrying a listener that has encountered an exception, you may do so by defining a `backoff` property on your listener class: 1/** 2 * The number of seconds to wait before retrying the queued listener. 3 * 4 * @var int 5 */ 6public $backoff = 3; /** * The number of seconds to wait before retrying the queued listener. * * @var int */ public $backoff = 3; If you require more complex logic for determining the listeners's backoff time, you may define a `backoff` method on your listener class: 1/** 2 * Calculate the number of seconds to wait before retrying the queued listener. 3 */ 4public function backoff(OrderShipped $event): int 5{ 6 return 3; 7} /** * Calculate the number of seconds to wait before retrying the queued listener. */ public function backoff(OrderShipped $event): int { return 3; } You may easily configure "exponential" backoffs by returning an array of backoff values from the `backoff` method. In this example, the retry delay will be 1 second for the first retry, 5 seconds for the second retry, 10 seconds for the third retry, and 10 seconds for every subsequent retry if there are more attempts remaining: 1/** 2 * Calculate the number of seconds to wait before retrying the queued listener. 3 * 4 * @return list 5 */ 6public function backoff(OrderShipped $event): array 7{ 8 return [1, 5, 10]; 9} /** * Calculate the number of seconds to wait before retrying the queued listener. * * @return list */ public function backoff(OrderShipped $event): array { return [1, 5, 10]; } #### Specifying Queued Listener Max Exceptions Sometimes you may wish to specify that a queued listener may be attempted many times, but should fail if the retries are triggered by a given number of unhandled exceptions (as opposed to being released by the `release` method directly). To accomplish this, you may define a `maxExceptions` property on your listener class: 1order_id); 18  19 // Order shipment logic... 20  21 OrderShipped::dispatch($order); 22  23 return redirect('/orders'); 24 } 25} order_id); // Order shipment logic... OrderShipped::dispatch($order); return redirect('/orders'); } } If you would like to conditionally dispatch an event, you may use the `dispatchIf` and `dispatchUnless` methods: 1OrderShipped::dispatchIf($condition, $order); 2  3OrderShipped::dispatchUnless($condition, $order); OrderShipped::dispatchIf($condition, $order); OrderShipped::dispatchUnless($condition, $order); When testing, it can be helpful to assert that certain events were dispatched without actually triggering their listeners. Laravel's built-in testing helpers make it a cinch. ### Dispatching Events After Database Transactions Sometimes, you may want to instruct Laravel to only dispatch an event after the active database transaction has committed. To do so, you may implement the `ShouldDispatchAfterCommit` interface on the event class. This interface instructs Laravel to not dispatch the event until the current database transaction is committed. If the transaction fails, the event will be discarded. If no database transaction is in progress when the event is dispatched, the event will be dispatched immediately: 1 'Victoria Otwell']); 6  7 $user->posts()->create(['title' => 'My first post!']); 8}); use App\Models\User; use Illuminate\Support\Facades\Event; Event::defer(function () { $user = User::create(['name' => 'Victoria Otwell']); $user->posts()->create(['title' => 'My first post!']); }); All events triggered within the closure will be dispatched after the closure is executed. This ensures that event listeners have access to all related records that were created during the deferred execution. If an exception occurs within the closure, the deferred events will not be dispatched. To defer only specific events, pass an array of events as the second argument to the `defer` method: 1use App\Models\User; 2use Illuminate\Support\Facades\Event; 3  4Event::defer(function () { 5 $user = User::create(['name' => 'Victoria Otwell']); 6  7 $user->posts()->create(['title' => 'My first post!']); 8}, ['eloquent.created: '.User::class]); use App\Models\User; use Illuminate\Support\Facades\Event; Event::defer(function () { $user = User::create(['name' => 'Victoria Otwell']); $user->posts()->create(['title' => 'My first post!']); }, ['eloquent.created: '.User::class]); ## Event Subscribers ### Writing Event Subscribers Event subscribers are classes that may subscribe to multiple events from within the subscriber class itself, allowing you to define several event handlers within a single class. Subscribers should define a `subscribe` method, which receives an event dispatcher instance. You may call the `listen` method on the given dispatcher to register event listeners: 1listen( 27 Login::class, 28 [UserEventSubscriber::class, 'handleUserLogin'] 29 ); 30  31 $events->listen( 32 Logout::class, 33 [UserEventSubscriber::class, 'handleUserLogout'] 34 ); 35 } 36} listen( Login::class, [UserEventSubscriber::class, 'handleUserLogin'] ); $events->listen( Logout::class, [UserEventSubscriber::class, 'handleUserLogout'] ); } } If your event listener methods are defined within the subscriber itself, you may find it more convenient to return an array of events and method names from the subscriber's `subscribe` method. Laravel will automatically determine the subscriber's class name when registering the event listeners: 1 25 */ 26 public function subscribe(Dispatcher $events): array 27 { 28 return [ 29 Login::class => 'handleUserLogin', 30 Logout::class => 'handleUserLogout', 31 ]; 32 } 33} */ public function subscribe(Dispatcher $events): array { return [ Login::class => 'handleUserLogin', Logout::class => 'handleUserLogout', ]; } } ### Registering Event Subscribers After writing the subscriber, Laravel will automatically register handler methods within the subscriber if they follow Laravel's event discovery conventions. Otherwise, you may manually register your subscriber using the `subscribe` method of the `Event` facade. Typically, this should be done within the `boot` method of your application's `AppServiceProvider`: 1order->id === $order->id; 3}); Event::assertDispatched(function (OrderShipped $event) use ($order) { return $event->order->id === $order->id; }); If you would simply like to assert that an event listener is listening to a given event, you may use the `assertListening` method: 1Event::assertListening( 2 OrderShipped::class, 3 SendShipmentNotification::class 4); Event::assertListening( OrderShipped::class, SendShipmentNotification::class ); After calling `Event::fake()`, no event listeners will be executed. So, if your tests use model factories that rely on events, such as creating a UUID during a model's `creating` event, you should call `Event::fake()` **after** using your factories. ### Faking a Subset of Events If you only want to fake event listeners for a specific set of events, you may pass them to the `fake` or `fakeFor` method: Pest PHPUnit 1test('orders can be processed', function () { 2 Event::fake([ 3 OrderCreated::class, 4 ]); 5  6 $order = Order::factory()->create(); 7  8 Event::assertDispatched(OrderCreated::class); 9  10 // Other events are dispatched as normal... 11 $order->update([ 12 // ... 13 ]); 14}); test('orders can be processed', function () { Event::fake([ OrderCreated::class, ]); $order = Order::factory()->create(); Event::assertDispatched(OrderCreated::class); // Other events are dispatched as normal... $order->update([ // ... ]); }); 1/** 2 * Test order process. 3 */ 4public function test_orders_can_be_processed(): void 5{ 6 Event::fake([ 7 OrderCreated::class, 8 ]); 9  10 $order = Order::factory()->create(); 11  12 Event::assertDispatched(OrderCreated::class); 13  14 // Other events are dispatched as normal... 15 $order->update([ 16 // ... 17 ]); 18} /** * Test order process. */ public function test_orders_can_be_processed(): void { Event::fake([ OrderCreated::class, ]); $order = Order::factory()->create(); Event::assertDispatched(OrderCreated::class); // Other events are dispatched as normal... $order->update([ // ... ]); } You may fake all events except for a set of specified events using the `except` method: 1Event::fake()->except([ 2 OrderCreated::class, 3]); Event::fake()->except([ OrderCreated::class, ]); ### Scoped Event Fakes If you only want to fake event listeners for a portion of your test, you may use the `fakeFor` method: Pest PHPUnit 1create(); 10  11 Event::assertDispatched(OrderCreated::class); 12  13 return $order; 14 }); 15  16 // Events are dispatched as normal and observers will run... 17 $order->update([ 18 // ... 19 ]); 20}); create(); Event::assertDispatched(OrderCreated::class); return $order; }); // Events are dispatched as normal and observers will run... $order->update([ // ... ]); }); 1create(); 19  20 Event::assertDispatched(OrderCreated::class); 21  22 return $order; 23 }); 24  25 // Events are dispatched as normal and observers will run... 26 $order->update([ 27 // ... 28 ]); 29 } 30} create(); Event::assertDispatched(OrderCreated::class); return $order; }); // Events are dispatched as normal and observers will run... $order->update([ // ... ]); } }