热门标签 | HotTags
当前位置:  开发笔记 > 编程语言 > 正文

Yii2的深入学习--yiibaseEvent类

:本篇文章主要介绍了Yii2的深入学习--yiibaseEvent类,对于PHP教程有兴趣的同学可以参考一下。
根据之前一篇文章,我们知道 Yii2 的事件分两类,一是类级别的事件,二是实例级别的事件。类级别的事件是基于 yii\base\Event 实现,实例级别的事件是基于 yii\base\Component 实现。

今天先来看下类级别事件的实现,代码是 yii\base\Event 类。

php
namespace yii\base;

/**
 * Event is the base class for all event classes.
 */class Event extendsObject{
    /**
     * @var string the event name. This property is set by [[Component::trigger()]] and [[trigger()]].
     * Event handlers may use this property to check what event it is handling.
     * 事件的名字
     */public$name;
    /**
     * @var object the sender of this event. If not set, this property will be
     * set as the object whose "trigger()" method is called.
     * This property may also be a `null` when this event is a
     * class-level event which is triggered in a static context.
     * 触发事件的对象
     */public$sender;
    /**
     * @var boolean whether the event is handled. Defaults to false.
     * When a handler sets this to be true, the event processing will stop and
     * ignore the rest of the uninvoked event handlers.
     * 记录事件是否已被处理,当 handled 被设置为 true 时,执行到这个 event 的时候,会停止,并忽略剩下的 event
     */public$handled = false;
    /**
     * @var mixed the data that is passed to [[Component::on()]] when attaching an event handler.
     * Note that this varies according to which event handler is currently executing.
     */public$data;

    /**
     * 存储所有的 event,因为是 static 的属性,所有的 event 对象/类都共享这一份数据
     */privatestatic$_events = [];


    /**
     * Attaches an event handler to a class-level event.
     *
     * When a class-level event is triggered, event handlers attached
     * to that class and all parent classes will be invoked.
     *
     * For example, the following code attaches an event handler to `ActiveRecord`'s
     * `afterInsert` event:
     *
     * ~~~
     * Event::on(ActiveRecord::className(), ActiveRecord::EVENT_AFTER_INSERT, function ($event) {
     *     Yii::trace(get_class($event->sender) . ' is inserted.');
     * });
     * ~~~
     *
     * The handler will be invoked for EVERY successful ActiveRecord insertion.
     *
     * For more details about how to declare an event handler, please refer to [[Component::on()]].
     *
     * 为一个类添加事件
     *
     * @param string $class the fully qualified class name to which the event handler needs to attach.
     * @param string $name the event name.
     * @param callable $handler the event handler.
     * @param mixed $data the data to be passed to the event handler when the event is triggered.
     * When the event handler is invoked, this data can be accessed via [[Event::data]].
     * @param boolean $append whether to append new event handler to the end of the existing
     * handler list. If false, the new handler will be inserted at the beginning of the existing
     * handler list.
     * @see off()
     */publicstaticfunction on($class, $name, $handler, $data = null, $append = true)
    {
        // 去掉 class 最左边的斜杠$class = ltrim($class, '\\');
        // 如果 append 为true,就放到 $_events 中名字为 $name 的数组的最后,否则放到最前面if ($append || empty(self::$_events[$name][$class])) {
            self::$_events[$name][$class][] = [$handler, $data];
        } else {
            array_unshift(self::$_events[$name][$class], [$handler, $data]);
        }
    }

    /**
     * Detaches an event handler from a class-level event.
     *
     * This method is the opposite of [[on()]].
     *
     * 移除一个类的事件
     *
     * @param string $class the fully qualified class name from which the event handler needs to be detached.
     * @param string $name the event name.
     * @param callable $handler the event handler to be removed.
     * If it is null, all handlers attached to the named event will be removed.
     * @return boolean whether a handler is found and detached.
     * @see on()
     */publicstaticfunction off($class, $name, $handler = null)
    {
        $class = ltrim($class, '\\');
        if (empty(self::$_events[$name][$class])) {
            // 不存在该事件returnfalse;
        }
        if ($handler === null) {
            // 如果 handler 为空,直接将在该类下该事件移除,即移出所有的是这个名字的事件unset(self::$_events[$name][$class]);
            returntrue;
        } else {
            $removed = false;
            // 如果 $handler 不为空,循环 $_events 找到相应的 handler,只移除这个 handler 和 data 组成的数组foreach (self::$_events[$name][$class] as$i => $event) {
                if ($event[0] === $handler) {
                    unset(self::$_events[$name][$class][$i]);
                    $removed = true;
                }
            }
            if ($removed) {
                // 移除之后,使数组重新变成一个自然数组                self::$_events[$name][$class] = array_values(self::$_events[$name][$class]);
            }

            return$removed;
        }
    }

    /**
     * Returns a value indicating whether there is any handler attached to the specified class-level event.
     * Note that this method will also check all parent classes to see if there is any handler attached
     * to the named event.
     * 检测在某个类或者对象是否具有某个事件
     * @param string|object $class the object or the fully qualified class name specifying the class-level event.
     * @param string $name the event name.
     * @return boolean whether there is any handler attached to the event.
     */publicstaticfunction hasHandlers($class, $name)
    {
        if (empty(self::$_events[$name])) {
            // 不存在,直接返回returnfalse;
        }
        if (is_object($class)) {
            // 如果是一个 object,就获取其类名$class = get_class($class);
        } else {
            // 如果是一个类名,就去掉 class 最左边的斜杠$class = ltrim($class, '\\');
        }
        // 如果该类中找不到,就去父类中找,直到找到或者没有父类了为止do {
            if (!empty(self::$_events[$name][$class])) {
                returntrue;
            }
        } while (($class = get_parent_class($class)) !== false);

        returnfalse;
    }

    /**
     * Triggers a class-level event.
     * This method will cause invocation of event handlers that are attached to the named event
     * for the specified class and all its parent classes.
     * 触发某个类或者对象的某个事件
     * @param string|object $class the object or the fully qualified class name specifying the class-level event.
     * @param string $name the event name.
     * @param Event $event the event parameter. If not set, a default [[Event]] object will be created.
     */publicstaticfunction trigger($class, $name, $event = null)
    {
        if (empty(self::$_events[$name])) {
            return;
        }
        if ($event === null) {
            // 事件不存在,就创建一个 Event 对象$event = newstatic;
        }
        // 设置event对象的属性,默认是未被处理的$event->handled = false;
        $event->name = $name;

        if (is_object($class)) {
            if ($event->sender === null) {
                // 如果 $class 是个对象,并且是 sender 为空,就将 $class 赋给 sender,即 $class 就是触发事件的对象$event->sender = $class;
            }
            $class = get_class($class);
        } else {
            $class = ltrim($class, '\\');
        }
        // 循环类的 $_event,直到遇到 $event->handled 为真或者没有父类了为止do {
            if (!empty(self::$_events[$name][$class])) {
                foreach (self::$_events[$name][$class] as$handler) {
                    // 将参数赋到 event 对象的 data 属性上$event->data = $handler[1];
                    // 调用 $handler 方法
                    // 在方法中,可以用 $this->data 取到相应的参数
                    // 也可以在其中设置 $this->handled 的值,中断后续事件的触发call_user_func($handler[0], $event);
                    // 当某个 handled 被设置为 true 时,执行到这个事件的时候,会停止,并忽略剩下的事件if ($event->handled) {
                        return;
                    }
                }
            }
        } while (($class = get_parent_class($class)) !== false);
    }
}

通过上面代码可以看出,类级别的 Event,其本质就是在 Event 类中的 $_events 变量中存储事件,触发事件的时候,只需将其取出,执行即可。

$_events里面的数据结构大概如下:

[
    'add' => [
        'Child' => [
            [function ($event) { ... }, $data],            [[$object, 'handleAdd'], null],            [['ChildClass', 'handleAdd'], $data],            ['handleAdd', $data]
        ],
        'ChildClass' => [
            ...        ]
    ],
    'delete' => [
        ...    ]
]

之后讲到yii\base\Component类时,我们会再来说一下实例级别的事件。

对 Yii2 源码有兴趣的同学可以关注项目 yii2-2.0.3-annotated,现在在上面已经添加了不少关于 Yii2 源码的注释,之后还会继续添加~

有兴趣的同学也可以参与进来,提交 Yii2 源码的注释。

以上就介绍了Yii2的深入学习--yii\base\Event 类,包括了方面的内容,希望对PHP教程有兴趣的朋友有所帮助。

推荐阅读
  • 解决Python3中TypeError: can't concat str to bytes问题
    本文介绍了如何在Python3中解决尝试将字符串(str)与字节(bytes)类型进行连接时出现的TypeError错误,通过使用encode()方法将字符串转换为字节类型。 ... [详细]
  • 本视频详细介绍了如何利用J2EE、JBPM 3.x/4.3、Flex流程设计器、jQuery以及授权认证机制构建高效的企业普及版贝斯OA及工作流管理系统。 ... [详细]
  • javascript——对象的概念——函数 1 (函数对象的属性和方法)
    一、创建函数函数是一种对象:Function类是对象,可以通过Function实例化一个函数,不过最多的还是利用function来创建函数。方式一:利用Function类来实例化函 ... [详细]
  • 昆明理工大学诚邀广大考生加入!2019年度,学校计划在216个学科方向招收约3415名硕士研究生,包括全日制与非全日制两种学习形式,并设有专门面向退役大学生士兵的招生计划。 ... [详细]
  • 本文介绍了如何在Laravel框架中使用Select方法进行数据库查询,特别是当需要根据传入的分类ID查询相关产品时的正确做法和注意事项。 ... [详细]
  • CF C: 复杂市场分析中的质数乘积问题
    为了确保最终乘积为质数,解决方案需确保乘积形式为一个质数乘以若干个1。初始时误将'e'视为自然对数的底,导致解题受阻。正确的策略是从质数出发,向两边寻找1的数量。 ... [详细]
  • IEC60825激光产品安全标准详解
    随着激光技术在全球范围内的广泛应用,尤其是激光投影显示技术的兴起,了解和遵守相关的安全标准变得尤为重要。本文将详细介绍IEC60825激光产品安全标准及其重要性。 ... [详细]
  • 华为澄清:本月发射卫星抢占6G为不实消息
    华为中国官方近日正式发布声明,否认了关于华为将在本月发射卫星以抢占6G技术高地的传言。官方明确指出这些信息均为虚假,并展示了相关谣言的截图,强调了其‘假消息’的性质。尽管如此,华为确实在6G技术的研究方面早早布局。 ... [详细]
  • 深入解析JavaScript中的this关键字
    本文详细探讨了JavaScript中this关键字的具体指向及其在不同场景下的应用,通过实例和图表帮助读者更好地理解和掌握这一核心概念。 ... [详细]
  • 如何更换一加手机的主题
    本文详细介绍了更换一加手机主题的方法,包括如何访问设置、选择不同主题模式等步骤。 ... [详细]
  • Windows 10 磁盘碎片整理指南
    针对近期多位Windows 10用户关于如何进行磁盘碎片整理的咨询,本文将详细介绍在Windows 10系统中执行磁盘碎片整理的具体步骤,帮助用户提升系统性能。 ... [详细]
  • 本文详细介绍了《彩虹六号:围攻》中遇到的画面撕裂问题及其多种解决方案,帮助玩家提升游戏体验。 ... [详细]
  • Mysqlcheck作为MySQL提供的一个实用工具,主要用于数据库表的维护工作,包括检查、分析、修复及优化等操作。本文将详细介绍如何使用Mysqlcheck工具,并提供一些实践建议。 ... [详细]
  • 探讨Linux系统中PCI设备的I/O地址与内存映射的区别及其实现方式。 ... [详细]
  • LIN总线技术详解
    LIN(Local Interconnect Network)总线是一种基于UART/SCI(通用异步收发器/串行接口)的低成本串行通信协议,主要用于汽车车身网络中智能传感器和执行器之间的通信。 ... [详细]
author-avatar
最佳肖妮妮
这个家伙很懒,什么也没留下!
PHP1.CN | 中国最专业的PHP中文社区 | DevBox开发工具箱 | json解析格式化 |PHP资讯 | PHP教程 | 数据库技术 | 服务器技术 | 前端开发技术 | PHP框架 | 开发工具 | 在线工具
Copyright © 1998 - 2020 PHP1.CN. All Rights Reserved | 京公网安备 11010802041100号 | 京ICP备19059560号-4 | PHP1.CN 第一PHP社区 版权所有