在我的RegisterForm模型的rules()
中:
[ 'user_username', 'unique', 'targetClass' => 'app\models\User', 'message' => 'This username is already been taken.' ],
在我的控制器中:
$model = new RegisterForm();
if ( $model->load( Yii::$app->request->post() ) ) {
if ( $user = $model->register() ) {
return $this->redirect( [ '/login' ] );
}
}
在RegisterForm中:
public function register() {
$user = new User();
$user->user_firstname = $this->user_firstname;
$user->user_lastname = $this->user_lastname;
$user->user_username = $this->user_username;
$user->user_email = $this->user_email;
$user->setPassword( $this->user_password );
if ( !$user->validate() ) {
return null;
}
if ( $user->save() ) {
return $user;
}
return null;
}
形式:
<?php $form = ActiveForm::begin(); ?>
<?= $form->field( $model, 'user_firstname' )->textInput( [ 'maxlength' => true ] ) ?>
<?= $form->field( $model, 'user_lastname' )->textInput( [ 'maxlength' => true ] ) ?>
<?= $form->field( $model, 'user_username' )->textInput( [ 'maxlength' => true ] ) ?>
<?= $form->field( $model, 'user_email' )->textInput( [ 'maxlength' => true ] ) ?>
<?= $form->field( $model, 'user_password' )->passwordInput() ?>
<?= $form->field( $model, 'user_password_repeat' )->passwordInput() ?>
<?= Html::submitButton( 'Register', [ 'class' => 'btn btn-primary', 'name' => 'register-button' ] ) ?>
<?php ActiveForm::end(); ?>
然而,当我输入我知道已经存在的用户名时,错误永远不会出现,并且记录会尝试保存,但我得到:Integrity constraint violation: 1062 Duplicate entry ...
编辑:如果我将唯一规则添加到用户模型本身,如果我输入的用户名存在,则表单将无法提交,错误只是不显示
答案 0 :(得分:2)
就像我怀疑的那样,您不会在客户端检查唯一的user_username
属性。它之所以无法正常工作,是因为您没有发送Ajax请求来检查数据库的结果。与其他规则不同,unique
规则需要向服务器发送额外的Ajax请求,因为如果Javascript将检索所有当前注册的用户名并存储在客户端的某个位置,那将是非常糟糕的事情。
要解决您的问题,请在表格中写下以下内容:
$form = ActiveForm::begin([
'enableAjaxValidation' => true,
'validationUrl' => [<URL HERE>],
]);
现在你必须在控制器中创建一个方法(动作),它将验证(不仅是唯一的,所有这些)返回到ActiveForm
。所以它可能是这样的:
public function actionAjaxValidation()
{
$post = Yii::$app->request->post();
$model = new YourClass();
if (!$model->load($post)) {
throw new HttpException(403, 'Cannot load model');
}
$array = ActiveForm::validate($model);
return json_encode($array);
}