English 中文(简体)
Yii Tutorial

Yii Useful Resources

Selected Reading

Yii - Logging
  • 时间:2024-09-17

Yii - Logging


Previous Page Next Page  

Yii provides a highly customizable and extensible framework. With the help of this framework, you can easily log various types of messages.

To log a message, you should call one of the following methods −

    Yii::error() − Records a fatal error message.

    Yii::warning() − Records a warning message.

    Yii::info() − Records a message with some useful information.

    Yii::trace() − Records a message to trace how a piece of code runs.

The above methods record log messages at various categories. They share the following function signature −

function ($message, $category =  apppcation )

where −

    $message − The log message to be recorded

    $category − The category of the log message

A simple and convenient way of naming scheme is using the PHP __METHOD__ magic constant. For example −

Yii::info( this is a log message , __METHOD__);

A log target is an instance of the yiilogTarget class. It filters all log messages by categories and exports them to file, database, and/or email.

Step 1 − You can register multiple log target as well, pke.

return [
   // the "log" component is loaded during bootstrapping time
    bootstrap  => [ log ],
    components  => [
       log  => [
          targets  => [
            [
                class  =>  yiilogDbTarget ,
                levels  => [ error ,  warning ,  trace ,  info ],
            ],
            [
                class  =>  yiilogEmailTarget ,
                levels  => [ error ,  warning ],
                categories  => [ yiidb* ],
                message  => [
                   from  => [ log@mydomain.com ],
                   to  => [ admin@mydomain.com ,  developer@mydomain.com ],
                   subject  =>  Apppcation errors at mydomain.com ,
               ],
            ],
         ],
      ],
   ],
];

In the code above, two targets are registered. The first target selects all errors, warnings, traces, and info messages and saves them in a database. The second target sends all error and warning messages to the admin email.

Yii provides the following built-in log targets −

    yiilogDbTarget − Stores log messages in a database.

    yiilogFileTarget − Saves log messages in files.

    yiilogEmailTarget − Sends log messages to predefined email addresses.

    yiilogSyslogTarget − Saves log messages to syslog by calpng the PHP function syslog().

By default, log messages are formatted as follows −

Timestamp [IP address][User ID][Session ID][Severity Level][Category] Message Text

Step 2 − To customize this format, you should configure the yiilogTarget::$prefix property. For example.

[
    class  =>  yiilogFileTarget ,
    prefix  => function ($message) {
      $user = Yii::$app->has( user , true) ? Yii::$app->get( user ) :
       undefined user ;
      $userID = $user ? $user->getId(false) :  anonym ;
      return "[$userID]";
   }
]

The above code snippet configures a log target to prefix all log messages with the current userID.

By default, log messages include the values from these global PHP variables: $_GET, $_POST, $_SESSION, $_COOKIE, $_FILES, and $_SERVER. To modify this behavior, you should configure the yiilogTarget::$logVars property with the names of variables that you want to include.

All log messages are maintained in an array by the logger object. The logger object flushed the recorded messages to the log targets each time the array accumulates a certain number of messages(default is 1000).

Step 3 − To customize this number, you should call the flushInterval property.

return [
    bootstrap  => [ log ],
    components  => [
       log  => [
          flushInterval  => 50, // default is 1000
          targets  => [...],
      ],
   ],
];

Even when the logger object flushes log messages to log targets, they do not get exported immediately. The export occurs when a log target accumulates a certain number of messages(default is 1000).

Step 4 − To customize this number, you should configure the exportInterval property.

[
    class  =>  yiilogFileTarget ,
    exportInterval  => 50, // default is 1000
]

Step 5 − Now, modify the config/web.php file this way.

<?php
   $params = require(__DIR__ .  /params.php );
   $config = [
       id  =>  basic ,
       basePath  => dirname(__DIR__),
       bootstrap  => [ log ],
       components  => [
          request  => [
            // !!! insert a secret key in the following (if it is empty) - this
               //is required by cookie vapdation
             cookieVapdationKey  =>  ymoaYrebZHa8gURuopoHGlK8fLXCKjO ,
         ],
          cache  => [
             class  =>  yiicachingFileCache ,
         ],
          user  => [
             identityClass  =>  appmodelsUser ,
             enableAutoLogin  => true,
         ],
          errorHandler  => [
             errorAction  =>  site/error ,
         ],
          mailer  => [
             class  =>  yiiswiftmailerMailer ,
            // send all mails to a file by default. You have to set
            //  useFileTransport  to false and configure a transport
            // for the mailer to send real emails.
             useFileTransport  => true,
         ],
          log  => [
             flushInterval  => 1,
             traceLevel  => YII_DEBUG ? 3 : 0,
             targets  => [
               [
                   class  =>  yiilogFileTarget ,
                   exportInterval  => 1,
                   logVars  => []
               ],
            ],
         ],
          db  => require(__DIR__ .  /db.php ),
      ],
       modules  => [
          hello  => [
             class  =>  appmoduleshelloHello ,
         ],
      ],
       params  => $params,
   ];
   if (YII_ENV_DEV) {
      // configuration adjustments for  dev  environment
      $config[ bootstrap ][] =  debug ;
      $config[ modules ][ debug ] = [
          class  =>  yiidebugModule ,
      ];
      $config[ bootstrap ][] =  gii ;
      $config[ modules ][ gii ] = [
          class  =>  yiigiiModule ,
      ];
   }
   return $config;
?>

In the above code, we define the log apppcation component, set the flushInterval and exportInteval properties to 1 so that all log messages appear in the log files immediately. We also omit the levels property of the log target. It means that log messages of all categories(error, warning, info, trace) will appear in the log files.

Step 6 − Then, create a function called actionLog() in the SiteController.

pubpc function actionLog() {
   Yii::trace( trace log message );
   Yii::info( info log message );
   Yii::warning( warning log message );
   Yii::error( error log message );
}

In the above code, we just write four log messages of different categories to the log files.

Step 7 − Type the URL http://localhost:8080/index.php?r=site/log in the address bar of the web browser. Log messages should appear under the app/runtime/logs directory in the app.log file.

Action Log Function Advertisements