事件监听
目录
imi 框架提供了强大的事件机制,它可以让你在特定的时刻执行某些操作。事件机制的核心是事件触发器和事件监听器。
在 imi 框架中,事件触发器通常是一个具体的操作,而事件监听器则是响应某些事件的具体操作。
事件机制的主要优势在于它可以让你在不改变原有代码的情况下,扩展应用的功能。
全局事件
监听全局事件
注解监听全局事件
<?php
namespace Imi\Listener;
use Imi\Event\EventParam;
use Imi\Event\IEventListener;
use Imi\Bean\Annotation\Listener;
/**
* @Listener(eventName="IMI.INITED", priority=PHP_INT_MAX)
*/
class Init implements IEventListener
{
/**
* 事件处理方法
* @param EventParam $e
* @return void
*/
public function handle(EventParam $e)
{
// ...
}
}
首先需要定义一个类,类名和位置无所谓。
类必须实现IEventListener
接口和public function handle(EventParam $e): void
方法。
然后在类上写@Listener
注解。
注解参数说明:
eventName
要监听的事件名称priority
事件触发后执行的优先级,数字越大越先执行,同样大执行顺序不一定one
设为true
事件仅触发一次,默认为false
代码监听
除了使用注解,你还可以写代码手动监听
use Imi\Event\Event;
Event::on('事件名', function(){
// 事件回调
});
$priority = 0;
Event::on('事件名', function(){
// 事件回调
}, $priority);
// 监听只触发一次
Event::one('事件名', function(){});
// 取消事件
Event::off('事件名', $callable);
on()、one()、off()
方法还支持传入多个事件:
Event::on(['e1', 'e2'], function(){
// 事件回调
});
取消事件所有监听:
Event::off('事件名');
Event::off(['事件名1', '事件名2']);
自定义事件
use Imi\Event\Event;
Event::trigger('事件名称', '传入事件回调的数据', '目标对象', '参数类,默认为EventParam::class');
局部事件
局部事件就是在某个类实例的事件。
监听局部事件
注解监听局部事件
以imi/src/Server/Http/Listener/BeforeRequest.php
为例
<?php
namespace Imi\Swoole\Server\Http\Listener;
use Imi\Bean\Annotation\ClassEventListener;
use Imi\Swoole\Server\Event\Param\RequestEventParam;
use Imi\Swoole\Server\Event\Listener\IRequestEventListener;
/**
* request事件前置处理
* @ClassEventListener(className="Imi\Swoole\Server\Http\Server",eventName="request",priority=PHP_INT_MAX)
*/
class BeforeRequest implements IRequestEventListener
{
/**
* 事件处理方法
* @param RequestEventParam $e
* @return void
*/
public function handle(RequestEventParam $e): void
{
// ...
}
}
首先需要定义一个类,类名和位置无所谓。
类必须实现对应接口和handle()
方法,每个类的事件定义不同。
然后在类上写@ClassEventListener
注解。注解参数如下:
className
类名eventName
要监听的事件名称priority
事件触发后执行的优先级,数字越大越先执行,同样大执行顺序不一定
代码监听局部事件
$object->on('事件名', function(){
// 事件回调
});
$priority = 0;
$object->on('事件名', function(){
// 事件回调
}, $priority);
// 监听只触发一次
$object->one('事件名', function(){});
// 取消事件
$object->off('事件名', $callable);
自定义触发事件
$object->trigger('事件名称', '传入事件回调的数据', '目标对象', '参数类,默认为EventParam::class');