我想删除一个模型,但是当它禁止我这样做时,它可能在另一个模型中具有相关记录。如何最好地使用已定义的关系来检查删除是否成功?可能还有非关系原因不允许删除。
确定了错误消息后,如何最好地存储它们并将其传递给前端? beforeDelete()
仅返回true或false,但我当然需要向用户提供友好的错误消息,说明为什么无法删除记录...
已经定义的关系例如:
public function getPhonenumbers() {
return $this->hasMany(Phonenumber::class, ['ph_contactID' => 'contactID']);
}
答案 0 :(得分:1)
您可以在beforeDelete()
中引发异常并显示错误消息,并将其捕获到控制器中。
public function beforeDelete() {
if ($this->getPhonenumbers()->exist()) {
throw new DeleteFailException('Records with phone numbers cannot be deleted.');
}
return parent::beforeDelete();
}
在控制器动作中:
try {
$model->delete();
} catch (DeleteFailException $esception) {
Yii::$app->session->setFlash('error', $exception->getMessage());
}
答案 1 :(得分:1)
从@vishuB和@ rob006的答案中,我得到了提出自己的解决方案的想法,我认为这会更好,因为我可以提供多个错误消息,它也可以在API中使用,但是它没有t依靠try / catching异常:
public function beforeDelete() {
if (!parent::beforeDelete()) {
$this->addError('contactID', 'For some unknown reason we could not delete this record.');
}
if (!empty($this->phonenumbers)) {
$this->addError('contactID', 'Contact is linked to a used phone number and cannot be deleted.');
}
if ($some_other_validation_fails) {
$this->addError('contactID', 'Contact cannot be deleted because it is more than two months old.');
}
return ($this->hasErrors() ? false : true);
}
然后在我的操作中这样做:
$contact = Contact::findOne($contactID);
if (!$contact->delete()) {
return $contact->getErrors(); //or use flash messages and redirect to page if you prefer
}
return true;