共计 956 个字符,预计需要花费 3 分钟才能阅读完成。
在 Yii 中模型字段验证有一个场景的概念,可以在不同的场景下设置不同的验证规则,在 Yii 中的场景默认为 default,简单实现如下
下面我以用户表, 表中字段为 user_name,password
简单规则如下
public function rules() {
return [[['user_name', 'password'], 'required'],
[['user_name', 'password'], 'string', 'max' => 255],
];
}
一:
如果我们需要在新增时验证 user_name 和 password 两个字段, 在更新时只验证 user_name 字段
这时候我们可以在模型中覆盖 yiibaseModel::scenarios() 方法来自定义行为
public function scenarios()
{
return ['create' => ['user_name', 'password'],//create 表示新增场景
'update' => ['user_name'],//update 表示更新场景
];
}
根据上面设置的场景规则,我们只需要在我们新增和更新时设置为指定的场景即可
// 场景作为属性来设置
$model = new User;
$model->scenario = 'create';
// 场景通过构造初始化配置来设置
$model = new User(['scenario' => 'create']);
根据如上就可以实现在不同的场景下验证指定的字段
二:
我们可以在规则 rule 中使用 on 属性来设置不同的场景
public function rules()
{
return [[['id'], 'integer'],
[['user_name'], 'required'],
[['password'], 'required', 'on' => 'create']
[['user_name', 'password'], 'string', 'max' => 255],
];
}
根据如上在 create 场景下 password 字段必填
三:
使用 yiibaseModel::validate() 来验证接收到的数据
$model = new User();
$model->validate(['user_name'])
使用 validate 方法验证 user_name,验证通过返回 true,否则返回 false
正文完