`

Yii分析3:Yii日志记录

Web 
阅读更多

Yii的自带组件有一个很实用的日志记录组件,使用方法可以参考Yii官方文档:http://www.yiiframework.com/doc/guide/1.1/zh_cn/topics.logging,在文档中提到,只要我们在应用程序配置文件中配置了log组件,那么就可以使用

 

Yii::log($msg, $level, $category);

进行日志记录了。
配置项示例如下:

array(
    ......
    'preload'=>array('log'),
    'components'=>array(
        ......
        'log'=>array(
            'class'=>'CLogRouter',
            'routes'=>array(
                array(
                    'class'=>'CFileLogRoute',
                    'levels'=>'trace, info',
                    'categories'=>'system.*',
                ),
                array(
                    'class'=>'CEmailLogRoute',
                    'levels'=>'error, warning',
                    'emails'=>'admin@example.com',
                ),
            ),
        ),
    ),
)

 log组件的核心是CLogRouter,如果想使用多种方式记录日志,就必须配置routes,可用的route有:
•    CDbLogRoute: 将信息保存到数据库的表中。
•    CEmailLogRoute: 发送信息到指定的 Email 地址。
•    CFileLogRoute: 保存信息到应用程序 runtime 目录中的一个文件中。
•    CWebLogRoute: 将 信息 显示在当前页面的底部。
•    CProfileLogRoute: 在页面的底部显示概述(profiling)信息。
下面分析一下log的实现:
首先看一下CLogRouter的代码:

   /**
     * Initializes this application component.
     * This method is required by the IApplicationComponent interface.
     */
    public function init()
    {
        parent::init();
        foreach($this->_routes as $name=>$route)
        {
			//初始化从配置文件读取的route,保存在成员变量里
            $route=Yii::createComponent($route);
            $route->init();
            $this->_routes[$name]=$route;
        }
		//绑定事件,如果触发了一个onFlush事件,则调用CLogRouter的collectLogs方法
        Yii::getLogger()->attachEventHandler('onFlush',array($this,'collectLogs'));
		//绑定事件,如果触发了一个onEndRequest事件,则调用ClogRouter的processLogs方法
        Yii::app()->attachEventHandler('onEndRequest',array($this,'processLogs'));
}
    /**
     * Collects log messages from a logger.
     * This method is an event handler to the {@link CLogger::onFlush} event.
     * @param CEvent $event event parameter
     */
    public function collectLogs($event)
    {
        $logger=Yii::getLogger();
		//调用每个route的collectLogs方法
        foreach($this->_routes as $route)
        {
            if($route->enabled)
                $route->collectLogs($logger,false);
        }
    }

 

接着,我们看一下在调用Yii::log();时,发生了什么:

 

    /**
     * Logs a message.
     * Messages logged by this method may be retrieved via {@link CLogger::getLogs}
     * and may be recorded in different media, such as file, email, database, using
     * {@link CLogRouter}.
     * @param string $msg message to be logged
     * @param string $level level of the message (e.g. 'trace', 'warning', 'error'). It is case-insensitive.
     * @param string $category category of the message (e.g. 'system.web'). It is case-insensitive.
     */
    public static function log($msg,$level=CLogger::LEVEL_INFO,$category='application')
    {
        if(self::$_logger===null)
            self::$_logger=new CLogger;
        if(YII_DEBUG && YII_TRACE_LEVEL>0 && $level!==CLogger::LEVEL_PROFILE)
        {
            $traces=debug_backtrace();
            $count=0;
            foreach($traces as $trace)
            {
                if(isset($trace['file'],$trace['line']) && strpos($trace['file'],YII_PATH)!==0)
                {
                    $msg.="\nin ".$trace['file'].' ('.$trace['line'].')';
                    if(++$count>=YII_TRACE_LEVEL)
                        break;
                }
            }
        }
		//调用CLogger的log方法
        self::$_logger->log($msg,$level,$category);
    }
 

继续看CLogger:

 

class CLogger extends CComponent
{
const LEVEL_TRACE='trace';
const LEVEL_WARNING='warning';
const LEVEL_ERROR='error';
const LEVEL_INFO='info';
const LEVEL_PROFILE='profile';
/**
     * @var integer how many messages should be logged before they are flushed to destinations.
     * Defaults to 10,000, meaning for every 10,000 messages, the {@link flush} method will be
     * automatically invoked once. If this is 0, it means messages will never be flushed automatically.
     * @since 1.1.0
     */
public $autoFlush=10000;
……
/**
     * Logs a message.
     * Messages logged by this method may be retrieved back via {@link getLogs}.
     * @param string $message message to be logged
     * @param string $level level of the message (e.g. 'Trace', 'Warning', 'Error'). It is case-insensitive.
     * @param string $category category of the message (e.g. 'system.web'). It is case-insensitive.
     * @see getLogs
     */
    public function log($message,$level='info',$category='application')
{
	//将日志信息保存在成员变量(数组)中
        $this->_logs[]=array($message,$level,$category,microtime(true));
        $this->_logCount++;
		//如果数组数量到了autoFlush定义的数量,那么调用flush方法
        if($this->autoFlush>0 && $this->_logCount>=$this->autoFlush)
            $this->flush();
}
/**
     * Removes all recorded messages from the memory.
     * This method will raise an {@link onFlush} event.
     * The attached event handlers can process the log messages before they are removed.
     * @since 1.1.0
     */
    public function flush()
    {
	//触发onflush方法,这时会触发CLogRouter的onflush事件
	//参见上面CLogRouter的代码,会调用collectLogs方法
        $this->onFlush(new CEvent($this));
		//清空日志数据
        $this->_logs=array();
        $this->_logCount=0;
    }

 

回到CLogRouter,调用collectLogs实际是调用配置中的每一个Route的collectlogs方法
,这个方法是所有route继承自CLogRoute(注意,不是CLogRouter)的:

 

/**
     * Retrieves filtered log messages from logger for further processing.
     * @param CLogger $logger logger instance
     * @param boolean $processLogs whether to process the logs after they are collected from the logger
     */
    public function collectLogs($logger, $processLogs=false)
{
	//获取日志记录
        $logs=$logger->getLogs($this->levels,$this->categories);
        $this->logs=empty($this->logs) ? $logs : array_merge($this->logs,$logs);
        if($processLogs && !empty($this->logs))
        {
            if($this->filter!==null)
                Yii::createComponent($this->filter)->filter($this->logs);
			//调用processlog方法
            $this->processLogs($this->logs);
        }
    }
    /**
     * Processes log messages and sends them to specific destination.
     * Derived child classes must implement this method.
     * @param array $logs list of messages.  Each array elements represents one message
     * with the following structure:
     * array(
     *   [0] => message (string)
     *   [1] => level (string)
     *   [2] => category (string)
     *   [3] => timestamp (float, obtained by microtime(true));
     */
    //processlog是由CLogRoute的各个route子类实现的
    //例如数据库route用数据库存储,文件route用文件存储……
    abstract protected function processLogs($logs);

 


至此,整个记录日志的过程就清楚了,下图是类关系:

 

Yii日志记录类关系

  • 大小: 23.6 KB
1
3
分享到:
评论

相关推荐

    YII Framework框架教程之日志用法详解

    以下是一个具体的示例代码,展示如何在YII应用中使用日志记录: ```php class DefaultController extends Controller { public function actionCache() { $category = 'system.testmod.defaultController'; $...

    yii2使用SeasLog写日志

    在PHP开发过程中,日志记录是一项非常重要的任务,它能够帮助开发者追踪代码执行过程中的错误、性能问题以及调试信息。Yii2是一个流行的PHP框架,它自带了一套日志组件,但有时为了更高效、功能更丰富的日志处理,...

    Yii框架日志记录Logging操作示例

    Yii框架提供了强大的日志记录功能,下面将详细介绍Yii框架日志记录Logging的操作示例以及相关配置和使用技巧。 首先,Yii框架的日志记录可以通过多种方式实现,官方文档中提供了丰富的API调用方法。例如: 1. Yii:...

    php yii源码分析

    10. **错误处理和日志记录**: Yii 提供了内置的错误处理和日志系统,允许开发者捕获和记录异常,以及按照配置级别输出日志信息。 通过对 Yii 框架源码的深入分析,我们可以更好地理解其工作原理,这对于优化性能...

    整合日志,权限,方便高效开发的yii项目

    总之,这个基于Yii2的项目为高效开发提供了全面的基础,涵盖了日志记录、权限控制、菜单构建和主题切换等多个方面,是PHP开发者的有力工具。通过这样的框架,开发者可以专注于业务逻辑,而不是基础架构的搭建,从而...

    yii1.1.10 开发包(包含yii权威指南以及yii博客例子讲解)

    10. **错误和日志管理**:Yii 提供了详细的错误报告和日志记录功能,有助于开发者追踪和修复问题。 在提供的“yii权威指南”中,你将找到关于Yii框架全面而深入的介绍,包括如何安装和配置环境,创建项目,理解框架...

    详解PHP的Yii框架中日志的相关配置及使用

    本文将详细解释Yii框架中关于日志记录的相关配置以及日志的使用方法。日志系统在软件开发中扮演着极其重要的角色,它可以用于追踪程序运行状态、记录错误信息、优化性能、调试程序以及监控系统安全等方面。 一、Yii...

    yii-api:Yii REST API框架

    6. **过滤器与中间件**:Yii中的过滤器和中间件允许在处理请求和响应之前或之后执行特定的逻辑,例如日志记录、性能监控、访问控制等。 7. **错误处理**:良好的API应该提供清晰的错误信息。Yii提供了一套系统性的...

    yii2-consolelog:yii2的控制台日志

    控制台记录器 将输出转储到控制台,以进行控制台应用程序调试 安装 添加 "pahanini/yii2-consolelog": "*" 到composer.json文件的require部分。 用法 return [ 'id' => 'app-console' , 'bootstrap' => [ 'log' ...

    Yii框架实现记录日志到自定义文件的方法

    默认情况下,Yii::log($msg, $level, $category)会把日志记录到runtime/application.log文件中 日志格式如下: [时间] – [级别] – [类别] – [内容] 2013/05/03 17:33:08 [error] [application] test 但有时候...

    yii2 通用后台系统

    除此之外,Yii2 后台系统可能还包括了日志记录、错误处理、API接口开发、邮件发送等功能。Yii2 的 `yii\log` 组件可以帮助记录和分析系统运行中的事件和异常,而 `yii\swiftmailer` 可以方便地发送邮件通知。API接口...

    yii2_rest:具有高级日志记录和消息加密功能的 Yii2 REST API 模板

    这个“yii2_rest”模板扩展了标准的 Yii2 框架,添加了高级日志记录和消息加密功能,使得 API 开发更加安全和可维护。以下是关于这个模板的详细知识点: 1. **RESTful API 设计**:REST(Representational State ...

    Yii框架学习笔记.pdf

    Yii框架提供了灵活的日志记录功能,支持多种日志路由,如文件、数据库、邮件和系统日志。开发者可以根据需要配置日志路由,以将日志信息输出到不同的目的地。 ### 国际化 1. **信息翻译**:为了使Web应用支持多...

    Yii2框架中日志的使用方法分析

    在Yii2中,日志记录机制得到了极大的改进,相比较于Yii1.x版本,Yii2通过引入了面向对象的设计思想,将日志记录功能转移到了Logger类中,并且支持多种日志输出目标(Targets)。这意味着在Yii2中,我们可以通过灵活...

    Yii2.0视频教程

    - **日志记录**:通过配置日志组件,可以记录程序运行过程中的关键信息,便于后期分析和追踪错误。 - 日志级别:可根据严重程度设置不同级别的日志记录策略。 - 输出目标:日志可以输出到文件、邮件等多种目的地。...

    新下载的yii2,yii framework

    3. **models**:模型文件夹,存储业务逻辑和数据处理相关的类,通常与数据库交互。 4. **views**:视图文件夹,包含HTML模板和PHP代码,用于渲染页面内容。 5. **vendor**:Composer依赖管理器自动下载的第三方库和...

Global site tag (gtag.js) - Google Analytics