Skip to content

事件

簡介

Laravel 的事件提供了一個簡單的觀察者模式實作,讓您可以訂閱並監聽應用程式中發生的各種事件。事件類別通常儲存在 app/Events 目錄中,而其監聽器則儲存在 app/Listeners。如果您在應用程式中沒有看到這些目錄,請不用擔心,因為當您使用 Artisan 主控台指令產生事件與監聽器時,它們會自動為您建立。

事件是解耦合應用程式不同部分的一個絕佳方式,因為單個事件可以擁有數個互不依賴的監聽器。例如,您可能希望在每次訂單出貨時向使用者發送 Slack 通知。與其將訂單處理程式碼與 Slack 通知程式碼耦合在一起,您可以觸發一個 App\Events\OrderShipped 事件,由監聽器接收該事件並用來分發 Slack 通知。

產生事件與監聽器

若要快速產生事件與監聽器,您可以使用 make:eventmake:listener Artisan 指令:

shell
php artisan make:event PodcastProcessed

php artisan make:listener SendPodcastNotification --event=PodcastProcessed

為了方便起見,您也可以在不帶額外參數的情況下調用 make:eventmake:listener Artisan 指令。這樣做時,Laravel 會自動提示您輸入類別名稱,且在建立監聽器時,會提示該監聽器應該監聽哪個事件:

shell
php artisan make:event

php artisan make:listener

註冊事件與監聽器

事件探索

預設情況下,Laravel 會透過掃描應用程式的 Listeners 目錄來自動尋找並註冊您的事件監聽器。當 Laravel 發現任何以 handle__invoke 開頭的監聽器類別方法時,Laravel 會將這些方法註冊為該方法簽章中定義型別提示 (type-hinted) 之事件的事件監聽器:

php
use App\Events\PodcastProcessed;

class SendPodcastNotification
{
    /**
     * Handle the event.
     */
    public function handle(PodcastProcessed $event): void
    {
        // ...
    }
}

您可以使用 PHP 的聯合型別 (union types) 來監聽多個事件:

php
/**
 * Handle the event.
 */
public function handle(PodcastProcessed|PodcastPublished $event): void
{
    // ...
}

如果您計畫將監聽器儲存在不同的目錄或多個目錄中,您可以在應用程式的 bootstrap/app.php 檔案中使用 withEvents 方法,指示 Laravel 掃描這些目錄:

php
->withEvents(discover: [
    __DIR__.'/../app/Domain/Orders/Listeners',
])

您可以使用 * 字元作為萬用字元,來掃描多個類似的目錄:

php
->withEvents(discover: [
    __DIR__.'/../app/Domain/*/Listeners',
])

您可以使用 event:list 指令來列出應用程式中註冊的所有監聽器:

shell
php artisan event:list

正式環境中的事件探索

為了提升應用程式的效能,您應該使用 optimizeevent:cache Artisan 指令來快取一份應用程式所有監聽器的清單 (manifest)。通常,此指令應作為應用程式 部署流程 的一部分來執行。此清單將被框架用於加速事件註冊過程。您可以使用 event:clear 指令來清除事件快取。

手動註冊事件

使用 Event Facade,您可以在應用程式 AppServiceProviderboot 方法中手動註冊事件及其對應的監聽器:

php
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,
    );
}

您可以使用 event:list 指令來列出應用程式中註冊的所有監聽器:

shell
php artisan event:list

閉包監聽器

通常監聽器被定義為類別;然而,您也可以在應用程式 AppServiceProviderboot 方法中手動註冊基於閉包的事件監聽器:

php
use App\Events\PodcastProcessed;
use Illuminate\Support\Facades\Event;

/**
 * Bootstrap any application services.
 */
public function boot(): void
{
    Event::listen(function (PodcastProcessed $event) {
        // ...
    });
}

可佇列化的匿名事件監聽器

在註冊基於閉包的事件監聽器時,您可以將監聽器閉包包裹在 Illuminate\Events\queueable 函式中,以指示 Laravel 使用 佇列 來執行該監聽器:

php
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) {
        // ...
    }));
}

就像佇列作業一樣,您可以使用 onConnectiononQueuedelay 方法來自定義佇列監聽器的執行方式:

php
Event::listen(queueable(function (PodcastProcessed $event) {
    // ...
})->onConnection('redis')->onQueue('podcasts')->delay(now()->plus(seconds: 10)));

如果您想要處理匿名佇列監聽器的失敗情況,可以在定義 queueable 監聽器時向 catch 方法提供一個閉包。此閉包將接收事件實例以及導致監聽器失敗的 Throwable 實例:

php
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...
}));

萬用字元事件監聽器

您也可以使用 * 字元作為萬用字元參數來註冊監聽器,讓您在同一個監聽器中捕捉多個事件。萬用字元監聽器的第一個引數會接收事件名稱,而第二個引數則接收完整的事件資料陣列:

php
Event::listen('event.*', function (string $eventName, array $data) {
    // ...
});

定義事件

事件類別基本上就是一個資料容器,存放與該事件相關的資訊。例如,假設一個 App\Events\OrderShipped 事件接收一個 Eloquent ORM 物件:

php
<?php

namespace App\Events;

use App\Models\Order;
use Illuminate\Broadcasting\InteractsWithSockets;
use Illuminate\Foundation\Events\Dispatchable;
use Illuminate\Queue\SerializesModels;

class OrderShipped
{
    use Dispatchable, InteractsWithSockets, SerializesModels;

    /**
     * Create a new event instance.
     */
    public function __construct(
        public Order $order,
    ) {}
}

如您所見,此事件類別不包含任何邏輯。它是購買之 App\Models\Order 實例的容器。事件所使用的 SerializesModels Trait,如果在利用 佇列監聽器 時使用 PHP 的 serialize 函式對事件物件進行序列化,它將優雅地將任何 Eloquent 模型序列化。

定義監聽器

接下來,讓我們看看範例事件的監聽器。事件監聽器會在其 handle 方法中接收事件實例。當使用 --event 選項執行 make:listener Artisan 命令時,它會自動匯入正確的事件類別,並在 handle 方法中對該事件進行類型提示。在 handle 方法中,您可以執行任何必要的動作來回應該事件:

php
<?php

namespace App\Listeners;

use App\Events\OrderShipped;

class SendShipmentNotification
{
    /**
     * Create the event listener.
     */
    public function __construct() {}

    /**
     * Handle the event.
     */
    public function handle(OrderShipped $event): void
    {
        // Access the order using $event->order...
    }
}

📌 備註

您的事件監聽器也可以在其建構子中對所需的任何依賴項進行類型提示。所有的事件監聽器都是透過 Laravel 服務容器 解析的,因此依賴項將會被自動注入。

停止事件傳播

有時候,您可能希望停止事件傳播到其他監聽器。您可以在監聽器的 handle 方法中回傳 false 來達成。

佇列事件監聽器

將監聽器放入佇列中會很有幫助,如果您的監聽器需要執行較慢的任務,例如發送電子郵件或發出 HTTP 請求。在開始使用佇列監聽器之前,請確保您已 配置您的佇列 並在您的伺服器或本地開發環境中啟動佇列工作者 (queue worker)。

若要指定監聽器應被放入佇列,請在監聽器類別中加入 ShouldQueue 介面。由 make:listener Artisan 指令產生的監聽器已經將此介面匯入到目前的命名空間中,因此您可以立即使用:

php
<?php

namespace App\Listeners;

use App\Events\OrderShipped;
use Illuminate\Contracts\Queue\ShouldQueue;

class SendShipmentNotification implements ShouldQueue
{
    // ...
}

就這麼簡單!現在,當由該監聽器處理的事件被分發時,事件分發器會使用 Laravel 的 佇列系統 自動將該監聽器放入佇列中。如果監聽器在由佇列執行時沒有拋出任何例外,則該佇列作業在處理完成後會被自動刪除。

自定義佇列連線、名稱與延遲

如果您想自定義事件監聽器的佇列連線、佇列名稱或佇列延遲時間,可以在監聽器類別上使用 ConnectionQueueDelay 屬性 (attributes):

php
<?php

namespace App\Listeners;

use App\Events\OrderShipped;
use Illuminate\Contracts\Queue\ShouldQueue;
use Illuminate\Queue\Attributes\Connection;
use Illuminate\Queue\Attributes\Delay;
use Illuminate\Queue\Attributes\Queue;

#[Connection('sqs')]
#[Queue('listeners')]
#[Delay(60)]
class SendShipmentNotification implements ShouldQueue
{
    // ...
}

如果您想在執行時 (runtime) 定義監聽器的佇列連線、佇列名稱或延遲,可以在監聽器上定義 viaConnectionviaQueuewithDelay 方法:

php
/**
 * 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;
}

條件式放入佇列的監聽器

有時候,您可能需要根據僅在執行時才可取得的某些資料,來決定監聽器是否應該被放入佇列。為了實現這一點,可以在監聽器中加入 shouldQueue 方法來決定監聽器是否應被放入佇列。如果 shouldQueue 方法回傳 false,該監聽器將不會被放入佇列:

php
<?php

namespace App\Listeners;

use App\Events\OrderCreated;
use Illuminate\Contracts\Queue\ShouldQueue;

class RewardGiftCard implements ShouldQueue
{
    /**
     * Reward a gift card to the customer.
     */
    public function handle(OrderCreated $event): void
    {
        // ...
    }

    /**
     * Determine whether the listener should be queued.
     */
    public function shouldQueue(OrderCreated $event): bool
    {
        return $event->order->subtotal >= 5000;
    }
}

手動與佇列互動

如果您需要手動存取監聽器底層佇列作業的 deleterelease 方法,可以使用 Illuminate\Queue\InteractsWithQueue 特徵 (trait)。此特徵在產生的監聽器中預設已匯入,並提供了對這些方法的存取權限:

php
<?php

namespace App\Listeners;

use App\Events\OrderShipped;
use Illuminate\Contracts\Queue\ShouldQueue;
use Illuminate\Queue\InteractsWithQueue;

class SendShipmentNotification implements ShouldQueue
{
    use InteractsWithQueue;

    /**
     * Handle the event.
     */
    public function handle(OrderShipped $event): void
    {
        if ($condition) {
            $this->release(30);
        }
    }
}

佇列事件監聽器與資料庫交易

當佇列監聽器在資料庫交易 (database transactions) 中被分發時,它們可能會在資料庫交易提交 (committed) 之前就被佇列處理。當這種情況發生時,您在資料庫交易期間對模型或資料庫記錄所做的任何更新,可能尚未反映在資料庫中。此外,在交易中建立的任何模型或資料庫記錄可能還不存在於資料庫中。如果您的監聽器依賴於這些模型,則在處理分發該佇列監聽器的作業時,可能會發生非預期的錯誤。

如果您的佇列連線之 after_commit 配置選項設定為 false,您仍然可以透過在監聽器類別上實作 ShouldQueueAfterCommit 介面,來指定特定的佇列監聽器應在所有開啟的資料庫交易提交之後才分發:

php
<?php

namespace App\Listeners;

use Illuminate\Contracts\Queue\ShouldQueueAfterCommit;
use Illuminate\Queue\InteractsWithQueue;

class SendShipmentNotification implements ShouldQueueAfterCommit
{
    use InteractsWithQueue;
}

📌 備註

若要深入了解如何解決這些問題,請參閱有關 佇列作業與資料庫交易 的文件。

佇列監聽其中介層

佇列監聽器也可以利用 作業中介層。作業中介層允許您將自定義邏輯封裝在佇列監聽器的執行過程中,從而減少監聽器本身的樣板程式碼 (boilerplate)。建立作業中介層後,可以透過在監聽器的 middleware 方法中回傳它們,將其附加到監聽器上:

php
<?php

namespace App\Listeners;

use App\Events\OrderShipped;
use App\Jobs\Middleware\RateLimited;
use Illuminate\Contracts\Queue\ShouldQueue;

class SendShipmentNotification implements ShouldQueue
{
    /**
     * Handle the event.
     */
    public function handle(OrderShipped $event): void
    {
        // Process the event...
    }

    /**
     * Get the middleware the listener should pass through.
     *
     * @return array<int, object>
     */
    public function middleware(OrderShipped $event): array
    {
        return [new RateLimited];
    }
}

加密的佇列監聽器

Laravel 允許您透過 加密 來確保佇列監聽器資料的隱私性與完整性。要開始使用,只需在監聽器類別中加入 ShouldBeEncrypted 介面。一旦將此介面加入類別,Laravel 會在將監聽器推送至佇列之前自動對其進行加密:

php
<?php

namespace App\Listeners;

use App\Events\OrderShipped;
use Illuminate\Contracts\Queue\ShouldBeEncrypted;
use Illuminate\Contracts\Queue\ShouldQueue;

class SendShipmentNotification implements ShouldQueue, ShouldBeEncrypted
{
    // ...
}

唯一的事件監聽器

⚠️ 警告

唯一的監聽器需要一個支援 的快取驅動程式。目前,memcachedredisdynamodbdatabasefilearray 快取驅動程式支援原子鎖。

有時候,您可能希望確保在任何時間點,佇列中只有一個特定監聽器的實例。您可以通过在監聽器類別中實作 ShouldBeUnique 介面來實現此功能:

php
<?php

namespace App\Listeners;

use App\Events\LicenseSaved;
use Illuminate\Contracts\Queue\ShouldBeUnique;
use Illuminate\Contracts\Queue\ShouldQueue;

class AcquireProductKey implements ShouldQueue, ShouldBeUnique
{
    public function __invoke(LicenseSaved $event): void
    {
        // ...
    }
}

在上述範例中,AcquireProductKey 監聽器是唯一的。因此,如果佇列中已經存在另一個監聽器實例且尚未完成處理,則該監聽器將不會被放入佇列。這可以確保每張授權僅獲取一個產品金鑰,即使授權被連續快速儲存多次也是如此。

在某些情況下,您可能想要定義一個特定的「金鑰(key)」來讓監聽器具有唯一性,或者您可能想要指定一個逾時時間,超過該時間後監聽器不再保持唯一。為了實現這一點,您可以在監聽器類別中定義 uniqueIduniqueFor 屬性或方法。這些方法會接收事件實例,讓您可以使用事件數據來建構回傳值:

php
<?php

namespace App\Listeners;

use App\Events\LicenseSaved;
use Illuminate\Contracts\Queue\ShouldBeUnique;
use Illuminate\Contracts\Queue\ShouldQueue;

class AcquireProductKey implements ShouldQueue, ShouldBeUnique
{
    /**
     * The number of seconds after which the listener's unique lock will be released.
     *
     * @var int
     */
    public $uniqueFor = 3600;

    public function __invoke(LicenseSaved $event): void
    {
        // ...
    }

    /**
     * Get the unique ID for the listener.
     */
    public function uniqueId(LicenseSaved $event): string
    {
        return 'listener:'.$event->license->id;
    }
}

在上述範例中,AcquireProductKey 監聽器是以授權 ID 為唯一基準。因此,對於同一張授權的任何新分發監聽器都將被忽略,直到現有的監聽器完成處理為止。這可以防止同一張授權獲取重複的產品金鑰。此外,如果現有的監聽器在一小時內未被處理,唯一鎖將被釋放,且另一個具有相同唯一金鑰的監聽器可以被放入佇列。

⚠️ 警告

如果您的應用程式從多台 Web 伺服器或容器分發事件,您應該確保所有伺服器都與同一個中央快取伺服器通訊,以便 Laravel 能準確地判斷監聽器是否唯一。

在處理開始前保持監聽器的唯一性

預設情況下,唯一監聽器會在監聽器完成處理或所有重試嘗試都失敗後被「解鎖」。然而,在某些情況下,您可能希望監聽器在被處理之前立即解鎖。為了實現這一點,您的監聽器應該實作 ShouldBeUniqueUntilProcessing 契約而非 ShouldBeUnique 契約:

php
<?php

namespace App\Listeners;

use App\Events\LicenseSaved;
use Illuminate\Contracts\Queue\ShouldBeUniqueUntilProcessing;
use Illuminate\Contracts\Queue\ShouldQueue;

class AcquireProductKey implements ShouldQueue, ShouldBeUniqueUntilProcessing
{
    // ...
}

唯一監聽器鎖

在幕後,當 ShouldBeUnique 監聽器被分發時,Laravel 會嘗試獲取一個使用 uniqueId 金鑰的 。如果鎖已被持有,則監聽器不會被分發。當監聽器完成處理或所有重試嘗試都失敗時,此鎖將被釋放。預設情況下,Laravel 會使用預設的快取驅動程式來獲取此鎖。但是,如果您希望使用另一個驅動程式來獲取鎖,您可以定義一個 uniqueVia 方法來回傳應使用的快取驅動程式:

php
<?php

namespace App\Listeners;

use App\Events\LicenseSaved;
use Illuminate\Contracts\Cache\Repository;
use Illuminate\Support\Facades\Cache;

class AcquireProductKey implements ShouldQueue, ShouldBeUnique
{
    // ...

    /**
     * Get the cache driver for the unique listener lock.
     */
    public function uniqueVia(LicenseSaved $event): Repository
    {
        return Cache::driver('redis');
    }
}

📌 備註

如果您只需要限制監聽器的併發處理,請改用 WithoutOverlapping 作業中介層。

處理失敗的作業

有時候您的佇列事件監聽器可能會失敗。如果佇列監聽器超過了佇列工作者 (queue worker) 所定義的最大嘗試次數,監聽器上的 failed 方法將會被呼叫。failed 方法會接收事件實例以及導致失敗的 Throwable

php
<?php

namespace App\Listeners;

use App\Events\OrderShipped;
use Illuminate\Contracts\Queue\ShouldQueue;
use Illuminate\Queue\InteractsWithQueue;
use Throwable;

class SendShipmentNotification implements ShouldQueue
{
    use InteractsWithQueue;

    /**
     * Handle the event.
     */
    public function handle(OrderShipped $event): void
    {
        // ...
    }

    /**
     * Handle a job failure.
     */
    public function failed(OrderShipped $event, Throwable $exception): void
    {
        // ...
    }
}

指定佇列監聽器的最大嘗試次數

如果您的某個佇列監聽器遇到錯誤,您可能不希望它無限期地持續重試。因此,Laravel 提供了多種方式來指定監聽器可以嘗試的次數或時間。

您可以在監聽器類別上使用 Tries 屬性 (attribute),來指定在監聽器被視為失敗之前可以嘗試的次數:

php
<?php

namespace App\Listeners;

use App\Events\OrderShipped;
use Illuminate\Contracts\Queue\ShouldQueue;
use Illuminate\Queue\Attributes\Tries;
use Illuminate\Queue\InteractsWithQueue;

#[Tries(5)]
class SendShipmentNotification implements ShouldQueue
{
    use InteractsWithQueue;

    // ...
}

除了定義在失敗前可嘗試的次數外,您也可以定義一個監聽器不再嘗試的時間點。這允許監聽器在給定的時間範圍內嘗試任何次數。若要定義監聽器不再嘗試的時間,請在監聽器類別中新增 retryUntil 方法。此方法應回傳一個 DateTime 實例:

php
use DateTime;

/**
 * Determine the time at which the listener should timeout.
 */
public function retryUntil(): DateTime
{
    return now()->plus(minutes: 5);
}

如果同時定義了 retryUntiltries,Laravel 會優先使用 retryUntil 方法。

指定佇列監聽器的退避時間 (Backoff)

如果您想設定 Laravel 在重試遇到例外狀況的監聽器之前應等待多少秒,您可以在監聽器類別上使用 Backoff 屬性:

php
<?php

namespace App\Listeners;

use Illuminate\Contracts\Queue\ShouldQueue;
use Illuminate\Queue\Attributes\Backoff;

#[Backoff(3)]
class SendShipmentNotification implements ShouldQueue
{
    // ...
}

如果您需要更複雜的邏輯來決定監聽器的退避時間,可以在監聽器類別上定義 backoff 方法:

php
/**
 * Calculate the number of seconds to wait before retrying the queued listener.
 */
public function backoff(OrderShipped $event): int
{
    return 3;
}

您可以透過從 backoff 方法回傳一個退避值陣列,來輕鬆設定「指數級」的退避時間。在這個範例中,第一次重試的延遲將為 1 秒,第二次為 5 秒,第三次為 10 秒,如果還有剩餘的嘗試次數,之後的每次重試都將延遲 10 秒:

php
/**
 * Calculate the number of seconds to wait before retrying the queued listener.
 *
 * @return list<int>
 */
public function backoff(OrderShipped $event): array
{
    return [1, 5, 10];
}

指定佇列監聽器的最大例外次數

有時候您可能希望指定佇列監聽器可以嘗試多次,但如果重試是由特定次數的未處理例外所觸發(而非直接由 release 方法釋放),則應視為失敗。為了實現這一點,您可以在監聽器類別上使用 TriesMaxExceptions 屬性:

php
<?php

namespace App\Listeners;

use App\Events\OrderShipped;
use Illuminate\Contracts\Queue\ShouldQueue;
use Illuminate\Queue\Attributes\MaxExceptions;
use Illuminate\Queue\Attributes\Tries;
use Illuminate\Queue\InteractsWithQueue;

#[Tries(25)]
#[MaxExceptions(3)]
class SendShipmentNotification implements ShouldQueue
{
    use InteractsWithQueue;

    /**
     * Handle the event.
     */
    public function handle(OrderShipped $event): void
    {
        // Process the event...
    }
}

在此範例中,監聽器最多將重試 25 次。然而,如果監聽器拋出三個未處理的例外,則監聽器將被視為失敗。

指定佇列監聽器的逾時時間

通常您大概知道佇列監聽器需要花多少時間。因此,Laravel 允許您指定一個「逾時 (timeout)」值。如果監聽器的處理時間超過了逾時值所指定的秒數,處理該監聽器的工作者將會以錯誤結束。您可以使用監聽器類別上的 Timeout 屬性來定義監聽器允許運行的最大秒數:

php
<?php

namespace App\Listeners;

use App\Events\OrderShipped;
use Illuminate\Contracts\Queue\ShouldQueue;
use Illuminate\Queue\Attributes\Timeout;

#[Timeout(120)]
class SendShipmentNotification implements ShouldQueue
{
    // ...
}

如果您想標記監聽器在逾時時應被視為失敗,您可以在監聽器類別上使用 FailOnTimeout 屬性:

php
<?php

namespace App\Listeners;

use App\Events\OrderShipped;
use Illuminate\Contracts\Queue\ShouldQueue;
use Illuminate\Queue\Attributes\FailOnTimeout;

#[FailOnTimeout]
class SendShipmentNotification implements ShouldQueue
{
    // ...
}

分發事件

若要分發事件,您可以呼叫事件上的靜態 dispatch 方法。此方法是由 Illuminate\Foundation\Events\Dispatchable trait 提供給事件使用的。傳遞給 dispatch 方法的任何引數都將被傳遞到事件的建構子中:

php
<?php

namespace App\Http\Controllers;

use App\Events\OrderShipped;
use App\Models\Order;
use Illuminate\Http\RedirectResponse;
use Illuminate\Http\Request;

class OrderShipmentController extends Controller
{
    /**
     * Ship the given order.
     */
    public function store(Request $request): RedirectResponse
    {
        $order = Order::findOrFail($request->order_id);

        // Order shipment logic...

        OrderShipped::dispatch($order);

        return redirect('/orders');
    }
}

如果您想要根據條件分發事件,可以使用 dispatchIfdispatchUnless 方法:

php
OrderShipped::dispatchIf($condition, $order);

OrderShipped::dispatchUnless($condition, $order);

📌 備註

在測試時,斷言某些事件已被分發而不需要實際觸發其監聽器會很有幫助。Laravel 內建的 測試助手 讓這件事變得非常簡單。

在資料庫交易後分發事件

有時候,您可能希望指示 Laravel 僅在目前的資料庫交易提交 (commit) 後才分發事件。若要達成此目的,您可以在事件類別中實作 ShouldDispatchAfterCommit 介面。

此介面會指示 Laravel 在目前的資料庫交易提交之前不要分發該事件。如果交易失敗,該事件將被捨棄。如果在分發事件時沒有進行中的資料庫交易,事件將立即被分發:

php
<?php

namespace App\Events;

use App\Models\Order;
use Illuminate\Broadcasting\InteractsWithSockets;
use Illuminate\Contracts\Events\ShouldDispatchAfterCommit;
use Illuminate\Foundation\Events\Dispatchable;
use Illuminate\Queue\SerializesModels;

class OrderShipped implements ShouldDispatchAfterCommit
{
    use Dispatchable, InteractsWithSockets, SerializesModels;

    /**
     * Create a new event instance.
     */
    public function __construct(
        public Order $order,
    ) {}
}

延遲事件

延遲事件允許您將模型事件的分發與事件監聽器的執行延後,直到特定的程式碼區塊執行完畢為止。當您需要確保在觸發事件監聽器之前,所有相關記錄都已建立時,這特別有用。

若要延遲事件,請向 Event::defer() 方法提供一個閉包:

php
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!']);
});

在閉包內觸發的所有事件將在閉包執行完畢後才分發。這能確保事件監聽器可以存取在延遲執行期間建立的所有相關記錄。如果閉包內發生異常,延遲的事件將不會被分發。

若要僅延遲特定事件,請將事件陣列作為 defer 方法的第二個引數傳入:

php
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]);

事件訂閱者

撰寫事件訂閱者

事件訂閱者是可以在訂閱者類別內部訂閱多個事件的類別,讓您能在單一類別中定義多個事件處理常式。訂閱者應定義一個 subscribe 方法,該方法會接收一個事件分發器 (event dispatcher) 實例。您可以呼叫該分發器上的 listen 方法來註冊事件監聽器:

php
<?php

namespace App\Listeners;

use Illuminate\Auth\Events\Login;
use Illuminate\Auth\Events\Logout;
use Illuminate\Events\Dispatcher;

class UserEventSubscriber
{
    /**
     * Handle user login events.
     */
    public function handleUserLogin(Login $event): void {}

    /**
     * Handle user logout events.
     */
    public function handleUserLogout(Logout $event): void {}

    /**
     * Register the listeners for the subscriber.
     */
    public function subscribe(Dispatcher $events): void
    {
        $events->listen(
            Login::class,
            [UserEventSubscriber::class, 'handleUserLogin']
        );

        $events->listen(
            Logout::class,
            [UserEventSubscriber::class, 'handleUserLogout']
        );
    }
}

如果您的事件監聽器方法定義在訂閱者本身之中,您可能會發現從訂閱者的 subscribe 方法回傳一個包含事件與方法名稱的陣列會更方便。Laravel 在註冊事件監聽器時,會自動判定訂閱者的類別名稱:

php
<?php

namespace App\Listeners;

use Illuminate\Auth\Events\Login;
use Illuminate\Auth\Events\Logout;
use Illuminate\Events\Dispatcher;

class UserEventSubscriber
{
    /**
     * Handle user login events.
     */
    public function handleUserLogin(Login $event): void {}

    /**
     * Handle user logout events.
     */
    public function handleUserLogout(Logout $event): void {}

    /**
     * Register the listeners for the subscriber.
     *
     * @return array<string, string>
     */
    public function subscribe(Dispatcher $events): array
    {
        return [
            Login::class => 'handleUserLogin',
            Logout::class => 'handleUserLogout',
        ];
    }
}

註冊事件訂閱者

撰寫完訂閱者後,如果其中的處理方法符合 Laravel 的 事件探索慣例,Laravel 將會自動註冊它們。否則,您可以使用 Event Facade 的 subscribe 方法手動註冊您的訂閱者。通常這應該在應用程式 AppServiceProviderboot 方法中執行:

php
<?php

namespace App\Providers;

use App\Listeners\UserEventSubscriber;
use Illuminate\Support\Facades\Event;
use Illuminate\Support\ServiceProvider;

class AppServiceProvider extends ServiceProvider
{
    /**
     * Bootstrap any application services.
     */
    public function boot(): void
    {
        Event::subscribe(UserEventSubscriber::class);
    }
}

測試

在測試分發事件的程式碼時,您可能希望指示 Laravel 不要實際執行事件的監聽器,因為監聽器的程式碼可以獨立於分發對應事件的程式碼之外直接進行測試。當然,若要測試監聽器本身,您可以在測試中實例化一個監聽器實例並直接呼叫 handle 方法。

使用 Event Facade 的 fake 方法,您可以防止監聽器執行,執行受測程式碼,然後使用 assertDispatchedassertNotDispatched 以及 assertNothingDispatched 方法來斷言應用程式分發了哪些事件:

php
<?php

use App\Events\OrderFailedToShip;
use App\Events\OrderShipped;
use Illuminate\Support\Facades\Event;

test('orders can be shipped', function () {
    Event::fake();

    // Perform order shipping...

    // Assert that an event was dispatched...
    Event::assertDispatched(OrderShipped::class);

    // Assert an event was dispatched twice...
    Event::assertDispatched(OrderShipped::class, 2);

    // Assert an event was dispatched once...
    Event::assertDispatchedOnce(OrderShipped::class);

    // Assert an event was not dispatched...
    Event::assertNotDispatched(OrderFailedToShip::class);

    // Assert that no events were dispatched...
    Event::assertNothingDispatched();
});
php
<?php

namespace Tests\Feature;

use App\Events\OrderFailedToShip;
use App\Events\OrderShipped;
use Illuminate\Support\Facades\Event;
use Tests\TestCase;

class ExampleTest extends TestCase
{
    /**
     * Test order shipping.
     */
    public function test_orders_can_be_shipped(): void
    {
        Event::fake();

        // Perform order shipping...

        // Assert that an event was dispatched...
        Event::assertDispatched(OrderShipped::class);

        // Assert an event was dispatched twice...
        Event::assertDispatched(OrderShipped::class, 2);

        // Assert an event was dispatched once...
        Event::assertDispatchedOnce(OrderShipped::class);

        // Assert an event was not dispatched...
        Event::assertNotDispatched(OrderFailedToShip::class);

        // Assert that no events were dispatched...
        Event::assertNothingDispatched();
    }
}

您可以將閉包傳遞給 assertDispatchedassertNotDispatched 方法,以斷言分發的事件通過了特定的「真值測試」。如果至少有一個分發的事件通過了給定的真值測試,則斷言將會成功:

php
Event::assertDispatched(function (OrderShipped $event) use ($order) {
    return $event->order->id === $order->id;
});

如果您僅想斷言某個事件監聽器正在監聽給定事件,可以使用 assertListening 方法:

php
Event::assertListening(
    OrderShipped::class,
    SendShipmentNotification::class
);

⚠️ 警告

呼叫 Event::fake() 後,將不會執行任何事件監聽器。因此,如果您的測試使用了依賴事件的模型工廠(例如在模型的 creating 事件中建立 UUID),您應該在使用了工廠之後再呼叫 Event::fake()

模擬部分事件

如果您只想針對特定的一組事件模擬監聽器,可以將它們傳遞給 fakefakeFor 方法:

php
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([
        // ...
    ]);
});
php
/**
 * 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([
        // ...
    ]);
}

您可以使用 except 方法來模擬除指定事件集以外的所有事件:

php
Event::fake()->except([
    OrderCreated::class,
]);

範圍限定的事件模擬

如果您只想在測試的部分區塊中模擬事件監聽器,可以使用 fakeFor 方法:

php
<?php

use App\Events\OrderCreated;
use App\Models\Order;
use Illuminate\Support\Facades\Event;

test('orders can be processed', function () {
    $order = Event::fakeFor(function () {
        $order = Order::factory()->create();

        Event::assertDispatched(OrderCreated::class);

        return $order;
    });

    // Events are dispatched as normal and observers will run...
    $order->update([
        // ...
    ]);
});
php
<?php

namespace Tests\Feature;

use App\Events\OrderCreated;
use App\Models\Order;
use Illuminate\Support\Facades\Event;
use Tests\TestCase;

class ExampleTest extends TestCase
{
    /**
     * Test order process.
     */
    public function test_orders_can_be_processed(): void
    {
        $order = Event::fakeFor(function () {
            $order = Order::factory()->create();

            Event::assertDispatched(OrderCreated::class);

            return $order;
        });

        // Events are dispatched as normal and observers will run...
        $order->update([
            // ...
        ]);
    }
}