我已经阅读了Yii2 events使用Google找到的文档和所有文章.有人能为我提供一个很好的例子,告诉我如何在Yii2中使用事件以及它看起来合乎逻辑吗?
Eja*_*rim 77
我可以用一个简单的例子来解释事件.比方说,当用户首次注册到网站时,您想要做一些事情:
成功保存用户对象后,您可以尝试调用几个方法.也许是这样的:
if($model->save()){
   $mailObj->sendNewUserMail($model);
   $notification->setNotification($model);
}
到目前为止看起来似乎还不错,但如果需求数量随着时间的推移而增长呢?假设用户注册后必须发生10件事情?在这种情况下,事件会派上用场.
事件基础
事件由以下周期组成.
User模型中添加常数.喜欢const EVENT_NEW_USER='new_user';.这用于添加处理程序和触发事件.$event参数.我们将此方法称为处理程序.model使用其调用的方法on().您可以多次调用此方法 - 只需将多个处理程序附加到单个事件即可.trigger().请注意,上面提到的所有方法都是Component类的一部分.几乎所有Yii2中的类都继承了这个类.是的ActiveRecord也是.
我们的代码
为了解决上述问题,我们可能有User.php模型.我不会在这里写下所有代码.
// in User.php i've declared constant that stores event name
const EVENT_NEW_USER = 'new-user';
// say, whenever new user registers, below method will send an email.
public function sendMail($event){
   echo 'mail sent to admin';
   // you code 
}
// one more hanlder.
public function notification($event){
  echo 'notification created';
}
这里要记住的一件事是,您不必在创建事件的类中创建方法.您可以从任何类添加任何静态,非静态方法.
我需要将以上处理程序附加到事件中.我做的基本方法是使用AR的init()方法.所以这是如何:
// this should be inside User.php class.
public function init(){
  $this->on(self::EVENT_NEW_USER, [$this, 'sendMail']);
  $this->on(self::EVENT_NEW_USER, [$this, 'notification']);
  // first parameter is the name of the event and second is the handler. 
  // For handlers I use methods sendMail and notification
  // from $this class.
  parent::init(); // DON'T Forget to call the parent method.
}
最后一件事是触发一个事件.现在您不需要像以前那样显式调用所有必需的方法.您可以通过以下方式替换它:
if($model->save()){
  $model->trigger(User::EVENT_NEW_USER); 
}
将自动调用所有处理程序.
Iva*_*oni 23
对于"全球"事件.
您可以选择创建专门的事件类
namespace  your\handler\Event\Namespace;
class EventUser extends Event {
   const EVENT_NEW_USER = 'new-user';
}
定义至少一个处理程序类:
namespace  your\handler\Event\Namespace;
class handlerClass{
    // public AND static
    public static function handleNewUser(EventUser $event)
    {
        // $event->user contain the "input" object
        echo 'mail sent to admin for'. $event->user->username;
    }
}
在配置的组件部分(在本例中)用户组件插入事件:
'components' => [
  'user' => [
    ...
    'on new-user' => ['your\handler\Event\Namespace\handlerClass', 'handleNewUser'],
  ],
  ...
]
然后在您的代码中,您可以触发事件:
Yii::$app->user->trigger(EventUser::EVENT_NEW_USER, new EventUser($user));
加
你也可以使用一个闭包:
例:
'components' => [
  'user' => [
    ...
    'on new-user' => function($param){ your\handler\Event\Namespace\handlerClass::handleNewUser($param);},
    'on increment' => function($param){ \Yii::$app->count += $param->value;},
  ],   
  ... 
]
| 归档时间: | 
 | 
| 查看次数: | 24140 次 | 
| 最近记录: |