Eloquent 模型会触发许多事件,让你在模型的生命周期的多个时间点进行监控: retrieved, creating, created, updating, updated, saving, saved, deleting, deleted, restoring, restored。 事件让你在每当有特定模型类进行数据库保存或更新时,执行代码。
注:批量更新时不会触发相应事件,因为是直接走查询构建器完成的,绕过了模型方法。
1.通过在模型类上调用要监听事件对应的静态方法,比如在新增一条数据的时候进行操作:
// app/Providers/EventServiceProvider.php
public function boot(){
parent::boot();
// 监听模型获取事件
AccountAdjust::created(function ($model) {
dd($model);
});
}
2.通过订阅者监听模型事件
- 先创建对应的事件类
php artisan make:event AccountAdjustCreated
构造函数中传入模型
// app/Events/AccountAdjustCreated
public $data;
public function __construct(AccountAdjust $model) {
//
$this->data = $model;
}
- 建立模型事件与自定义事件类的映射
// app/Models/AccountAdjust
protected $dispatchesEvents = [
'created' => AccountAdjustCreated::class,
];
- 创建订阅者监听事件类
监听上述自定义的事件类,我们可以通过在 EventServiceProvider 的 listen 属性中为每个事件绑定对应的监听器类,也可以通过为某个模型类创建一个事件订阅者类来统一处理该模型中的所有事件。在 app/Listeners 目录下创建一个文件作为订阅者类
// app/Listeners/AccountAdjustSubscriber
<?php
namespace App\Listeners;
use App\Events\AccountAdjustCreated;
class AccountAdjustSubscriber {
public function onAccountAdjustCreated($event){
dd($event);
}
public function subscribe($events){
$events->listen(
AccountAdjustCreated::class,
AccountAdjustSubscriber::class . "@onAccountAdjustCreated"
);
}
}
- 注册
// app/Providers/EventServiceProvider.php
/**
* 需要注册的订阅者类。
*
* @var array
*/
protected $subscribe = [
AccountAdjustSubscriber::class,
];
3.观察者
laravel5.7以上可以使用以下命令进行创建观察者,laravel5.7以下需要手动创建
php artisan make:observer AccountAdjustObservers --model=Models/AccountAdjust
<?php
namespace App\Observers;
use App\Models\AccountAdjust;
class AccountAdjustObservers {
public function creating(AccountAdjust $model) {
// dd($model);
}
public function created(AccountAdjust $model) {
dd($model->id);
}
}
要注册一个观察者,需要用模型中的 observe 方法去观察。 你可以在你的服务提供者之一的 boot 方法中注册观察者。在这个例子中,我们将在 EventServiceProvider 中注册观察者:
public function boot() {
parent::boot();
//
AccountAdjust::observe(AccountAdjustObservers::class);
}