功能在模型内部更新时没有被触发
P粉752826008
2023-08-08 16:31:55
[PHP讨论组]
<p>我有一个像这样的模型:</p>
<pre class="brush:php;toolbar:false;">class Equipment extends Model
{
use HasFactory,softDeletes;
protected $table = 'equipments';
protected $fillable = ['station_id', 'parent_id', 'code', 'name', 'description', 'creator_id','deletor_id','updator_id'];
protected $softDelete = true;
protected $dates = ['deleted_at'];
public static function boot()
{
parent::boot();
//it doesn't called at all!
static::updated(function (Model $model) {
Log::error('calling refreshTree');
$model->refreshTree();
});
static::created(function (Model $model) {
$model->refreshTree();
});
static::deleted(function (Model $model) {
$model->refreshTree();
});
}
public function refreshTree(){
Log::error('refreshTree');
$equipment = DB::table('equipments')->get();
$treeData = $this->generateTree($equipment);
$jsonData = json_encode($treeData);
Redis::set(config('redis.EquipmentTree'),$jsonData);
}
private function generateTree($data, $parentId = 0) {
$tree = [];
foreach ($data as $item) {
if ($item->parent_id == $parentId) {
$children = $this->generateTree($data, $item->id);
$node = [
'id' => $item->id,
'text' => $item->name,
'editURL'=>route('dashboard.basic-info.equipments.edit',['id'=>$item->id]),
'children' => $children
];
if(count($children) <= 0)
unset($node['children']);
array_push($tree, $node);
}
}
return $tree;
}
}</pre>
<p>当我创建模型时,创建函数被触发,但当我更新模型时,更新函数没有被触发</p>
<pre class="brush:php;toolbar:false;">//Equipment::where('id',$id)->update(['parent_id'=>$recordTarget['id']]); //它没有生效
//我也尝试了这个:
$equipment = Equipment::find($id);
$equipment->parent_id = $recordTarget['id'];
$equipment->save();</pre>
<p><br /></p>
当使用查询构建器实例或批量更新时,即使你只针对一行进行操作,事件监听器也不会触发
要触发它,你需要使用模型实例
这也等同于
并且你可以看到,在模型上调用update()与在查询构建器上调用update()是不同的。
当你考虑到,要触发这些事件,代码需要一个模型的实例来与之一起工作,就像static::updated(function (Model $model) {那样。如果你的查询不同,例如Equipment::where('id','>',$id),为了处理所有事件,它需要查询所有受影响的行,为它们生成模型实例,然后使用这些模型调用事件。
这会降低性能
但是如果没有其他办法,你可以明确地这样做