Yii 创建一个行为
假设我们想要创建一个行为,它会将附加到组件上的“name”属性转换为大写。
步骤1 - 在components文件夹内,创建一个名为 UppercaseBehavior.php 的文件,并写入以下代码。
<?php
namespace app\components;
use yii\base\Behavior;
use yii\db\ActiveRecord;
class UppercaseBehavior extends Behavior {
public function events() {
return [
ActiveRecord::EVENT_BEFORE_VALIDATE => 'beforeValidate',
];
}
public function beforeValidate(event) {this->owner->name = strtoupper($this->owner->name);
}
}
?>
在上面的代码中,我们创建了 UppercaseBehavior ,当触发“beforeValidate”事件时,将用户名属性改成大写。
步骤2 - 要将这个行为附加到 MyUser 模型上,按以下方式修改。
<?php
namespace app\models;
use app\components\UppercaseBehavior;
use Yii;
/**
* This is the model class for table "user".
*
* @property integer id
* @property stringname
* @property string $email
*/
class MyUser extends \yii\db\ActiveRecord {
public function behaviors() {
return [
// anonymous behavior, behavior class name only
UppercaseBehavior::className(),
];
}
/**
* @inheritdoc
*/
public static function tableName() {
return 'user';
}
/**
* @inheritdoc
*/
public function rules() {
return [
[['name', 'email'], 'string', 'max' => 255]
];
}
/**
* @inheritdoc
*/
public function attributeLabels() {
return [
'id' => 'ID',
'name' => 'Name',
'email' => 'Email',
];
}
}
?>
现在,每当我们创建或更新一个用户时,其名称属性将变成大写。
步骤3 - 向 SiteController 添加一个 actionTestBehavior 函数。
public function actionTestBehavior() {
//creating a new user
model = new MyUser();model->name = "John";
model->email = "john@gmail.com";
if(model->save()){
var_dump(MyUser::find()->asArray()->all());
}
}
步骤4 − 在地址栏中输入 http://localhost:8080/index.php?r=site/test-behavior ,您将会看到您新创建的 MyUser 模型的 name 属性是大写的。