我在模型的beforeSave上引发了一个Yii事件,只有在模型的特定属性发生变化时才会触发该事件.
我现在能想到如何做到这一点的唯一方法是创建一个新的AR对象并使用当前的PK查询旧模型的数据库,但这不是很好地优化.
这就是我现在所拥有的(注意我的表没有PK,这就是我查询所有属性的原因,除了我要比较的那个 – 因此未设置的函数):
public function beforeSave() { if(!$this->isNewRecord){ // only when a record is modified $newAttributes = $this->attributes; unset($newAttributes['level']); $oldModel = self::model()->findByAttributes($newAttributes); if($oldModel->level != $this->level) // Raising event here } return parent::beforeSave(); }
您需要将旧属性存储在AR类的本地属性中,以便您可以随时将当前属性与旧属性进行比较.
原文链接:https://www.f2er.com/php/133307.html// Stores old attributes on afterFind() so we can compare // against them before/after save protected $oldAttributes;
步骤2.覆盖Yii的afterFind()并在检索原始属性后立即存储它们.
public function afterFind(){ $this->oldAttributes = $this->attributes; return parent::afterFind(); }
步骤3.比较beforeSave / afterSave中的旧属性和新属性或AR类中您喜欢的任何其他属性.在下面的示例中,我们将检查名为“level”的属性是否已更改.
public function beforeSave() { if(isset($this->oldAttributes['level']) && $this->level != $this->oldAttributes['level']){ // The attribute is changed. Do something here... } return parent::beforeSave(); }