vTiger 日志配置文件。

This commit is contained in:
YUCHENG HU 2013-01-30 22:20:28 -05:00
parent f6dca8205e
commit 35044f15f6
70 changed files with 286061 additions and 0 deletions

67
log4php.debug/Logger.php Normal file
View File

@ -0,0 +1,67 @@
<?php
/**
* log4php is a PHP port of the log4j java logging package.
*
* <p>This framework is based on log4j (see {@link http://jakarta.apache.org/log4j log4j} for details).</p>
* <p>Design, strategies and part of the methods documentation are developed by log4j team
* (Ceki Gülcü as log4j project founder and
* {@link http://jakarta.apache.org/log4j/docs/contributors.html contributors}).</p>
*
* <p>PHP port, extensions and modifications by VxR. All rights reserved.<br>
* For more information, please see {@link http://www.vxr.it/log4php/}.</p>
*
* <p>This software is published under the terms of the LGPL License
* a copy of which has been included with this distribution in the LICENSE file.</p>
*
* @package log4php
*/
/**
* @ignore
*/
if (!defined('LOG4PHP_DIR')) define('LOG4PHP_DIR', dirname(__FILE__));
require_once(LOG4PHP_DIR . '/LoggerCategory.php');
require_once(LOG4PHP_DIR . '/LoggerManager.php');
/**
* Main class for logging operations
*
* @author VxR <vxr@vxr.it>
* @version $Revision: 1.9 $
* @package log4php
*/
class Logger extends LoggerCategory {
/**
* Constructor
* @param string $name logger name
*/
function Logger($name)
{
$this->LoggerCategory($name);
}
/**
* Get a Logger by name (Delegate to {@link LoggerManager})
* @param string $name logger name
* @param LoggerFactory $factory a {@link LoggerFactory} instance or null
* @return Logger
* @static
*/
function &getLogger($name, $factory = null)
{
return LoggerManager::getLogger($name, $factory);
}
/**
* get the Root Logger (Delegate to {@link LoggerManager})
* @return LoggerRoot
* @static
*/
function &getRootLogger()
{
return LoggerManager::getRootLogger();
}
}
?>

View File

@ -0,0 +1,218 @@
<?php
/**
* log4php is a PHP port of the log4j java logging package.
*
* <p>This framework is based on log4j (see {@link http://jakarta.apache.org/log4j log4j} for details).</p>
* <p>Design, strategies and part of the methods documentation are developed by log4j team
* (Ceki Gülcü as log4j project founder and
* {@link http://jakarta.apache.org/log4j/docs/contributors.html contributors}).</p>
*
* <p>PHP port, extensions and modifications by VxR. All rights reserved.<br>
* For more information, please see {@link http://www.vxr.it/log4php/}.</p>
*
* <p>This software is published under the terms of the LGPL License
* a copy of which has been included with this distribution in the LICENSE file.</p>
*
* @package log4php
*/
/**
* @ignore
*/
if (!defined('LOG4PHP_DIR')) define('LOG4PHP_DIR', dirname(__FILE__));
/**
* Abstract class that defines output logs strategies.
*
* @author VxR <vxr@vxr.it>
* @version $Revision: 1.14 $
* @package log4php
* @abstract
*/
class LoggerAppender {
/**
* Factory
*
* @param string $name appender name
* @param string $class create an instance of this appender class
* @return LoggerAppender
*/
function factory($name, $class)
{
$class = basename($class);
if (!empty($class)) {
if (!class_exists($class))
@include_once(LOG4PHP_DIR . "/appenders/{$class}.php");
if (class_exists($class))
return new $class($name);
}
return null;
}
/**
* Singleton
*
* @param string $name appender name
* @param string $class create or get a reference instance of this class
* @return LoggerAppender
*/
function &singleton($name, $class = '')
{
static $instances;
if (!empty($name)) {
if (!isset($instances[$name])) {
if (!empty($class)) {
$appender = LoggerAppender::factory($name, $class);
if ($appender !== null) {
$instances[$name] = $appender;
return $instances[$name];
}
}
return null;
}
return $instances[$name];
}
return null;
}
/* --------------------------------------------------------------------------*/
/* --------------------------------------------------------------------------*/
/* --------------------------------------------------------------------------*/
/**
* Add a filter to the end of the filter list.
*
* @param LoggerFilter $newFilter add a new LoggerFilter
* @abstract
*/
function addFilter($newFilter)
{
// override
}
/**
* Clear the list of filters by removing all the filters in it.
* @abstract
*/
function clearFilters()
{
// override
}
/**
* Return the first filter in the filter chain for this Appender.
* The return value may be <i>null</i> if no is filter is set.
* @return Filter
*/
function &getFilter()
{
// override
}
/**
* Release any resources allocated.
* Subclasses of {@link LoggerAppender} should implement
* this method to perform proper closing procedures.
* @abstract
*/
function close()
{
//override me
}
/**
* This method performs threshold checks and invokes filters before
* delegating actual logging to the subclasses specific <i>append()</i> method.
* @param LoggerLoggingEvent $event
* @abstract
*/
function doAppend($event)
{
//override me
}
/**
* Get the name of this appender.
* @return string
*/
function getName()
{
//override me
}
/**
* Do not use this method.
*
* @param object $errorHandler
*/
function setErrorHandler($errorHandler)
{
// override me
}
/**
* Do not use this method.
* @return object Returns the ErrorHandler for this appender.
*/
function &getErrorHandler()
{
return $this->errorHandler;
}
/**
* Set the Layout for this appender.
*
* @param LoggerLayout $layout
*/
function setLayout($layout)
{
// override me
}
/**
* Returns this appender layout.
* @return LoggerLayout
*/
function &getLayout()
{
// override me
}
/**
* Set the name of this appender.
*
* The name is used by other components to identify this appender.
*
* @param string $name
*/
function setName($name)
{
// override me
}
/**
* Configurators call this method to determine if the appender
* requires a layout.
*
* <p>If this method returns <i>true</i>, meaning that layout is required,
* then the configurator will configure a layout using the configuration
* information at its disposal. If this method returns <i>false</i>,
* meaning that a layout is not required, then layout configuration will be
* skipped even if there is available layout configuration
* information at the disposal of the configurator.</p>
*
* <p>In the rather exceptional case, where the appender
* implementation admits a layout but can also work without it, then
* the appender should return <i>true</i>.</p>
*
* @return boolean
*/
function requiresLayout()
{
// override me
}
}
?>

View File

@ -0,0 +1,355 @@
<?php
/**
* log4php is a PHP port of the log4j java logging package.
*
* <p>This framework is based on log4j (see {@link http://jakarta.apache.org/log4j log4j} for details).</p>
* <p>Design, strategies and part of the methods documentation are developed by log4j team
* (Ceki Gülcü as log4j project founder and
* {@link http://jakarta.apache.org/log4j/docs/contributors.html contributors}).</p>
*
* <p>PHP port, extensions and modifications by VxR. All rights reserved.<br>
* For more information, please see {@link http://www.vxr.it/log4php/}.</p>
*
* <p>This software is published under the terms of the LGPL License
* a copy of which has been included with this distribution in the LICENSE file.</p>
*
* @package log4php
*/
/**
* @ignore
*/
if (!defined('LOG4PHP_DIR')) define('LOG4PHP_DIR', dirname(__FILE__));
/**
*/
require_once(LOG4PHP_DIR . '/LoggerAppender.php');
require_once(LOG4PHP_DIR . '/LoggerLog.php');
require_once(LOG4PHP_DIR . '/helpers/LoggerOptionConverter.php');
/**
* Abstract superclass of the other appenders in the package.
*
* This class provides the code for common functionality, such as
* support for threshold filtering and support for general filters.
*
* @author VxR <vxr@vxr.it>
* @author Sergio Strampelli <sergio@ascia.net>
* @version $Revision: 1.15 $
* @package log4php
* @abstract
*/
class LoggerAppenderSkeleton extends LoggerAppender {
/**
* @var boolean closed appender flag
*/
var $closed;
/**
* @var object unused
*/
var $errorHandler;
/**
* The first filter in the filter chain
* @var LoggerFilter
*/
var $headFilter = null;
/**
* LoggerLayout for this appender. It can be null if appender has its own layout
* @var LoggerLayout
*/
var $layout = null;
/**
* @var string Appender name
*/
var $name;
/**
* The last filter in the filter chain
* @var LoggerFilter
*/
var $tailFilter = null;
/**
* @var LoggerLevel There is no level threshold filtering by default.
*/
var $threshold = null;
/**
* @var boolean needs a layout formatting ?
*/
var $requiresLayout = false;
/* --------------------------------------------------------------------------*/
/* --------------------------------------------------------------------------*/
/* --------------------------------------------------------------------------*/
/**
* Constructor
*
* @param string $name appender name
*/
function LoggerAppenderSkeleton($name)
{
$this->name = $name;
$this->clearFilters();
}
/**
* @param LoggerFilter $newFilter add a new LoggerFilter
* @see LoggerAppender::addFilter()
*/
function addFilter($newFilter)
{
if($this->headFilter === null) {
$this->headFilter = $newFilter;
$this->tailFilter =& $this->headFilter;
} else {
$this->tailFilter->next = $newFilter;
$this->tailFilter =& $this->tailFilter->next;
}
}
/**
* Derived appenders should override this method if option structure
* requires it.
*/
function activateOptions()
{
}
/**
* Subclasses of {@link LoggerAppenderSkeleton} should implement
* this method to perform actual logging.
*
* @param LoggerLoggingEvent $event
* @see doAppend()
* @abstract
*/
function append($event)
{
// override me
}
/**
* @see LoggerAppender::clearFilters()
*/
function clearFilters()
{
unset($this->headFilter);
unset($this->tailFilter);
$this->headFilter = null;
$this->tailFilter = null;
}
/**
* @see LoggerAppender::close()
*/
function close()
{
//override me
}
/**
* Finalize this appender by calling the derived class' <i>close()</i> method.
*/
function finalize()
{
// An appender might be closed then garbage collected. There is no
// point in closing twice.
if ($this->closed) return;
LoggerLog::debug("LoggerAppenderSkeleton::finalize():name=[{$this->name}].");
$this->close();
}
/**
* Do not use this method.
* @see LoggerAppender::getErrorHandler()
* @return object
*/
function &getErrorHandler()
{
return $this->errorHandler;
}
/**
* @see LoggerAppender::getFilter()
* @return Filter
*/
function &getFilter()
{
return $this->headFilter;
}
/**
* Return the first filter in the filter chain for this Appender.
* The return value may be <i>null</i> if no is filter is set.
* @return Filter
*/
function &getFirstFilter()
{
return $this->headFilter;
}
/**
* @see LoggerAppender::getLayout()
* @return LoggerLayout
*/
function &getLayout()
{
return $this->layout;
}
/**
* @see LoggerAppender::getName()
* @return string
*/
function getName()
{
return $this->name;
}
/**
* Returns this appenders threshold level.
* See the {@link setThreshold()} method for the meaning of this option.
* @return LoggerLevel
*/
function &getThreshold()
{
return $this->threshold;
}
/**
* Check whether the message level is below the appender's threshold.
*
*
* If there is no threshold set, then the return value is always <i>true</i>.
* @param LoggerLevel $priority
* @return boolean true if priority is greater or equal than threshold
*/
function isAsSevereAsThreshold($priority)
{
if ($this->threshold === null)
return true;
return $priority->isGreaterOrEqual($this->getThreshold());
}
/**
* @see LoggerAppender::doAppend()
* @param LoggerLoggingEvent $event
*/
function doAppend($event)
{
LoggerLog::debug("LoggerAppenderSkeleton::doAppend()");
if ($this->closed) {
LoggerLog::debug("LoggerAppenderSkeleton::doAppend() Attempted to append to closed appender named [{$this->name}].");
return;
}
if(!$this->isAsSevereAsThreshold($event->getLevel())) {
LoggerLog::debug("LoggerAppenderSkeleton::doAppend() event level is less severe than threshold.");
return;
}
$f = $this->getFirstFilter();
while($f !== null) {
switch ($f->decide($event)) {
case LOG4PHP_LOGGER_FILTER_DENY: return;
case LOG4PHP_LOGGER_FILTER_ACCEPT: return $this->append($event);
case LOG4PHP_LOGGER_FILTER_NEUTRAL: $f = $f->next;
}
}
$this->append($event);
}
/**
* @see LoggerAppender::requiresLayout()
* @return boolean
*/
function requiresLayout()
{
return $this->requiresLayout;
}
/**
* @see LoggerAppender::setErrorHandler()
* @param object
*/
function setErrorHandler($errorHandler)
{
if($errorHandler == null) {
// We do not throw exception here since the cause is probably a
// bad config file.
LoggerLog::warn("You have tried to set a null error-handler.");
} else {
$this->errorHandler = $errorHandler;
}
}
/**
* @see LoggerAppender::setLayout()
* @param LoggerLayout $layout
*/
function setLayout($layout)
{
if ($this->requiresLayout())
$this->layout = $layout;
}
/**
* @see LoggerAppender::setName()
* @param string $name
*/
function setName($name)
{
$this->name = $name;
}
/**
* Set the threshold level of this appender.
*
* @param mixed $threshold can be a {@link LoggerLevel} object or a string.
* @see LoggerOptionConverter::toLevel()
*/
function setThreshold($threshold)
{
if (is_string($threshold)) {
$this->threshold = LoggerOptionConverter::toLevel($threshold, null);
}elseif (is_a($threshold, 'loggerlevel')) {
$this->threshold = $threshold;
}
}
/**
* Perform actions before object serialization.
*
* Call {@link finalize()} to properly close the appender.
*/
function __sleep()
{
$this->finalize();
return array_keys(get_object_vars($this));
}
/**
* Perform actions after object deserialization.
*
* Call {@link activateOptions()} to properly setup the appender.
*/
function __wakeup()
{
$this->activateOptions();
}
}
?>

View File

@ -0,0 +1,80 @@
<?php
/**
* log4php is a PHP port of the log4j java logging package.
*
* <p>This framework is based on log4j (see {@link http://jakarta.apache.org/log4j log4j} for details).</p>
* <p>Design, strategies and part of the methods documentation are developed by log4j team
* (Ceki Gülcü as log4j project founder and
* {@link http://jakarta.apache.org/log4j/docs/contributors.html contributors}).</p>
*
* <p>PHP port, extensions and modifications by VxR. All rights reserved.<br>
* For more information, please see {@link http://www.vxr.it/log4php/}.</p>
*
* <p>This software is published under the terms of the LGPL License
* a copy of which has been included with this distribution in the LICENSE file.</p>
*
* @package log4php
*/
/**
* @ignore
*/
if (!defined('LOG4PHP_DIR')) define('LOG4PHP_DIR', dirname(__FILE__));
require_once(LOG4PHP_DIR . '/spi/LoggerConfigurator.php');
require_once(LOG4PHP_DIR . '/LoggerLayout.php');
require_once(LOG4PHP_DIR . '/LoggerAppender.php');
require_once(LOG4PHP_DIR . '/LoggerManager.php');
/**
* Use this class to quickly configure the package.
*
* <p>For file based configuration see {@link LoggerPropertyConfigurator}.
* <p>For XML based configuration see {@link LoggerDOMConfigurator}.
*
* @author VxR <vxr@vxr.it>
* @version $Revision: 1.2 $
* @package log4php
* @since 0.5
*/
class LoggerBasicConfigurator extends LoggerConfigurator {
function LoggerBasicConfigurator()
{
return;
}
/**
* Add a {@link LoggerAppenderConsole} that uses
* the {@link LoggerLayoutTTCC} to the root category.
*
* @param string $url not used here
* @static
*/
function configure($url = null)
{
$root =& LoggerManager::getRootLogger();
$appender =& LoggerAppender::singleton('A1', 'LoggerAppenderConsole');
$layout = LoggerLayout::factory('LoggerLayoutTTCC');
$appender->setLayout($layout);
$root->addAppender($appender);
}
/**
* Reset the default hierarchy to its defaut.
* It is equivalent to
* <code>
* LoggerManager::resetConfiguration();
* </code>
*
* @see LoggerHierarchy::resetConfiguration()
* @static
*/
function resetConfiguration()
{
LoggerManager::resetConfiguration();
}
}
?>

View File

@ -0,0 +1,572 @@
<?php
/**
* log4php is a PHP port of the log4j java logging package.
*
* <p>This framework is based on log4j (see {@link http://jakarta.apache.org/log4j log4j} for details).</p>
* <p>Design, strategies and part of the methods documentation are developed by log4j team
* (Ceki Gülcü as log4j project founder and
* {@link http://jakarta.apache.org/log4j/docs/contributors.html contributors}).</p>
*
* <p>PHP port, extensions and modifications by VxR. All rights reserved.<br>
* For more information, please see {@link http://www.vxr.it/log4php/}.</p>
*
* <p>This software is published under the terms of the LGPL License
* a copy of which has been included with this distribution in the LICENSE file.</p>
*
* @package log4php
*/
/**
* @ignore
*/
if (!defined('LOG4PHP_DIR')) define('LOG4PHP_DIR', dirname(__FILE__));
/**
*/
require_once(LOG4PHP_DIR . '/LoggerLevel.php');
require_once(LOG4PHP_DIR . '/spi/LoggerLoggingEvent.php');
/**
* This class has been deprecated and replaced by the Logger subclass.
*
* @author VxR <vxr@vxr.it>
* @version $Revision: 1.17 $
* @package log4php
* @see Logger
*/
class LoggerCategory {
/**
* Additivity is set to true by default, that is children inherit the
* appenders of their ancestors by default.
* @var boolean
*/
var $additive = true;
/**
* @var string fully qualified class name
*/
var $fqcn = 'LoggerCategory';
/**
* @var LoggerLevel The assigned level of this category.
*/
var $level = null;
/**
* @var string name of this category.
*/
var $name = '';
/**
* @var Logger The parent of this category.
*/
var $parent = null;
/**
* @var LoggerHierarchy the object repository
*/
var $repository = null;
/**
* @var array collection of appenders
* @see LoggerAppender
*/
var $aai = array();
/* --------------------------------------------------------------------------*/
/* --------------------------------------------------------------------------*/
/* --------------------------------------------------------------------------*/
/**
* Constructor.
*
* @param string $name Category name
*/
function LoggerCategory($name)
{
$this->name = $name;
}
/**
* Add a new Appender to the list of appenders of this Category instance.
*
* @param LoggerAppender $newAppender
*/
function addAppender(&$newAppender)
{
$appenderName = $newAppender->getName();
$this->aai[$appenderName] =& $newAppender;
}
/**
* If assertion parameter is false, then logs msg as an error statement.
*
* @param bool $assertion
* @param string $msg message to log
*/
function assertLog($assertion = true, $msg = '')
{
if ($assertion == false) {
$this->error($msg);
}
}
/**
* Call the appenders in the hierarchy starting at this.
*
* @param LoggerLoggingEvent $event
*/
function callAppenders($event)
{
if (sizeof($this->aai) > 0) {
foreach (array_keys($this->aai) as $appenderName) {
$this->aai[$appenderName]->doAppend($event);
}
}
if ($this->parent != null and $this->getAdditivity()) {
$this->parent->callAppenders($event);
}
}
/**
* Log a message object with the DEBUG level including the caller.
*
* @param mixed $message message
* @param mixed $caller caller object or caller string id
*/
function debug($message, $caller = null)
{
$debugLevel = LoggerLevel::getLevelDebug();
if ($this->repository->isDisabled($debugLevel)) {
return;
}
if ($debugLevel->isGreaterOrEqual($this->getEffectiveLevel())) {
$this->forcedLog($this->fqcn, $caller, $debugLevel, $message);
}
}
/**
* Log a message object with the ERROR level including the caller.
*
* @param mixed $message message
* @param mixed $caller caller object or caller string id
*/
function error($message, $caller = null)
{
$errorLevel = LoggerLevel::getLevelError();
if ($this->repository->isDisabled($errorLevel)) {
return;
}
if ($errorLevel->isGreaterOrEqual($this->getEffectiveLevel())) {
$this->forcedLog($this->fqcn, $caller, $errorLevel, $message);
}
}
/**
* Deprecated. Please use LoggerManager::exists() instead.
*
* @param string $name
* @see LoggerManager::exists()
* @deprecated
*/
function exists($name)
{
return LoggerManager::exists($name);
}
/**
* Log a message object with the FATAL level including the caller.
*
* @param mixed $message message
* @param mixed $caller caller object or caller string id
*/
function fatal($message, $caller = null)
{
$fatalLevel = LoggerLevel::getLevelFatal();
if ($this->repository->isDisabled($fatalLevel)) {
return;
}
if ($fatalLevel->isGreaterOrEqual($this->getEffectiveLevel())) {
$this->forcedLog($this->fqcn, $caller, $fatalLevel, $message);
}
}
/**
* This method creates a new logging event and logs the event without further checks.
*
* It should not be called directly. Use {@link info()}, {@link debug()}, {@link warn()},
* {@link error()} and {@link fatal()} wrappers.
*
* @param string $fqcn Fully Qualified Class Name of the Logger
* @param mixed $caller caller object or caller string id
* @param LoggerLevel $level log level
* @param mixed $message message
* @see LoggerLoggingEvent
*/
function forcedLog($fqcn, $caller, $level, $message)
{
// $fqcn = is_object($caller) ? get_class($caller) : (string)$caller;
$this->callAppenders(new LoggerLoggingEvent($fqcn, $this, $level, $message));
}
/**
* Get the additivity flag for this Category instance.
* @return boolean
*/
function getAdditivity()
{
return $this->additive;
}
/**
* Get the appenders contained in this category as an array.
* @return array collection of appenders
*/
function &getAllAppenders()
{
$appenders = array();
$appenderNames = array_keys($this->aai);
$enumAppenders = sizeof($appenderNames);
for ($i = 0; $i < $enumAppenders; $i++) {
$appenderName = $appenderNames[$i];
$appenders[] =& $this->aai[$appenderName];
}
return $appenders;
}
/**
* Look for the appender named as name.
* @return LoggerAppender
*/
function &getAppender($name)
{
return $this->aai[$name];
}
/**
* Please use the {@link getEffectiveLevel()} method instead.
* @deprecated
*/
function getChainedPriority()
{
return $this->getEffectiveLevel();
}
/**
* Please use {@link LoggerManager::getCurrentLoggers()} instead.
* @deprecated
*/
function getCurrentCategories()
{
return LoggerManager::getCurrentLoggers();
}
/**
* Please use {@link LoggerManager::getLoggerRepository()} instead.
* @deprecated
*/
function &getDefaultHierarchy()
{
return LoggerManager::getLoggerRepository();
}
/**
* @deprecated Use {@link getLoggerRepository()}
* @return LoggerHierarchy
*/
function &getHierarchy()
{
return $this->getLoggerRepository();
}
/**
* Starting from this category, search the category hierarchy for a non-null level and return it.
* @see LoggerLevel
* @return LoggerLevel or null
*/
function getEffectiveLevel()
{
for($c = $this; $c != null; $c = $c->parent) {
if($c->level !== null)
return $c->level;
}
return null;
}
/**
* Retrieve a category with named as the name parameter.
* @return Logger
*/
function &getInstance($name)
{
return LoggerManager::getLogger($name);
}
/**
* Returns the assigned Level, if any, for this Category.
* @return LoggerLevel or null
*/
function getLevel()
{
return $this->level;
}
/**
* Return the the repository where this Category is attached.
* @return LoggerHierarchy
*/
function &getLoggerRepository()
{
return $this->repository;
}
/**
* Return the category name.
* @return string
*/
function getName()
{
return $this->name;
}
/**
* Returns the parent of this category.
* @return Logger
*/
function &getParent()
{
return $this->parent;
}
/**
* Please use getLevel() instead.
* @deprecated
*/
function getPriority()
{
return $this->getLevel();
}
/**
* Return the inherited ResourceBundle for this category.
*/
function getResourceBundle()
{
return;
}
/**
* Returns the string resource coresponding to key in this category's inherited resource bundle.
*/
function getResourceBundleString($key)
{
return;
}
/**
* Return the root of the default category hierrachy.
* @return LoggerRoot
*/
function &getRoot()
{
return LoggerManager::getRootLogger();
}
/**
* Log a message object with the INFO Level.
*
* @param mixed $message message
* @param mixed $caller caller object or caller string id
*/
function info($message, $caller = null)
{
$infoLevel = LoggerLevel::getLevelInfo();
if ($this->repository->isDisabled($infoLevel)) {
return;
}
if ($infoLevel->isGreaterOrEqual($this->getEffectiveLevel())) {
$this->forcedLog($this->fqcn, $caller, $infoLevel, $message);
}
}
/**
* Is the appender passed as parameter attached to this category?
*
* @param LoggerAppender $appender
*/
function isAttached($appender)
{
return in_array($appender->getName(), array_keys($this->aai));
}
/**
* Check whether this category is enabled for the DEBUG Level.
* @return boolean
*/
function isDebugEnabled()
{
$debugLevel = LoggerLevel::getLevelDebug();
if ($this->repository->isDisabled($debugLevel)) {
return false;
}
return ($debugLevel->isGreaterOrEqual($this->getEffectiveLevel()));
}
/**
* Check whether this category is enabled for a given Level passed as parameter.
*
* @param LoggerLevel level
* @return boolean
*/
function isEnabledFor($level)
{
if ($this->repository->isDisabled($level)) {
return false;
}
return (bool)($level->isGreaterOrEqual($this->getEffectiveLevel()));
}
/**
* Check whether this category is enabled for the info Level.
* @return boolean
* @see LoggerLevel
*/
function isInfoEnabled()
{
$infoLevel = LoggerLevel::getLevelInfo();
if ($this->repository->isDisabled($infoLevel)) {
return false;
}
return ($infoLevel->isGreaterOrEqual($this->getEffectiveLevel()));
}
/**
* Log a localized and parameterized message.
*/
function l7dlog($priority, $key, $params, $t)
{
return;
}
/**
* This generic form is intended to be used by wrappers.
*
* @param LoggerLevel $priority a valid level
* @param mixed $message message
* @param mixed $caller caller object or caller string id
*/
function log($priority, $message, $caller = null)
{
if ($this->repository->isDisabled($priority)) {
return;
}
if ($priority->isGreaterOrEqual($this->getEffectiveLevel())) {
$this->forcedLog($this->fqcn, $caller, $priority, $message);
}
}
/**
* Remove all previously added appenders from this Category instance.
*/
function removeAllAppenders()
{
$appenderNames = array_keys($this->aai);
$enumAppenders = sizeof($appenderNames);
for ($i = 0; $i < $enumAppenders; $i++) {
$this->removeAppender($appenderNames[$i]);
}
}
/**
* Remove the appender passed as parameter form the list of appenders.
*
* @param mixed $appender can be an appender name or a {@link LoggerAppender} object
*/
function removeAppender($appender)
{
if (is_a($appender, 'loggerappender')) {
$appender->close();
unset($this->aai[$appender->getName()]);
} elseif (is_string($appender) and isset($this->aai[$appender])) {
$this->aai[$appender]->close();
unset($this->aai[$appender]);
}
}
/**
* Set the additivity flag for this Category instance.
*
* @param boolean $additive
*/
function setAdditivity($additive)
{
$this->additive = (bool)$additive;
}
/**
* @deprecated Please use {@link setLevel()} instead.
* @see setLevel()
*/
function setPriority($priority)
{
$this->setLevel($priority);
}
/**
* Only the Hiearchy class can set the hiearchy of a
* category.
*
* @param LoggerHierarchy &$repository
*/
function setHierarchy(&$repository)
{
$this->repository =& $repository;
}
/**
* Set the level of this Category.
*
* @param LoggerLevel $level a level string or a level costant
*/
function setLevel($level)
{
$this->level = $level;
}
/**
* Set the resource bundle to be used with localized logging methods
*/
function setResourceBundle($bundle)
{
return;
}
/**
* @deprecated use {@link LoggerManager::shutdown()} instead.
* @see LoggerManager::shutdown()
*/
function shutdown()
{
LoggerManager::shutdown();
}
/**
* Log a message with the WARN level.
*
* @param mixed $message message
* @param mixed $caller caller object or caller string id
*/
function warn($message, $caller = null)
{
$warnLevel = LoggerLevel::getLevelWarn();
if ($this->repository->isDisabled($warnLevel)) {
return;
}
if ($warnLevel->isGreaterOrEqual($this->getEffectiveLevel())) {
$this->forcedLog($this->fqcn, $caller, $warnLevel, $message);
}
}
}
?>

View File

@ -0,0 +1,52 @@
<?php
/**
* log4php is a PHP port of the log4j java logging package.
*
* <p>This framework is based on log4j (see {@link http://jakarta.apache.org/log4j log4j} for details).</p>
* <p>Design, strategies and part of the methods documentation are developed by log4j team
* (Ceki Gülcü as log4j project founder and
* {@link http://jakarta.apache.org/log4j/docs/contributors.html contributors}).</p>
*
* <p>PHP port, extensions and modifications by VxR. All rights reserved.<br>
* For more information, please see {@link http://www.vxr.it/log4php/}.</p>
*
* <p>This software is published under the terms of the LGPL License
* a copy of which has been included with this distribution in the LICENSE file.</p>
*
* @package log4php
*/
/**
* @ignore
*/
if (!defined('LOG4PHP_DIR')) define('LOG4PHP_DIR', dirname(__FILE__));
require_once(LOG4PHP_DIR . '/spi/LoggerFactory.php');
require_once(LOG4PHP_DIR . '/Logger.php');
/**
* Creates instances of {@link Logger} with a given name.
*
* @author VxR <vxr@vxr.it>
* @version $Revision: 1.2 $
* @package log4php
* @since 0.5
*/
class LoggerDefaultCategoryFactory extends LoggerFactory {
function LoggerDefaultCategoryFactory()
{
return;
}
/**
* @param string $name
* @return Logger
*/
function makeNewLoggerInstance($name)
{
return new Logger($name);
}
}
?>

View File

@ -0,0 +1,388 @@
<?php
/**
* log4php is a PHP port of the log4j java logging package.
*
* <p>This framework is based on log4j (see {@link http://jakarta.apache.org/log4j log4j} for details).</p>
* <p>Design, strategies and part of the methods documentation are developed by log4j team
* (Ceki Gülcü as log4j project founder and
* {@link http://jakarta.apache.org/log4j/docs/contributors.html contributors}).</p>
*
* <p>PHP port, extensions and modifications by VxR. All rights reserved.<br>
* For more information, please see {@link http://www.vxr.it/log4php/}.</p>
*
* <p>This software is published under the terms of the LGPL License
* a copy of which has been included with this distribution in the LICENSE file.</p>
*
* @package log4php
*/
/**
* @ignore
*/
if (!defined('LOG4PHP_DIR')) define('LOG4PHP_DIR', dirname(__FILE__));
/**
*/
require_once(LOG4PHP_DIR . '/LoggerLog.php');
require_once(LOG4PHP_DIR . '/LoggerLevel.php');
require_once(LOG4PHP_DIR . '/LoggerRoot.php');
require_once(LOG4PHP_DIR . '/or/LoggerRendererMap.php');
require_once(LOG4PHP_DIR . '/LoggerDefaultCategoryFactory.php');
/**
* This class is specialized in retrieving loggers by name and also maintaining
* the logger hierarchy.
*
* <p>The casual user does not have to deal with this class directly.</p>
*
* <p>The structure of the logger hierarchy is maintained by the
* getLogger method. The hierarchy is such that children link
* to their parent but parents do not have any pointers to their
* children. Moreover, loggers can be instantiated in any order, in
* particular descendant before ancestor.</p>
*
* <p>In case a descendant is created before a particular ancestor,
* then it creates a provision node for the ancestor and adds itself
* to the provision node. Other descendants of the same ancestor add
* themselves to the previously created provision node.</p>
*
* @author VxR <vxr@vxr.it>
* @version $Revision: 1.20 $
* @package log4php
*/
class LoggerHierarchy {
/**
* @var object currently unused
*/
var $defaultFactory;
/**
* @var boolean activate internal logging
* @see LoggerLog
*/
var $debug = false;
/**
* @var array hierarchy tree. saves here all loggers
*/
var $ht = array();
/**
* @var LoggerRoot
*/
var $root = null;
/**
* @var LoggerRendererMap
*/
var $rendererMap;
/**
* @var LoggerLevel main level threshold
*/
var $threshold;
/**
* @var boolean currently unused
*/
var $emittedNoAppenderWarning = false;
/**
* @var boolean currently unused
*/
var $emittedNoResourceBundleWarning = false;
/* --------------------------------------------------------------------------*/
/* --------------------------------------------------------------------------*/
/* --------------------------------------------------------------------------*/
function &singleton()
{
static $instance;
if (!isset($instance))
$instance = new LoggerHierarchy(new LoggerRoot());
return $instance;
}
/**
* Create a new logger hierarchy.
* @param object $root the root logger
*/
function LoggerHierarchy($root)
{
$this->root =& $root;
// Enable all level levels by default.
$this->setThreshold(LoggerLevel::getLevelAll());
$this->root->setHierarchy($this);
$this->rendererMap = new LoggerRendererMap();
$this->defaultFactory = new LoggerDefaultCategoryFactory();
}
/**
* Add a HierarchyEventListener event to the repository.
* Not Yet Impl.
*/
function addHierarchyEventListener($listener)
{
return;
}
/**
* Add an object renderer for a specific class.
* Not Yet Impl.
*/
function addRenderer($classToRender, $or)
{
$this->rendererMap->put($classToRender, $or);
}
/**
* This call will clear all logger definitions from the internal hashtable.
*/
function clear()
{
$this->ht = array();
}
function emitNoAppenderWarning($cat)
{
return;
}
/**
* Check if the named logger exists in the hierarchy.
* @param string $name
* @return boolean
*/
function exists($name)
{
return in_array($name, array_keys($this->ht));
}
function fireAddAppenderEvent($logger, $appender)
{
return;
}
/**
* @deprecated Please use {@link getCurrentLoggers()} instead.
*/
function &getCurrentCategories()
{
return $this->getCurrentLoggers();
}
/**
* Returns all the currently defined categories in this hierarchy as an array.
* @return array
*/
function &getCurrentLoggers()
{
$loggers = array();
$loggerNames = array_keys($this->ht);
$enumLoggers = sizeof($loggerNames);
for ($i = 0; $i < $enumLoggers; $i++) {
$loggerName = $loggerNames[$i];
$loggers[] =& $this->ht[$loggerName];
}
return $loggers;
}
/**
* Return a new logger instance named as the first parameter using the default factory.
*
* @param string $name logger name
* @param LoggerFactory $factory a {@link LoggerFactory} instance or null
* @return Logger
*/
function &getLogger($name, $factory = null)
{
if ($factory === null) {
return $this->getLoggerByFactory($name, $this->defaultFactory);
} else {
return $this->getLoggerByFactory($name, $factory);
}
}
/**
* Return a new logger instance named as the first parameter using the default factory.
*
* @param string $name logger name
* @return Logger
* @todo merge with {@link getLogger()}
*/
function &getLoggerByFactory($name, $factory)
{
if (!isset($this->ht[$name])) {
LoggerLog::debug("LoggerHierarchy::getLoggerByFactory():name=[$name]:factory=[".get_class($factory)."] creating a new logger...");
$this->ht[$name] = $factory->makeNewLoggerInstance($name);
$this->ht[$name]->setHierarchy($this);
$nodes = explode('.', $name);
$firstNode = array_shift($nodes);
if ( $firstNode != $name and isset($this->ht[$firstNode])) {
LoggerLog::debug("LoggerHierarchy::getLogger($name) parent is now [$firstNode]");
$this->ht[$name]->parent =& $this->ht[$firstNode];
} else {
LoggerLog::debug("LoggerHierarchy::getLogger($name) parent is now [root]");
$this->ht[$name]->parent =& $this->root;
}
if (sizeof($nodes) > 0) {
// find parent node
foreach ($nodes as $node) {
$parentNode = "$firstNode.$node";
if (isset($this->ht[$parentNode]) and $parentNode != $name) {
LoggerLog::debug("LoggerHierarchy::getLogger($name) parent is now [$parentNode]");
$this->ht[$name]->parent =& $this->ht[$parentNode];
}
$firstNode .= ".$node";
}
}
// update children
/*
$children = array();
foreach (array_keys($this->ht) as $nodeName) {
if ($nodeName != $name and substr($nodeName, 0, strlen($name)) == $name) {
$children[] = $nodeName;
}
}
*/
}
return $this->ht[$name];
}
/**
* @return LoggerRendererMap Get the renderer map for this hierarchy.
*/
function &getRendererMap()
{
return $this->rendererMap;
}
/**
* @return LoggerRoot Get the root of this hierarchy.
*/
function &getRootLogger()
{
if (!isset($this->root) or $this->root == null)
$this->root = new LoggerRoot();
return $this->root;
}
/**
* @return LoggerLevel Returns the threshold Level.
*/
function getThreshold()
{
return $this->threshold;
}
/**
* This method will return true if this repository is disabled
* for level object passed as parameter and false otherwise.
* @return boolean
*/
function isDisabled($level)
{
return ($this->threshold->level > $level->level);
}
/**
* @deprecated Deprecated with no replacement.
*/
function overrideAsNeeded($override)
{
return;
}
/**
* Reset all values contained in this hierarchy instance to their
* default.
*
* This removes all appenders from all categories, sets
* the level of all non-root categories to <i>null</i>,
* sets their additivity flag to <i>true</i> and sets the level
* of the root logger to {@link LOGGER_LEVEL_DEBUG}. Moreover,
* message disabling is set its default "off" value.
*
* <p>Existing categories are not removed. They are just reset.
*
* <p>This method should be used sparingly and with care as it will
* block all logging until it is completed.</p>
*/
function resetConfiguration()
{
$root =& $this->getRootLogger();
$root->setLevel(LoggerLevel::getLevelDebug());
$this->setThreshold(LoggerLevel::getLevelAll());
$this->shutDown();
$loggers =& $this->getCurrentLoggers();
$enumLoggers = sizeof($loggers);
for ($i = 0; $i < $enumLoggers; $i++) {
$loggers[$i]->setLevel(null);
$loggers[$i]->setAdditivity(true);
$loggers[$i]->setResourceBundle(null);
}
$this->rendererMap->clear();
}
/**
* @deprecated Deprecated with no replacement.
*/
function setDisableOverride($override)
{
return;
}
/**
* Used by subclasses to add a renderer to the hierarchy passed as parameter.
* @param string $renderedClass a LoggerRenderer class name
* @param LoggerRenderer $renderer
*
*/
function setRenderer($renderedClass, $renderer)
{
$this->rendererMap->put($renderedClass, $renderer);
}
/**
* set a new threshold level
*
* @param LoggerLevel $l
*/
function setThreshold($l)
{
if ($l !== null)
$this->threshold = $l;
}
/**
* Shutting down a hierarchy will <i>safely</i> close and remove
* all appenders in all categories including the root logger.
*
* <p>Some appenders such as {@link LoggerSocketAppender}
* need to be closed before the
* application exists. Otherwise, pending logging events might be
* lost.
*
* <p>The shutdown method is careful to close nested
* appenders before closing regular appenders. This is allows
* configurations where a regular appender is attached to a logger
* and again to a nested appender.
*/
function shutdown()
{
$this->root->removeAllAppenders();
$cats =& $this->getCurrentLoggers();
$enumCats = sizeof($cats);
if ($enumCats > 0) {
for ($i = 0; $i < $enumCats; $i++) {
$cats[$i]->removeAllAppenders();
}
}
}
}
?>

View File

@ -0,0 +1,98 @@
<?php
/**
* log4php is a PHP port of the log4j java logging package.
*
* <p>This framework is based on log4j (see {@link http://jakarta.apache.org/log4j log4j} for details).</p>
* <p>Design, strategies and part of the methods documentation are developed by log4j team
* (Ceki Gülcü as log4j project founder and
* {@link http://jakarta.apache.org/log4j/docs/contributors.html contributors}).</p>
*
* <p>PHP port, extensions and modifications by VxR. All rights reserved.<br>
* For more information, please see {@link http://www.vxr.it/log4php/}.</p>
*
* <p>This software is published under the terms of the LGPL License
* a copy of which has been included with this distribution in the LICENSE file.</p>
*
* @package log4php
*/
/**
* @ignore
*/
if (!defined('LOG4PHP_DIR')) define('LOG4PHP_DIR', dirname(__FILE__));
/**
* Extend this abstract class to create your own log layout format.
*
* @author VxR <vxr@vxr.it>
* @version $Revision: 1.10 $
* @package log4php
* @abstract
*/
class LoggerLayout {
/**
* Creates LoggerLayout instances with the given class name.
*
* @param string $class
* @return LoggerLayout
*/
function factory($class)
{
if (!empty($class)) {
$class = basename($class);
if (!class_exists($class))
@include_once(LOG4PHP_DIR . "/layouts/{$class}.php");
if (class_exists($class))
return new $class();
}
return null;
}
/**
* Override this method
*/
function activateOptions()
{
// override;
}
/**
* Override this method to create your own layout format.
*
* @param LoggerLoggingEvent
* @return string
*/
function format($event)
{
return $event->getRenderedMessage();
}
/**
* Returns the content type output by this layout.
* @return string
*/
function getContentType()
{
return "text/plain";
}
/**
* Returns the footer for the layout format.
* @return string
*/
function getFooter()
{
return null;
}
/**
* Returns the header for the layout format.
* @return string
*/
function getHeader()
{
return null;
}
}
?>

View File

@ -0,0 +1,264 @@
<?php
/**
* log4php is a PHP port of the log4j java logging package.
*
* <p>This framework is based on log4j (see {@link http://jakarta.apache.org/log4j log4j} for details).</p>
* <p>Design, strategies and part of the methods documentation are developed by log4j team
* (Ceki Gülcü as log4j project founder and
* {@link http://jakarta.apache.org/log4j/docs/contributors.html contributors}).</p>
*
* <p>PHP port, extensions and modifications by VxR. All rights reserved.<br>
* For more information, please see {@link http://www.vxr.it/log4php/}.</p>
*
* <p>This software is published under the terms of the LGPL License
* a copy of which has been included with this distribution in the LICENSE file.</p>
*
* @package log4php
*/
/**
* @ignore
*/
if (!defined('LOG4PHP_DIR')) define('LOG4PHP_DIR', dirname(__FILE__));
/**
*/
require_once(LOG4PHP_DIR . '/LoggerLog.php');
define('LOG4PHP_LEVEL_OFF_INT', 2147483647);
define('LOG4PHP_LEVEL_FATAL_INT', 50000);
define('LOG4PHP_LEVEL_ERROR_INT', 40000);
define('LOG4PHP_LEVEL_WARN_INT', 30000);
define('LOG4PHP_LEVEL_INFO_INT', 20000);
define('LOG4PHP_LEVEL_DEBUG_INT', 10000);
define('LOG4PHP_LEVEL_ALL_INT', -2147483648);
/**
* Defines the minimum set of levels recognized by the system, that is
* <i>OFF</i>, <i>FATAL</i>, <i>ERROR</i>,
* <i>WARN</i>, <i>INFO</i, <i>DEBUG</i> and
* <i>ALL</i>.
*
* <p>The <i>LoggerLevel</i> class may be subclassed to define a larger
* level set.</p>
*
* @author VxR <vxr@vxr.it>
* @version $Revision: 1.11 $
* @package log4php
* @since 0.5
*/
class LoggerLevel {
/**
* @var integer
*/
var $level;
/**
* @var string
*/
var $levelStr;
/**
* @var integer
*/
var $syslogEquivalent;
/**
* Constructor
*
* @param integer $level
* @param string $levelStr
* @param integer $syslogEquivalent
*/
function LoggerLevel($level, $levelStr, $syslogEquivalent)
{
$this->level = $level;
$this->levelStr = $levelStr;
$this->syslogEquivalent = $syslogEquivalent;
}
/**
* Two priorities are equal if their level fields are equal.
*
* @param object $o
* @return boolean
*/
function equals($o)
{
if (is_a($o, 'loggerlevel')) {
return ($this->level == $o->level);
} else {
return false;
}
}
/**
* Returns an Off Level
* @static
* @return LoggerLevel
*/
function &getLevelOff()
{
static $level;
if (!isset($level)) $level = new LoggerLevel(LOG4PHP_LEVEL_OFF_INT, 'OFF', 0);
return $level;
}
/**
* Returns a Fatal Level
* @static
* @return LoggerLevel
*/
function &getLevelFatal()
{
static $level;
if (!isset($level)) $level = new LoggerLevel(LOG4PHP_LEVEL_FATAL_INT, 'FATAL', 0);
return $level;
}
/**
* Returns an Error Level
* @static
* @return LoggerLevel
*/
function &getLevelError()
{
static $level;
if (!isset($level)) $level = new LoggerLevel(LOG4PHP_LEVEL_ERROR_INT, 'ERROR', 3);
return $level;
}
/**
* Returns a Warn Level
* @static
* @return LoggerLevel
*/
function &getLevelWarn()
{
static $level;
if (!isset($level)) $level = new LoggerLevel(LOG4PHP_LEVEL_WARN_INT, 'WARN', 4);
return $level;
}
/**
* Returns an Info Level
* @static
* @return LoggerLevel
*/
function &getLevelInfo()
{
static $level;
if (!isset($level)) $level = new LoggerLevel(LOG4PHP_LEVEL_INFO_INT, 'INFO', 6);
return $level;
}
/**
* Returns a Debug Level
* @static
* @return LoggerLevel
*/
function &getLevelDebug()
{
static $level;
if (!isset($level)) $level = new LoggerLevel(LOG4PHP_LEVEL_DEBUG_INT, 'DEBUG', 7);
return $level;
}
/**
* Returns an All Level
* @static
* @return LoggerLevel
*/
function &getLevelAll()
{
static $level;
if (!isset($level)) $level = new LoggerLevel(LOG4PHP_LEVEL_ALL_INT, 'ALL', 7);
return $level;
}
/**
* Return the syslog equivalent of this priority as an integer.
* @final
* @return integer
*/
function getSyslogEquivalent()
{
return $this->syslogEquivalent;
}
/**
* Returns <i>true</i> if this level has a higher or equal
* level than the level passed as argument, <i>false</i>
* otherwise.
*
* <p>You should think twice before overriding the default
* implementation of <i>isGreaterOrEqual</i> method.
*
* @param LoggerLevel $r
* @return boolean
*/
function isGreaterOrEqual($r)
{
return $this->level >= $r->level;
}
/**
* Returns the string representation of this priority.
* @return string
* @final
*/
function toString()
{
return $this->levelStr;
}
/**
* Returns the integer representation of this level.
* @return integer
*/
function toInt()
{
return $this->level;
}
/**
* Convert the string passed as argument to a level. If the
* conversion fails, then this method returns a DEBUG Level.
*
* @param mixed $arg
* @param LoggerLevel $default
* @static
*/
function &toLevel($arg, $defaultLevel = null)
{
if ($defaultLevel === null) {
return LoggerLevel::toLevel($arg, LoggerLevel::getLevelDebug());
} else {
if (is_int($arg)) {
switch($arg) {
case LOG4PHP_LEVEL_ALL_INT: return LoggerLevel::getLevelAll();
case LOG4PHP_LEVEL_DEBUG_INT: return LoggerLevel::getLevelDebug();
case LOG4PHP_LEVEL_INFO_INT: return LoggerLevel::getLevelInfo();
case LOG4PHP_LEVEL_WARN_INT: return LoggerLevel::getLevelWarn();
case LOG4PHP_LEVEL_ERROR_INT: return LoggerLevel::getLevelError();
case LOG4PHP_LEVEL_FATAL_INT: return LoggerLevel::getLevelFatal();
case LOG4PHP_LEVEL_OFF_INT: return LoggerLevel::getLevelOff();
default: return $defaultLevel;
}
} else {
switch(strtoupper($arg)) {
case 'ALL': return LoggerLevel::getLevelAll();
case 'DEBUG': return LoggerLevel::getLevelDebug();
case 'INFO': return LoggerLevel::getLevelInfo();
case 'WARN': return LoggerLevel::getLevelWarn();
case 'ERROR': return LoggerLevel::getLevelError();
case 'FATAL': return LoggerLevel::getLevelFatal();
case 'OFF': return LoggerLevel::getLevelOff();
default: return $defaultLevel;
}
}
}
}
}
?>

View File

@ -0,0 +1,99 @@
<?php
/**
* log4php is a PHP port of the log4j java logging package.
*
* <p>This framework is based on log4j (see {@link http://jakarta.apache.org/log4j log4j} for details).</p>
* <p>Design, strategies and part of the methods documentation are developed by log4j team
* (Ceki Gülcü as log4j project founder and
* {@link http://jakarta.apache.org/log4j/docs/contributors.html contributors}).</p>
*
* <p>PHP port, extensions and modifications by VxR. All rights reserved.<br>
* For more information, please see {@link http://www.vxr.it/log4php/}.</p>
*
* <p>This software is published under the terms of the LGPL License
* a copy of which has been included with this distribution in the LICENSE file.</p>
*
* @package log4php
*/
/**
* @ignore
*/
if (!defined('LOG4PHP_DIR')) define('LOG4PHP_DIR', dirname(__FILE__));
/**
* Helper class for internal logging
*
* <p>It uses php {@link PHP_MANUAL#trigger_error trigger_error()} function
* to output messages.</p>
* <p>You need to recode methods to output messages in a different way.</p>
*
* @author VxR <vxr@vxr.it>
* @version $Revision: 1.9 $
* @package log4php
*/
class LoggerLog {
/**
* Log if debug is enabled.
*
* Log using php {@link PHP_MANUAL#trigger_error trigger_error()} function
* with E_USER_NOTICE level by default.
*
* @param string $message log message
* @param integer $errLevel level to log
* @static
*/
function log($message, $errLevel = E_USER_NOTICE)
{
if (LoggerLog::internalDebugging())
trigger_error($message, $errLevel);
}
function internalDebugging($value = null)
{
static $debug = false;
if (is_bool($value))
$debug = $value;
return $debug;
}
/**
* Report a debug message.
*
* @param string $message log message
* @static
* @since 0.3
*/
function debug($message)
{
LoggerLog::log($message, E_USER_NOTICE);
}
/**
* Report an error message.
*
* @param string $message log message
* @static
* @since 0.3
*/
function error($message)
{
trigger_error($message, E_USER_ERROR);
}
/**
* Report a warning message.
*
* @param string $message log message
* @static
* @since 0.3
*/
function warn($message)
{
trigger_error($message, E_USER_WARNING);
}
}
?>

129
log4php.debug/LoggerMDC.php Normal file
View File

@ -0,0 +1,129 @@
<?php
/**
* log4php is a PHP port of the log4j java logging package.
*
* <p>This framework is based on log4j (see {@link http://jakarta.apache.org/log4j log4j} for details).</p>
* <p>Design, strategies and part of the methods documentation are developed by log4j team
* (Ceki Gülcü as log4j project founder and
* {@link http://jakarta.apache.org/log4j/docs/contributors.html contributors}).</p>
*
* <p>PHP port, extensions and modifications by VxR. All rights reserved.<br>
* For more information, please see {@link http://www.vxr.it/log4php/}.</p>
*
* <p>This software is published under the terms of the LGPL License
* a copy of which has been included with this distribution in the LICENSE file.</p>
*
* @package log4php
*/
/**
* @ignore
*/
if (!defined('LOG4PHP_DIR')) define('LOG4PHP_DIR', dirname(__FILE__));
/**
*/
require_once(LOG4PHP_DIR . '/LoggerLog.php');
define('LOGGER_MDC_HT_SIZE', 7);
/**
* This is the global repository of user mappings
*/
$GLOBALS['log4php.LoggerMDC.ht'] = array();
/**
* The LoggerMDC class is similar to the {@link LoggerNDC} class except that it is
* based on a map instead of a stack. It provides <i>mapped diagnostic contexts</i>.
*
* A <i>Mapped Diagnostic Context</i>, or
* MDC in short, is an instrument for distinguishing interleaved log
* output from different sources. Log output is typically interleaved
* when a server handles multiple clients near-simultaneously.
*
* <p><b><i>The MDC is managed on a per thread basis</i></b>.
*
* @author VxR <vxr@vxr.it>
* @version $Revision: 1.4 $
* @since 0.3
* @package log4php
*/
class LoggerMDC {
/**
* Put a context value as identified with the key parameter into the current thread's
* context map.
*
* <p>If the current thread does not have a context map it is
* created as a side effect.</p>
*
* <p>Note that you cannot put more than {@link LOGGER_MDC_HT_SIZE} keys.</p>
*
* @param string $key the key
* @param string $value the value
* @static
*/
function put($key, $value)
{
if ( sizeof($GLOBALS['log4php.LoggerMDC.ht']) < LOGGER_MDC_HT_SIZE )
$GLOBALS['log4php.LoggerMDC.ht'][$key] = $value;
}
/**
* Get the context identified by the key parameter.
*
* <p>You can use special key identifiers to map values in
* PHP $_SERVER and $_ENV vars. Just put a 'server.' or 'env.'
* followed by the var name you want to refer.</p>
*
* <p>This method has no side effects.</p>
*
* @param string $key
* @return string
* @static
*/
function get($key)
{
LoggerLog::debug("LoggerMDC::get() key='$key'");
if (!empty($key)) {
if (strpos($key, 'server.') === 0) {
$varName = substr($key, 7);
LoggerLog::debug("LoggerMDC::get() a _SERVER[$varName] is requested.");
return $_SERVER[$varName];
} elseif (strpos($key, 'env.') === 0) {
$varName = substr($key, 4);
LoggerLog::debug("LoggerMDC::get() a _ENV[$varName] is requested.");
return $_ENV[$varName];
} elseif (isset($GLOBALS['log4php.LoggerMDC.ht'][$key])) {
LoggerLog::debug("LoggerMDC::get() a user key is requested.");
return $GLOBALS['log4php.LoggerMDC.ht'][$key];
}
}
return '';
}
/**
* Remove the the context identified by the key parameter.
*
* It only affects user mappings.
*
* @param string $key
* @return string
* @static
*/
function remove($key)
{
unset($GLOBALS['log4php.LoggerMDC.ht'][$key]);
}
}
?>

View File

@ -0,0 +1,262 @@
<?php
/**
* log4php is a PHP port of the log4j java logging package.
*
* <p>This framework is based on log4j (see {@link http://jakarta.apache.org/log4j log4j} for details).</p>
* <p>Design, strategies and part of the methods documentation are developed by log4j team
* (Ceki Gülcü as log4j project founder and
* {@link http://jakarta.apache.org/log4j/docs/contributors.html contributors}).</p>
*
* <p>PHP port, extensions and modifications by VxR. All rights reserved.<br>
* For more information, please see {@link http://www.vxr.it/log4php/}.</p>
*
* <p>This software is published under the terms of the LGPL License
* a copy of which has been included with this distribution in the LICENSE file.</p>
*
* @package log4php
*/
/**
* LOG4PHP_DIR points to the log4php root directory.
*
* If not defined it will be set automatically when the first package classfile
* is included
*
* @var string
*/
if (!defined('LOG4PHP_DIR')) define('LOG4PHP_DIR', dirname(__FILE__));
require_once(LOG4PHP_DIR . '/LoggerHierarchy.php');
/**
* Use the LoggerManager to get Logger instances.
*
* @author VxR <vxr@vxr.it>
* @version $Revision: 1.18 $
* @package log4php
* @see Logger
* @todo create a configurator selector
*/
class LoggerManager {
/**
* check if a given logger exists.
*
* @param string $name logger name
* @static
* @return boolean
*/
function exists($name)
{
$repository =& LoggerManager::getLoggerRepository();
return $repository->exists($name);
}
/**
* Returns an array this whole Logger instances.
*
* @static
* @see Logger
* @return array
*/
function getCurrentLoggers()
{
$repository =& LoggerManager::getLoggerRepository();
return $repository->getCurrentLoggers();
}
/**
* Returns the root logger.
*
* @static
* @return object
* @see LoggerRoot
*/
function &getRootLogger()
{
$repository =& LoggerManager::getLoggerRepository();
return $repository->getRootLogger();
}
/**
* Returns the specified Logger.
*
* @param string $name logger name
* @param LoggerFactory $factory a {@link LoggerFactory} instance or null
* @static
* @return Logger
*/
function &getLogger($name, $factory = null)
{
$repository =& LoggerManager::getLoggerRepository();
return $repository->getLogger($name, $factory);
}
/**
* Returns the LoggerHierarchy.
*
* @static
* @return LoggerHierarchy
*/
function &getLoggerRepository()
{
return LoggerHierarchy::singleton();
}
/**
* Destroy loggers object tree.
*
* @static
* @return boolean
*/
function resetConfiguration()
{
$repository =& LoggerManager::getLoggerRepository();
return $repository->resetConfiguration();
}
/**
* Does nothing.
* @static
*/
function setRepositorySelector($selector, $guard)
{
return;
}
/**
* Safely close all appenders.
* @static
*/
function shutdown()
{
$repository =& LoggerManager::getLoggerRepository();
return $repository->shutdown();
}
}
// ---------------------------------------------------------------------------
// ---------------------------------------------------------------------------
// ---------------------------------------------------------------------------
if (!defined('LOG4PHP_DEFAULT_INIT_OVERRIDE')) {
if (isset($_ENV['log4php.defaultInitOverride'])) {
/**
* @ignore
*/
define('LOG4PHP_DEFAULT_INIT_OVERRIDE',
LoggerOptionConverter::toBoolean($_ENV['log4php.defaultInitOverride'], false)
);
} elseif (isset($GLOBALS['log4php.defaultInitOverride'])) {
/**
* @ignore
*/
define('LOG4PHP_DEFAULT_INIT_OVERRIDE',
LoggerOptionConverter::toBoolean($GLOBALS['log4php.defaultInitOverride'], false)
);
} else {
/**
* Controls init execution
*
* With this constant users can skip the default init procedure that is
* called when this file is included.
*
* <p>If it is not user defined, log4php tries to autoconfigure using (in order):</p>
*
* - the <code>$_ENV['log4php.defaultInitOverride']</code> variable.
* - the <code>$GLOBALS['log4php.defaultInitOverride']</code> global variable.
* - defaults to <i>false</i>
*
* @var boolean
*/
define('LOG4PHP_DEFAULT_INIT_OVERRIDE', false);
}
}
if (!defined('LOG4PHP_CONFIGURATION')) {
if (isset($_ENV['log4php.configuration'])) {
/**
* @ignore
*/
define('LOG4PHP_CONFIGURATION', trim($_ENV['log4php.configuration']));
} else {
/**
* Configuration file.
*
* <p>This constant tells configurator classes where the configuration
* file is located.</p>
* <p>If not set by user, log4php tries to set it automatically using
* (in order):</p>
*
* - the <code>$_ENV['log4php.configuration']</code> enviroment variable.
* - defaults to 'log4php.properties'.
*
* @var string
*/
define('LOG4PHP_CONFIGURATION', 'log4php.properties');
}
}
if (!defined('LOG4PHP_CONFIGURATOR_CLASS')) {
if ( strtolower(substr( LOG4PHP_CONFIGURATION, -4 )) == '.xml') {
/**
* @ignore
*/
define('LOG4PHP_CONFIGURATOR_CLASS', LOG4PHP_DIR . '/xml/LoggerDOMConfigurator');
} else {
/**
* Holds the configurator class name.
*
* <p>This constant is set with the fullname (path included but non the
* .php extension) of the configurator class that init procedure will use.</p>
* <p>If not set by user, log4php tries to set it automatically.</p>
* <p>If {@link LOG4PHP_CONFIGURATION} has '.xml' extension set the
* constants to '{@link LOG4PHP_DIR}/xml/{@link LoggerDOMConfigurator}'.</p>
* <p>Otherwise set the constants to
* '{@link LOG4PHP_DIR}/{@link LoggerPropertyConfigurator}'.</p>
*
* <p><b>Security Note</b>: classfile pointed by this constant will be brutally
* included with a:
* <code>@include_once(LOG4PHP_CONFIGURATOR_CLASS . ".php");</code></p>
*
* @var string
*/
define('LOG4PHP_CONFIGURATOR_CLASS', LOG4PHP_DIR . '/LoggerPropertyConfigurator');
}
}
if (!LOG4PHP_DEFAULT_INIT_OVERRIDE) {
if (!LoggerManagerDefaultInit())
LoggerLog::warn("LOG4PHP main() Default Init failed.");
}
/**
* Default init procedure.
*
* <p>This procedure tries to configure the {@link LoggerHierarchy} using the
* configurator class defined via {@link LOG4PHP_CONFIGURATOR_CLASS} that tries
* to load the configurator file defined in {@link LOG4PHP_CONFIGURATION}.
* If something goes wrong a warn is raised.</p>
* <p>Users can skip this procedure using {@link LOG4PHP_DEFAULT_INIT_OVERRIDE}
* constant.</p>
*
* @return boolean
*/
function LoggerManagerDefaultInit()
{
$configuratorClass = basename(LOG4PHP_CONFIGURATOR_CLASS);
if (!class_exists($configuratorClass)) {
@include_once(LOG4PHP_CONFIGURATOR_CLASS . ".php");
}
if (class_exists($configuratorClass)) {
return call_user_func(array($configuratorClass, 'configure'), LOG4PHP_CONFIGURATION);
} else {
LoggerLog::warn("LoggerManagerDefaultInit() Configurator '{$configuratorClass}' doesnt exists");
return false;
}
}
?>

240
log4php.debug/LoggerNDC.php Normal file
View File

@ -0,0 +1,240 @@
<?php
/**
* log4php is a PHP port of the log4j java logging package.
*
* <p>This framework is based on log4j (see {@link http://jakarta.apache.org/log4j log4j} for details).</p>
* <p>Design, strategies and part of the methods documentation are developed by log4j team
* (Ceki Gülcü as log4j project founder and
* {@link http://jakarta.apache.org/log4j/docs/contributors.html contributors}).</p>
*
* <p>PHP port, extensions and modifications by VxR. All rights reserved.<br>
* For more information, please see {@link http://www.vxr.it/log4php/}.</p>
*
* <p>This software is published under the terms of the LGPL License
* a copy of which has been included with this distribution in the LICENSE file.</p>
*
* @package log4php
*/
/**
* @ignore
*/
if (!defined('LOG4PHP_DIR')) define('LOG4PHP_DIR', dirname(__FILE__));
/**
*/
require_once(LOG4PHP_DIR . '/LoggerLog.php');
define('LOGGER_NDC_HT_SIZE', 7);
/**
* This is the global repository of NDC stack
*/
$GLOBALS['log4php.LoggerNDC.ht'] = array();
/**
* This is the max depth of NDC stack
*/
$GLOBALS['log4php.LoggerNDC.maxDepth'] = LOGGER_NDC_HT_SIZE;
/**
* The NDC class implements <i>nested diagnostic contexts</i> as
* defined by Neil Harrison in the article "Patterns for Logging
* Diagnostic Messages" part of the book "<i>Pattern Languages of
* Program Design 3</i>" edited by Martin et al.
*
* <p>A Nested Diagnostic Context, or NDC in short, is an instrument
* to distinguish interleaved log output from different sources. Log
* output is typically interleaved when a server handles multiple
* clients near-simultaneously.
*
* <p>Interleaved log output can still be meaningful if each log entry
* from different contexts had a distinctive stamp. This is where NDCs
* come into play.
*
* <p><i><b>Note that NDCs are managed on a per thread
* basis</b></i>. NDC operations such as {@link push()}, {@link pop()},
* {@link clear()}, {@link getDepth()} and {@link setMaxDepth()}
* affect the NDC of the <i>current</i> thread only. NDCs of other
* threads remain unaffected.
*
* <p>For example, a servlet can build a per client request NDC
* consisting the clients host name and other information contained in
* the the request. <i>Cookies</i> are another source of distinctive
* information. To build an NDC one uses the {@link push()}
* operation.</p>
*
* Simply put,
*
* - Contexts can be nested.
* - When entering a context, call
* <code>LoggerNDC::push()</code>
* As a side effect, if there is no nested diagnostic context for the
* current thread, this method will create it.
* - When leaving a context, call
* <code>LoggerNDC::pop()</code>
* - <b>When exiting a thread make sure to call {@link remove()}</b>
*
* <p>There is no penalty for forgetting to match each
* <code>push</code> operation with a corresponding <code>pop</code>,
* except the obvious mismatch between the real application context
* and the context set in the NDC.</p>
*
* <p>If configured to do so, {@link LoggerPatternLayout} and {@link LoggerLayoutTTCC}
* instances automatically retrieve the nested diagnostic
* context for the current thread without any user intervention.
* Hence, even if a servlet is serving multiple clients
* simultaneously, the logs emanating from the same code (belonging to
* the same category) can still be distinguished because each client
* request will have a different NDC tag.</p>
*
*
* @author VxR <vxr@vxr.it>
* @version $Revision: 1.5 $
* @package log4php
* @since 0.3
*/
class LoggerNDC {
/**
* Clear any nested diagnostic information if any. This method is
* useful in cases where the same thread can be potentially used
* over and over in different unrelated contexts.
*
* <p>This method is equivalent to calling the {@link setMaxDepth()}
* method with a zero <var>maxDepth</var> argument.
*
* @static
*/
function clear()
{
LoggerLog::debug("LoggerNDC::clear()");
$GLOBALS['log4php.LoggerNDC.ht'] = array();
}
/**
* Never use this method directly, use the {@link LoggerLoggingEvent::getNDC()} method instead.
* @static
* @return array
*/
function get()
{
LoggerLog::debug("LoggerNDC::get()");
return $GLOBALS['log4php.LoggerNDC.ht'];
}
/**
* Get the current nesting depth of this diagnostic context.
*
* @see setMaxDepth()
* @return integer
* @static
*/
function getDepth()
{
LoggerLog::debug("LoggerNDC::getDepth()");
return sizeof($GLOBALS['log4php.LoggerNDC.ht']);
}
/**
* Clients should call this method before leaving a diagnostic
* context.
*
* <p>The returned value is the value that was pushed last. If no
* context is available, then the empty string "" is returned.</p>
*
* @return string The innermost diagnostic context.
* @static
*/
function pop()
{
LoggerLog::debug("LoggerNDC::pop()");
if (sizeof($GLOBALS['log4php.LoggerNDC.ht']) > 0) {
return array_pop($GLOBALS['log4php.LoggerNDC.ht']);
} else {
return '';
}
}
/**
* Looks at the last diagnostic context at the top of this NDC
* without removing it.
*
* <p>The returned value is the value that was pushed last. If no
* context is available, then the empty string "" is returned.</p>
* @return string The innermost diagnostic context.
* @static
*/
function peek()
{
LoggerLog::debug("LoggerNDC::peek()");
if (sizeof($GLOBALS['log4php.LoggerNDC.ht']) > 0) {
return end($GLOBALS['log4php.LoggerNDC.ht']);
} else {
return '';
}
}
/**
* Push new diagnostic context information for the current thread.
*
* <p>The contents of the <var>message</var> parameter is
* determined solely by the client.
*
* @param string $message The new diagnostic context information.
* @static
*/
function push($message)
{
LoggerLog::debug("LoggerNDC::push()");
array_push($GLOBALS['log4php.LoggerNDC.ht'], (string)$message);
}
/**
* Remove the diagnostic context for this thread.
* @static
*/
function remove()
{
LoggerLog::debug("LoggerNDC::remove()");
LoggerNDC::clear();
}
/**
* Set maximum depth of this diagnostic context. If the current
* depth is smaller or equal to <var>maxDepth</var>, then no
* action is taken.
*
* <p>This method is a convenient alternative to multiple
* {@link pop()} calls. Moreover, it is often the case that at
* the end of complex call sequences, the depth of the NDC is
* unpredictable. The {@link setMaxDepth()} method circumvents
* this problem.
*
* @param integer $maxDepth
* @see getDepth()
* @static
*/
function setMaxDepth($maxDepth)
{
LoggerLog::debug("LoggerNDC::setMaxDepth() maxDepth='$maxDepth'");
$maxDepth = (int)$maxDepth;
if ($maxDepth <= LOGGER_NDC_HT_SIZE) {
if (LoggerNDC::getDepth() > $maxDepth) {
$GLOBALS['log4php.LoggerNDC.ht'] = array_slice($GLOBALS['log4php.LoggerNDC.ht'], $maxDepth);
}
$GLOBALS['log4php.LoggerNDC.maxDepth'] = $maxDepth;
}
}
}
?>

View File

@ -0,0 +1,650 @@
<?php
/**
* log4php is a PHP port of the log4j java logging package.
*
* <p>This framework is based on log4j (see {@link http://jakarta.apache.org/log4j log4j} for details).</p>
* <p>Design, strategies and part of the methods documentation are developed by log4j team
* (Ceki Gülcü as log4j project founder and
* {@link http://jakarta.apache.org/log4j/docs/contributors.html contributors}).</p>
*
* <p>PHP port, extensions and modifications by VxR. All rights reserved.<br>
* For more information, please see {@link http://www.vxr.it/log4php/}.</p>
*
* <p>This software is published under the terms of the LGPL License
* a copy of which has been included with this distribution in the LICENSE file.</p>
*
* @package log4php
*/
/**
* @ignore
*/
if (!defined('LOG4PHP_DIR')) define('LOG4PHP_DIR', dirname(__FILE__));
require_once(LOG4PHP_DIR . '/config/LoggerPropertySetter.php');
require_once(LOG4PHP_DIR . '/helpers/LoggerOptionConverter.php');
require_once(LOG4PHP_DIR . '/or/LoggerObjectRenderer.php');
require_once(LOG4PHP_DIR . '/or/LoggerRendererMap.php');
require_once(LOG4PHP_DIR . '/spi/LoggerConfigurator.php');
require_once(LOG4PHP_DIR . '/spi/LoggerFilter.php');
require_once(LOG4PHP_DIR . '/LoggerAppender.php');
require_once(LOG4PHP_DIR . '/LoggerDefaultCategoryFactory.php');
require_once(LOG4PHP_DIR . '/LoggerLayout.php');
require_once(LOG4PHP_DIR . '/LoggerLevel.php');
require_once(LOG4PHP_DIR . '/LoggerManager.php');
define('LOG4PHP_LOGGER_PROPERTY_CONFIGURATOR_CATEGORY_PREFIX', "log4php.category.");
define('LOG4PHP_LOGGER_PROPERTY_CONFIGURATOR_LOGGER_PREFIX', "log4php.logger.");
define('LOG4PHP_LOGGER_PROPERTY_CONFIGURATOR_FACTORY_PREFIX', "log4php.factory");
define('LOG4PHP_LOGGER_PROPERTY_CONFIGURATOR_ADDITIVITY_PREFIX', "log4php.additivity.");
define('LOG4PHP_LOGGER_PROPERTY_CONFIGURATOR_ROOT_CATEGORY_PREFIX', "log4php.rootCategory");
define('LOG4PHP_LOGGER_PROPERTY_CONFIGURATOR_ROOT_LOGGER_PREFIX', "log4php.rootLogger");
define('LOG4PHP_LOGGER_PROPERTY_CONFIGURATOR_APPENDER_PREFIX', "log4php.appender.");
define('LOG4PHP_LOGGER_PROPERTY_CONFIGURATOR_RENDERER_PREFIX', "log4php.renderer.");
define('LOG4PHP_LOGGER_PROPERTY_CONFIGURATOR_THRESHOLD_PREFIX', "log4php.threshold");
/**
* Key for specifying the {@link LoggerFactory}.
*/
define('LOG4PHP_LOGGER_PROPERTY_CONFIGURATOR_LOGGER_FACTORY_KEY', "log4php.loggerFactory");
define('LOG4PHP_LOGGER_PROPERTY_CONFIGURATOR_LOGGER_DEBUG_KEY', "log4php.debug");
define('LOG4PHP_LOGGER_PROPERTY_CONFIGURATOR_INTERNAL_ROOT_NAME', "root");
/**
* Allows the configuration of log4php from an external file.
*
* See {@link doConfigure()} for the expected format.
*
* <p>It is sometimes useful to see how log4php is reading configuration
* files. You can enable log4php internal logging by defining the
* <b>log4php.debug</b> variable.</p>
*
* <p>The <i>LoggerPropertyConfigurator</i> does not handle the
* advanced configuration features supported by the {@link LoggerDOMConfigurator}
* such as support for {@link LoggerFilter},
custom {@link LoggerErrorHandlers}, nested appenders such as the
{@link Logger AsyncAppender},
* etc.
*
* <p>All option <i>values</i> admit variable substitution. The
* syntax of variable substitution is similar to that of Unix
* shells. The string between an opening <b>&quot;${&quot;</b> and
* closing <b>&quot;}&quot;</b> is interpreted as a key. The value of
* the substituted variable can be defined as a system property or in
* the configuration file itself. The value of the key is first
* searched in the defined constants, in the enviroments variables
* and if not found there, it is
* then searched in the configuration file being parsed. The
* corresponding value replaces the ${variableName} sequence.</p>
* <p>For example, if <b>$_ENV['home']</b> env var is set to
* <b>/home/xyz</b>, then every occurrence of the sequence
* <b>${home}</b> will be interpreted as
* <b>/home/xyz</b>. See {@link LoggerOptionConverter::getSystemProperty()}
* for details.</p>
*
* @author VxR <vxr@vxr.it>
* @version $Revision: 1.6 $
* @package log4php
* @since 0.5
*/
class LoggerPropertyConfigurator extends LoggerConfigurator {
/**
* @var LoggerFactory
*/
var $loggerFactory = null;
/**
* Constructor
*/
function LoggerPropertyConfigurator()
{
$this->loggerFactory = new LoggerDefaultCategoryFactory();
}
/**
* Configure the default repository using the resource pointed by <b>url</b>.
* <b>Url</b> is any valid resurce as defined in {@link PHP_MANUAL#file} function.
* Note that the resource will be search with <i>use_include_path</i> parameter
* set to "1".
*
* @param string $url
* @return boolean configuration result
* @static
*/
function configure($url = '')
{
$configurator = new LoggerPropertyConfigurator();
$repository =& LoggerManager::getLoggerRepository();
return $configurator->doConfigure($url, $repository);
}
/**
* Read configuration from a file.
*
* <p>The function {@link PHP_MANUAL#parse_ini_file} is used to read the
* file.</p>
*
* <b>The existing configuration is not cleared nor reset.</b>
* If you require a different behavior, then call
* {@link LoggerManager::resetConfiguration()}
* method before calling {@link doConfigure()}.
*
* <p>The configuration file consists of statements in the format
* <b>key=value</b>. The syntax of different configuration
* elements are discussed below.
*
* <p><b>Repository-wide threshold</b></p>
*
* <p>The repository-wide threshold filters logging requests by level
* regardless of logger. The syntax is:
*
* <pre>
* log4php.threshold=[level]
* </pre>
*
* <p>The level value can consist of the string values OFF, FATAL,
* ERROR, WARN, INFO, DEBUG, ALL or a <i>custom level</i> value. A
* custom level value can be specified in the form
* <samp>level#classname</samp>. By default the repository-wide threshold is set
* to the lowest possible value, namely the level <b>ALL</b>.
* </p>
*
*
* <p><b>Appender configuration</b></p>
*
* <p>Appender configuration syntax is:</p>
* <pre>
* ; For appender named <i>appenderName</i>, set its class.
* ; Note: The appender name can contain dots.
* log4php.appender.appenderName=name_of_appender_class
*
* ; Set appender specific options.
*
* log4php.appender.appenderName.option1=value1
* log4php.appender.appenderName.optionN=valueN
* </pre>
*
* For each named appender you can configure its {@link LoggerLayout}. The
* syntax for configuring an appender's layout is:
* <pre>
* log4php.appender.appenderName.layout=name_of_layout_class
* log4php.appender.appenderName.layout.option1=value1
* ....
* log4php.appender.appenderName.layout.optionN=valueN
* </pre>
*
* <p><b>Configuring loggers</b></p>
*
* <p>The syntax for configuring the root logger is:
* <pre>
* log4php.rootLogger=[level], appenderName, appenderName, ...
* </pre>
*
* <p>This syntax means that an optional <i>level</i> can be
* supplied followed by appender names separated by commas.
*
* <p>The level value can consist of the string values OFF, FATAL,
* ERROR, WARN, INFO, DEBUG, ALL or a <i>custom level</i> value. A
* custom level value can be specified in the form</p>
*
* <pre>level#classname</pre>
*
* <p>If a level value is specified, then the root level is set
* to the corresponding level. If no level value is specified,
* then the root level remains untouched.
*
* <p>The root logger can be assigned multiple appenders.
*
* <p>Each <i>appenderName</i> (separated by commas) will be added to
* the root logger. The named appender is defined using the
* appender syntax defined above.
*
* <p>For non-root categories the syntax is almost the same:
* <pre>
* log4php.logger.logger_name=[level|INHERITED|NULL], appenderName, appenderName, ...
* </pre>
*
* <p>The meaning of the optional level value is discussed above
* in relation to the root logger. In addition however, the value
* INHERITED can be specified meaning that the named logger should
* inherit its level from the logger hierarchy.</p>
*
* <p>If no level value is supplied, then the level of the
* named logger remains untouched.</p>
*
* <p>By default categories inherit their level from the
* hierarchy. However, if you set the level of a logger and later
* decide that that logger should inherit its level, then you should
* specify INHERITED as the value for the level value. NULL is a
* synonym for INHERITED.</p>
*
* <p>Similar to the root logger syntax, each <i>appenderName</i>
* (separated by commas) will be attached to the named logger.</p>
*
* <p>See the <i>appender additivity rule</i> in the user manual for
* the meaning of the <b>additivity</b> flag.
*
* <p><b>ObjectRenderers</b></p>
*
* <p>You can customize the way message objects of a given type are
* converted to String before being logged. This is done by
* specifying a {@link LoggerObjectRenderer}
* for the object type would like to customize.</p>
*
* <p>The syntax is:
*
* <pre>
* log4php.renderer.name_of_rendered_class=name_of_rendering.class
* </pre>
*
* As in,
* <pre>
* log4php.renderer.myFruit=myFruitRenderer
* </pre>
*
* <p><b>Logger Factories</b></p>
*
* The usage of custom logger factories is discouraged and no longer
* documented.
*
* <p><b>Example</b></p>
*
* <p>An example configuration is given below. Other configuration
* file examples are given in the <b>tests</b> folder.
*
* <pre>
* ; Set options for appender named "A1".
* ; Appender "A1" will be a SyslogAppender
* log4php.appender.A1=SyslogAppender
*
* ; The syslog daemon resides on www.abc.net
* log4php.appender.A1.SyslogHost=www.abc.net
*
* ; A1's layout is a LoggerPatternLayout, using the conversion pattern
* ; <b>%r %-5p %c{2} %M.%L %x - %m%n</b>. Thus, the log output will
* ; include the relative time since the start of the application in
* ; milliseconds, followed by the level of the log request,
* ; followed by the two rightmost components of the logger name,
* ; followed by the callers method name, followed by the line number,
* ; the nested disgnostic context and finally the message itself.
* ; Refer to the documentation of LoggerPatternLayout} for further information
* ; on the syntax of the ConversionPattern key.
* log4php.appender.A1.layout=LoggerPatternLayout
* log4php.appender.A1.layout.ConversionPattern="%-4r %-5p %c{2} %M.%L %x - %m%n"
*
* ; Set options for appender named "A2"
* ; A2 should be a LoggerAppenderRollingFile, with maximum file size of 10 MB
* ; using at most one backup file. A2's layout is TTCC, using the
* ; ISO8061 date format with context printing enabled.
* log4php.appender.A2=LoggerAppenderRollingFile
* log4php.appender.A2.MaxFileSize=10MB
* log4php.appender.A2.MaxBackupIndex=1
* log4php.appender.A2.layout=LoggerLayoutTTCC
* log4php.appender.A2.layout.ContextPrinting="true"
* log4php.appender.A2.layout.DateFormat="%c"
*
* ; Root logger set to DEBUG using the A2 appender defined above.
* log4php.rootLogger=DEBUG, A2
*
* ; Logger definitions:
* ; The SECURITY logger inherits is level from root. However, it's output
* ; will go to A1 appender defined above. It's additivity is non-cumulative.
* log4php.logger.SECURITY=INHERIT, A1
* log4php.additivity.SECURITY=false
*
* ; Only warnings or above will be logged for the logger "SECURITY.access".
* ; Output will go to A1.
* log4php.logger.SECURITY.access=WARN
*
*
* ; The logger "class.of.the.day" inherits its level from the
* ; logger hierarchy. Output will go to the appender's of the root
* ; logger, A2 in this case.
* log4php.logger.class.of.the.day=INHERIT
* </pre>
*
* <p>Refer to the <b>setOption</b> method in each Appender and
* Layout for class specific options.</p>
*
* <p>Use the <b>&quot;;&quot;</b> character at the
* beginning of a line for comments.</p>
*
* @param string $url The name of the configuration file where the
* configuration information is stored.
* @param LoggerHierarchy &$repository the repository to apply the configuration
*/
function doConfigure($url, &$repository)
{
$properties = @parse_ini_file($url);
if ($properties === false) {
LoggerLog::warn("LoggerPropertyConfigurator::doConfigure() cannot load '$url' configuration.");
return false;
}
return $this->doConfigureProperties($properties, $repository);
}
/**
* Read configuration options from <b>properties</b>.
*
* @see doConfigure().
* @param array $properties
* @param LoggerHierarchy &$hierarchy
*/
function doConfigureProperties($properties, &$hierarchy)
{
$value = @$properties[LOG4PHP_LOGGER_PROPERTY_CONFIGURATOR_LOGGER_DEBUG_KEY];
if (!empty($value)) {
LoggerLog::internalDebugging(LoggerOptionConverter::toBoolean($value, LoggerLog::internalDebugging()));
}
$thresholdStr = @$properties[LOG4PHP_LOGGER_PROPERTY_CONFIGURATOR_THRESHOLD_PREFIX];
$hierarchy->setThreshold(LoggerOptionConverter::toLevel($thresholdStr, LoggerLevel::getLevelAll()));
$this->configureRootCategory($properties, $hierarchy);
$this->configureLoggerFactory($properties);
$this->parseCatsAndRenderers($properties, $hierarchy);
LoggerLog::debug("LoggerPropertyConfigurator::doConfigureProperties() Finished configuring.");
return true;
}
// --------------------------------------------------------------------------
// Internal stuff
// --------------------------------------------------------------------------
/**
* Check the provided <b>Properties</b> object for a
* {@link LoggerFactory} entry specified by
* {@link LOG4PHP_LOGGER_PROPERTY_CONFIGURATOR_LOGGER_FACTORY_KEY}.
*
* If such an entry exists, an attempt is made to create an instance using
* the default constructor.
* This instance is used for subsequent Category creations
* within this configurator.
*
* @see parseCatsAndRenderers()
* @param array $props array of properties
*/
function configureLoggerFactory($props)
{
$factoryFqcn = @$props[LOG4PHP_LOGGER_PROPERTY_CONFIGURATOR_LOGGER_FACTORY_KEY];
if(!empty($factoryFqcn)) {
$factoryClassName = basename($factoryFqcn);
LoggerLog::debug(
"LoggerPropertyConfigurator::configureLoggerFactory() Trying to load factory [" .
$factoryClassName .
"]."
);
if (!class_exists($factoryClassName))
@include_once("{$factoryFqcn}.php");
if (class_exists($factoryClassName)) {
$loggerFactory = new $factoryClassName();
} else {
LoggerLog::debug(
"LoggerPropertyConfigurator::configureLoggerFactory() Unable to load factory [" .
$factoryClassName .
"]. Using default."
);
$loggerFactory = $this->loggerFactory;
}
LoggerLog::debug(
"LoggerPropertyConfigurator::configureLoggerFactory() ".
"Setting properties for category factory [" . get_class($loggerFactory) . "]."
);
LoggerPropertySetter::setPropertiesByObject($loggerFactory, $props, LOG4PHP_LOGGER_PROPERTY_CONFIGURATOR_FACTORY_PREFIX . ".");
}
}
/**
* @param array $props array of properties
* @param LoggerHierarchy &$hierarchy
*/
function configureRootCategory($props, &$hierarchy)
{
$effectivePrefix = LOG4PHP_LOGGER_PROPERTY_CONFIGURATOR_ROOT_LOGGER_PREFIX;
$value = @$props[LOG4PHP_LOGGER_PROPERTY_CONFIGURATOR_ROOT_LOGGER_PREFIX];
if(empty($value)) {
$value = @$props[LOG4PHP_LOGGER_PROPERTY_CONFIGURATOR_ROOT_CATEGORY_PREFIX];
$effectivePrefix = LOG4PHP_LOGGER_PROPERTY_CONFIGURATOR_ROOT_CATEGORY_PREFIX;
}
if (empty($value)) {
LoggerLog::debug(
"LoggerPropertyConfigurator::configureRootCategory() ".
"Could not find root logger information. Is this OK?"
);
} else {
$root =& $hierarchy->getRootLogger();
// synchronized(root) {
$this->parseCategory(
$props,
$root,
$effectivePrefix,
LOG4PHP_LOGGER_PROPERTY_CONFIGURATOR_INTERNAL_ROOT_NAME,
$value
);
// }
}
}
/**
* Parse non-root elements, such non-root categories and renderers.
*
* @param array $props array of properties
* @param LoggerHierarchy &$hierarchy
*/
function parseCatsAndRenderers($props, &$hierarchy)
{
while(list($key,$value) = each($props)) {
if( strpos($key, LOG4PHP_LOGGER_PROPERTY_CONFIGURATOR_CATEGORY_PREFIX) === 0 or
strpos($key, LOG4PHP_LOGGER_PROPERTY_CONFIGURATOR_LOGGER_PREFIX) === 0) {
if(strpos($key, LOG4PHP_LOGGER_PROPERTY_CONFIGURATOR_CATEGORY_PREFIX) === 0) {
$loggerName = substr($key, strlen(LOG4PHP_LOGGER_PROPERTY_CONFIGURATOR_CATEGORY_PREFIX));
} elseif (strpos($key, LOG4PHP_LOGGER_PROPERTY_CONFIGURATOR_LOGGER_PREFIX) === 0) {
$loggerName = substr($key, strlen(LOG4PHP_LOGGER_PROPERTY_CONFIGURATOR_LOGGER_PREFIX));
}
$logger =& $hierarchy->getLogger($loggerName, $this->loggerFactory);
// synchronized(logger) {
$this->parseCategory($props, $logger, $key, $loggerName, $value);
$this->parseAdditivityForLogger($props, $logger, $loggerName);
// }
} elseif (strpos($key, LOG4PHP_LOGGER_PROPERTY_CONFIGURATOR_RENDERER_PREFIX) === 0) {
$renderedClass = substr($key, strlen(LOG4PHP_LOGGER_PROPERTY_CONFIGURATOR_RENDERER_PREFIX));
$renderingClass = $value;
if (method_exists($hierarchy, 'addrenderer')) {
LoggerRendererMap::addRenderer($hierarchy, $renderedClass, $renderingClass);
}
}
}
}
/**
* Parse the additivity option for a non-root category.
*
* @param array $props array of properties
* @param Logger &$cat
* @param string $loggerName
*/
function parseAdditivityForLogger($props, &$cat, $loggerName)
{
$value = LoggerOptionConverter::findAndSubst(
LOG4PHP_LOGGER_PROPERTY_CONFIGURATOR_ADDITIVITY_PREFIX . $loggerName,
$props
);
LoggerLog::debug(
"LoggerPropertyConfigurator::parseAdditivityForLogger() ".
"Handling " . LOG4PHP_LOGGER_PROPERTY_CONFIGURATOR_ADDITIVITY_PREFIX . $loggerName . "=[{$value}]"
);
// touch additivity only if necessary
if(!empty($value)) {
$additivity = LoggerOptionConverter::toBoolean($value, true);
LoggerLog::debug(
"LoggerPropertyConfigurator::parseAdditivityForLogger() ".
"Setting additivity for [{$loggerName}] to [{$additivity}]"
);
$cat->setAdditivity($additivity);
}
}
/**
* This method must work for the root category as well.
*
* @param array $props array of properties
* @param Logger &$logger
* @param string $optionKey
* @param string $loggerName
* @param string $value
* @return Logger
*/
function &parseCategory($props, &$logger, $optionKey, $loggerName, $value)
{
LoggerLog::debug(
"LoggerPropertyConfigurator::parseCategory() ".
"Parsing for [{$loggerName}] with value=[{$value}]."
);
// We must skip over ',' but not white space
$st = explode(',', $value);
// If value is not in the form ", appender.." or "", then we should set
// the level of the loggeregory.
if(!(@$value{0} == ',' || empty($value))) {
// just to be on the safe side...
if(sizeof($st) == 0)
return;
$levelStr = current($st);
LoggerLog::debug(
"LoggerPropertyConfigurator::parseCategory() ".
"Level token is [$levelStr]."
);
// If the level value is inherited, set category level value to
// null. We also check that the user has not specified inherited for the
// root category.
if('INHERITED' == strtoupper($levelStr) || 'NULL' == strtoupper($levelStr)) {
if ($loggerName == LOG4PHP_LOGGER_PROPERTY_CONFIGURATOR_INTERNAL_ROOT_NAME) {
LoggerLog::warn(
"LoggerPropertyConfigurator::parseCategory() ".
"The root logger cannot be set to null."
);
} else {
$logger->setLevel(null);
}
} else {
$logger->setLevel(LoggerOptionConverter::toLevel($levelStr, LoggerLevel::getLevelDebug()));
}
}
// Begin by removing all existing appenders.
$logger->removeAllAppenders();
while($appenderName = next($st)) {
$appenderName = trim($appenderName);
if(empty($appenderName))
continue;
LoggerLog::debug(
"LoggerPropertyConfigurator::parseCategory() ".
"Parsing appender named [{$appenderName}]."
);
$appender =& $this->parseAppender($props, $appenderName);
if($appender !== null) {
$logger->addAppender($appender);
}
}
}
/**
* @param array $props array of properties
* @param string $appenderName
* @return LoggerAppender
*/
function &parseAppender($props, $appenderName)
{
$appender =& LoggerAppender::singleton($appenderName);
if($appender !== null) {
LoggerLog::debug(
"LoggerPropertyConfigurator::parseAppender() ".
"Appender [{$appenderName}] was already parsed."
);
return $appender;
}
// Appender was not previously initialized.
$prefix = LOG4PHP_LOGGER_PROPERTY_CONFIGURATOR_APPENDER_PREFIX . $appenderName;
$layoutPrefix = $prefix . ".layout";
$appenderClass = @$props[$prefix];
if (!empty($appenderClass)) {
$appender =& LoggerAppender::singleton($appenderName, $appenderClass);
if($appender === null) {
LoggerLog::warn(
"LoggerPropertyConfigurator::parseAppender() ".
"Could not instantiate appender named [$appenderName]."
);
return null;
}
} else {
LoggerLog::warn(
"LoggerPropertyConfigurator::parseAppender() ".
"Could not instantiate appender named [$appenderName] with null className."
);
return null;
}
$appender->setName($appenderName);
if( $appender->requiresLayout() ) {
LoggerLog::debug(
"LoggerPropertyConfigurator::parseAppender() ".
"Parsing layout section for [$appenderName]."
);
$layoutClass = @$props[$layoutPrefix];
$layoutClass = LoggerOptionConverter::substVars($layoutClass, $props);
if (empty($layoutClass)) {
LoggerLog::warn(
"LoggerPropertyConfigurator::parseAppender() ".
"layout class is empty in '$layoutPrefix'. Using Simple layout"
);
$layout = LoggerLayout::factory('LoggerLayoutSimple');
} else {
$layout = LoggerLayout::factory($layoutClass);
if($layout === null) {
LoggerLog::warn(
"LoggerPropertyConfigurator::parseAppender() ".
"cannot create layout '$layoutClass'. Using Simple layout"
);
$layout = LoggerLayout::factory('LoggerLayoutSimple');
}
}
LoggerLog::debug(
"LoggerPropertyConfigurator::parseAppender() ".
"Parsing layout options for [$appenderName]."
);
LoggerPropertySetter::setPropertiesByObject($layout, $props, $layoutPrefix . ".");
LoggerLog::debug(
"LoggerPropertyConfigurator::parseAppender() ".
"End Parsing layout options for [$appenderName]."
);
$appender->setLayout($layout);
}
LoggerPropertySetter::setPropertiesByObject($appender, $props, $prefix . ".");
LoggerLog::debug(
"LoggerPropertyConfigurator::parseAppender() ".
"Parsed [{$appenderName}] options."
);
return $appender;
}
}
?>

View File

@ -0,0 +1,101 @@
<?php
/**
* log4php is a PHP port of the log4j java logging package.
*
* <p>This framework is based on log4j (see {@link http://jakarta.apache.org/log4j log4j} for details).</p>
* <p>Design, strategies and part of the methods documentation are developed by log4j team
* (Ceki Gülcü as log4j project founder and
* {@link http://jakarta.apache.org/log4j/docs/contributors.html contributors}).</p>
*
* <p>PHP port, extensions and modifications by VxR. All rights reserved.<br>
* For more information, please see {@link http://www.vxr.it/log4php/}.</p>
*
* <p>This software is published under the terms of the LGPL License
* a copy of which has been included with this distribution in the LICENSE file.</p>
*
* @package log4php
*/
/**
* @ignore
*/
if (!defined('LOG4PHP_DIR')) define('LOG4PHP_DIR', dirname(__FILE__));
/**
*/
require_once(LOG4PHP_DIR . '/Logger.php');
require_once(LOG4PHP_DIR . '/LoggerLevel.php');
/**
* The root logger.
*
* @author VxR <vxr@vxr.it>
* @version $Revision: 1.9 $
* @package log4php
* @see Logger
*/
class LoggerRoot extends Logger {
/**
* @var string name of logger
*/
var $name = 'root';
/**
* @var object must be null for LoggerRoot
*/
var $parent = null;
/**
* Constructor
*
* @param integer $level initial log level
*/
function LoggerRoot($level = null)
{
$this->Logger($this->name);
if ($level == null)
$level = LoggerLevel::getLevelAll();
$this->setLevel($level);
}
/**
* @return integer the level
*/
function getChainedLevel()
{
return $this->level;
}
/**
* Setting a null value to the level of the root category may have catastrophic results.
* @param LoggerLevel $level
*/
function setLevel($level)
{
$this->level = $level;
}
/**
* Please use setLevel() instead.
* @param LoggerLevel $level
* @deprecated
*/
function setPriority($level)
{
$this->setLevel($level);
}
/**
* Always returns false.
* Because LoggerRoot has no parents, it returns false.
* @param Logger $parent
* @return boolean
*/
function setParent($parent)
{
return false;
}
}
?>

View File

@ -0,0 +1,139 @@
<?php
/**
* log4php is a PHP port of the log4j java logging package.
*
* <p>This framework is based on log4j (see {@link http://jakarta.apache.org/log4j log4j} for details).</p>
* <p>Design, strategies and part of the methods documentation are developed by log4j team
* (Ceki Gülcü as log4j project founder and
* {@link http://jakarta.apache.org/log4j/docs/contributors.html contributors}).</p>
*
* <p>PHP port, extensions and modifications by VxR. All rights reserved.<br>
* For more information, please see {@link http://www.vxr.it/log4php/}.</p>
*
* <p>This software is published under the terms of the LGPL License
* a copy of which has been included with this distribution in the LICENSE file.</p>
*
* @package log4php
* @subpackage appenders
*/
/**
* @ignore
*/
if (!defined('LOG4PHP_DIR')) define('LOG4PHP_DIR', dirname(__FILE__) . '/..');
/**
*/
require_once(LOG4PHP_DIR . '/LoggerAppenderSkeleton.php');
require_once(LOG4PHP_DIR . '/LoggerLog.php');
define('LOG4PHP_LOGGER_APPENDER_CONSOLE_STDOUT', 'php://stdout');
define('LOG4PHP_LOGGER_APPENDER_CONSOLE_STDERR', 'php://stderr');
/**
* ConsoleAppender appends log events to STDOUT or STDERR using a layout specified by the user.
*
* <p>Optional parameter is {@link $target}. The default target is Stdout.</p>
* <p><b>Note</b>: Use this Appender with command-line php scripts.
* On web scripts this appender has no effects.</p>
* <p>This appender requires a layout.</p>
*
* @author VxR <vxr@vxr.it>
* @version $Revision: 1.11 $
* @package log4php
* @subpackage appenders
*/
class LoggerAppenderConsole extends LoggerAppenderSkeleton {
/**
* Can be 'php://stdout' or 'php://stderr'. But it's better to use keywords <b>STDOUT</b> and <b>STDERR</b> (case insensitive).
* Default is STDOUT
* @var string
*/
var $target = 'php://stdout';
/**
* @var boolean
* @access private
*/
var $requiresLayout = true;
/**
* @var mixed the resource used to open stdout/stderr
* @access private
*/
var $fp = false;
/**
* Constructor.
*
* @param string $name appender name
*/
function LoggerAppenderConsole($name)
{
$this->LoggerAppenderSkeleton($name);
}
/**
* Set console target.
* @param mixed $value a constant or a string
*/
function setTarget($value)
{
$v = trim($value);
if ($v == LOG4PHP_LOGGER_APPENDER_CONSOLE_STDOUT or strtoupper($v) == 'STDOUT') {
$this->target = LOG4PHP_LOGGER_APPENDER_CONSOLE_STDOUT;
} elseif ($v == LOG4PHP_LOGGER_APPENDER_CONSOLE_STDOUT or strtoupper($v) == 'STDERR') {
$target = LOG4PHP_LOGGER_APPENDER_CONSOLE_STDOUT;
} else {
LoggerLog::debug(
"LoggerAppenderConsole::targetWarn() ".
"Invalid target. Using '".LOG4PHP_LOGGER_APPENDER_CONSOLE_STDOUT."' by default."
);
}
}
function getTarget()
{
return $this->target;
}
function activateOptions()
{
LoggerLog::debug("LoggerAppenderConsole::activateOptions()");
$this->fp = @fopen($this->getTarget(), 'w');
if ($this->fp and $this->layout !== null)
@fwrite($this->fp, $this->layout->getHeader());
$this->closed = (bool)($this->fp === false);
}
/**
* @see LoggerAppender::close()
*/
function close()
{
LoggerLog::debug("LoggerAppenderConsole::close()");
if ($this->fp and $this->layout !== null) {
@fwrite($this->fp, $this->layout->getFooter());
}
@fclose($this->fp);
$this->closed = true;
}
function append($event)
{
if ($this->fp and $this->layout !== null) {
LoggerLog::debug("LoggerAppenderConsole::append()");
@fwrite($this->fp, $this->layout->format($event));
}
}
}
?>

View File

@ -0,0 +1,97 @@
<?php
/**
* log4php is a PHP port of the log4j java logging package.
*
* <p>This framework is based on log4j (see {@link http://jakarta.apache.org/log4j log4j} for details).</p>
* <p>Design, strategies and part of the methods documentation are developed by log4j team
* (Ceki Gülcü as log4j project founder and
* {@link http://jakarta.apache.org/log4j/docs/contributors.html contributors}).</p>
*
* <p>PHP port, extensions and modifications by VxR. All rights reserved.<br>
* For more information, please see {@link http://www.vxr.it/log4php/}.</p>
*
* <p>This software is published under the terms of the LGPL License
* a copy of which has been included with this distribution in the LICENSE file.</p>
*
* @package log4php
* @subpackage appenders
*/
/**
* @ignore
*/
if (!defined('LOG4PHP_DIR')) define('LOG4PHP_DIR', dirname(__FILE__) . '/..');
require_once(LOG4PHP_DIR . '/appenders/LoggerAppenderFile.php');
/**
* LoggerAppenderDailyFile appends log events to a file ne.
*
* A formatted version of the date pattern is used as to create the file name
* using the {@link PHP_MANUAL#sprintf} function.
* <p>Parameters are {@link $datePattern}, {@link $file}. Note that file
* parameter should include a '%s' identifier and should always be set
* before {@link $file} param.</p>
*
* @author Abel Gonzalez <agonzalez@lpsz.org>
* @version $Revision: 1.7 $
* @package log4php
* @subpackage appenders
*/
class LoggerAppenderDailyFile extends LoggerAppenderFile {
/**
* Format date.
* It follows the {@link PHP_MANUAL#date()} formatting rules and <b>should always be set before {@link $file} param</b>.
* @var string
*/
var $datePattern = "Ymd";
/**
* Constructor
*
* @param string $name appender name
*/
function LoggerAppenderDailyFile($name)
{
$this->LoggerAppenderFile($name);
}
/**
* Sets date format for the file name.
* @param string $format a regular date() string format
*/
function setDatePattern ( $format )
{
$this->datePattern = $format;
}
/**
* @return string returns date format for the filename
*/
function getDatePattern ( )
{
return $this->datePattern;
}
/**
* The File property takes a string value which should be the name of the file to append to.
* Sets and opens the file where the log output will go.
*
* @see LoggerAppenderFile::setFile()
*/
function setFile()
{
$numargs = func_num_args();
$args = func_get_args();
if ($numargs == 1 and is_string($args[0])) {
parent::setFile( sprintf((string)$args[0], date($this->getDatePattern())) );
} elseif ($numargs == 2 and is_string($args[0]) and is_bool($args[1])) {
parent::setFile( sprintf((string)$args[0], date($this->getDatePattern())), $args[1] );
}
}
}
?>

View File

@ -0,0 +1,209 @@
<?php
/**
* log4php is a PHP port of the log4j java logging package.
*
* <p>This framework is based on log4j (see {@link http://jakarta.apache.org/log4j log4j} for details).</p>
* <p>Design, strategies and part of the methods documentation are developed by log4j team
* (Ceki Gülcü as log4j project founder and
* {@link http://jakarta.apache.org/log4j/docs/contributors.html contributors}).</p>
*
* <p>PHP port, extensions and modifications by VxR. All rights reserved.<br>
* For more information, please see {@link http://www.vxr.it/log4php/}.</p>
*
* <p>This software is published under the terms of the LGPL License
* a copy of which has been included with this distribution in the LICENSE file.</p>
*
* @package log4php
* @subpackage appenders
*/
/**
* @ignore
*/
if (!defined('LOG4PHP_DIR')) define('LOG4PHP_DIR', dirname(__FILE__) . '/..');
require_once(LOG4PHP_DIR . '/LoggerAppenderSkeleton.php');
require_once(LOG4PHP_DIR . '/helpers/LoggerOptionConverter.php');
require_once(LOG4PHP_DIR . '/LoggerLog.php');
require_once('DB.php');
/**
* Appends log events to a db table using PEAR::DB class.
*
* <p>This appender uses a table in a database to log events.</p>
* <p>Parameters are {@link $dsn}, {@link $createTable}, {@link table} and {@link $sql}.</p>
* <p>See examples in test directory.</p>
*
* @author VxR <vxr@vxr.it>
* @version $Revision: 1.7 $
* @package log4php
* @subpackage appenders
* @since 0.3
*/
class LoggerAppenderDb extends LoggerAppenderSkeleton {
/**
* Create the log table if it does not exists (optional).
* @var boolean
*/
var $createTable = true;
/**
* PEAR::Db Data source name. Read PEAR::Db for dsn syntax (mandatory).
* @var string
*/
var $dsn;
/**
* A {@link LoggerPatternLayout} string used to format a valid insert query (mandatory).
* @var string
*/
var $sql;
/**
* Table name to write events. Used only if {@link $createTable} is true.
* @var string
*/
var $table;
/**
* @var object PEAR::Db instance
* @access private
*/
var $db = null;
/**
* @var boolean used to check if all conditions to append are true
* @access private
*/
var $canAppend = true;
/**
* @access private
*/
var $requiresLayout = false;
/**
* Constructor.
*
* @param string $name appender name
*/
function LoggerAppenderDb($name)
{
$this->LoggerAppenderSkeleton($name);
}
/**
* Setup db connection.
* Based on defined options, this method connects to db defined in {@link $dsn}
* and creates a {@link $table} table if {@link $createTable} is true.
* @return boolean true if all ok.
*/
function activateOptions()
{
$this->db = DB::connect($this->dsn);
if (DB::isError($this->db)) {
LoggerLog::debug("LoggerAppenderDb::activateOptions() DB Connect Error [".$this->db->getMessage()."]");
$this->db = null;
$this->closed = true;
$this->canAppend = false;
} else {
$this->layout = LoggerLayout::factory('LoggerPatternLayout');
$this->layout->setConversionPattern($this->getSql());
// test if log table exists
$tableInfo = $this->db->tableInfo($this->table, $mode = null);
if (DB::isError($tableInfo) and $this->getCreateTable()) {
$query = "CREATE TABLE {$this->table} (timestamp varchar(32),logger varchar(32),level varchar(32),message varchar(64),thread varchar(32),file varchar(64),line varchar(4) );";
LoggerLog::debug("LoggerAppenderDb::activateOptions() creating table '{$this->table}'... using sql='$query'");
$result = $this->db->query($query);
if (DB::isError($result)) {
LoggerLog::debug("LoggerAppenderDb::activateOptions() error while creating '{$this->table}'. Error is ".$result->getMessage());
$this->canAppend = false;
return;
}
}
$this->canAppend = true;
}
}
function append($event)
{
if ($this->canAppend) {
$query = $this->layout->format($event);
LoggerLog::debug("LoggerAppenderDb::append() query='$query'");
$this->db->query($query);
}
}
function close()
{
if ($this->db !== null)
$this->db->disconnect();
$this->closed = true;
}
/**
* @return boolean
*/
function getCreateTable()
{
return $this->createTable;
}
/**
* @return string the defined dsn
*/
function getDsn()
{
return $this->dsn;
}
/**
* @return string the sql pattern string
*/
function getSql()
{
return $this->sql;
}
/**
* @return string the table name to create
*/
function getTable()
{
return $this->table;
}
function setCreateTable($flag)
{
$this->createTable = LoggerOptionConverter::toBoolean($flag, true);
}
function setDsn($newDsn)
{
$this->dsn = $newDsn;
}
function setSql($sql)
{
$this->sql = $sql;
}
function setTable($table)
{
$this->table = $table;
}
}
?>

View File

@ -0,0 +1,89 @@
<?php
/**
* log4php is a PHP port of the log4j java logging package.
*
* <p>This framework is based on log4j (see {@link http://jakarta.apache.org/log4j log4j} for details).</p>
* <p>Design, strategies and part of the methods documentation are developed by log4j team
* (Ceki Gülcü as log4j project founder and
* {@link http://jakarta.apache.org/log4j/docs/contributors.html contributors}).</p>
*
* <p>PHP port, extensions and modifications by VxR. All rights reserved.<br>
* For more information, please see {@link http://www.vxr.it/log4php/}.</p>
*
* <p>This software is published under the terms of the LGPL License
* a copy of which has been included with this distribution in the LICENSE file.</p>
*
* @package log4php
* @subpackage appenders
*/
/**
* @ignore
*/
if (!defined('LOG4PHP_DIR')) define('LOG4PHP_DIR', dirname(__FILE__) . '/..');
/**
*/
require_once(LOG4PHP_DIR . '/LoggerAppenderSkeleton.php');
require_once(LOG4PHP_DIR . '/LoggerLog.php');
/**
* LoggerAppenderEcho uses {@link PHP_MANUAL#echo echo} function to output events.
*
* <p>This appender requires a layout.</p>
*
* @author VxR <vxr@vxr.it>
* @version $Revision: 1.5 $
* @package log4php
* @subpackage appenders
*/
class LoggerAppenderEcho extends LoggerAppenderSkeleton {
/**
* @access private
*/
var $requiresLayout = true;
/**
* @var boolean used internally to mark first append
* @access private
*/
var $firstAppend = true;
/**
* Constructor.
*
* @param string $name appender name
*/
function LoggerAppenderEcho($name)
{
$this->LoggerAppenderSkeleton($name);
}
function activateOptions()
{
return;
}
function close()
{
if (!$this->firstAppend)
echo $this->layout->getFooter();
$this->closed = true;
}
function append($event)
{
LoggerLog::debug("LoggerAppenderEcho::append()");
if ($this->layout !== null) {
if ($this->firstAppend) {
echo $this->layout->getHeader();
$this->firstAppend = false;
}
echo $this->layout->format($event);
}
}
}
?>

View File

@ -0,0 +1,184 @@
<?php
/**
* log4php is a PHP port of the log4j java logging package.
*
* <p>This framework is based on log4j (see {@link http://jakarta.apache.org/log4j log4j} for details).</p>
* <p>Design, strategies and part of the methods documentation are developed by log4j team
* (Ceki Gülcü as log4j project founder and
* {@link http://jakarta.apache.org/log4j/docs/contributors.html contributors}).</p>
*
* <p>PHP port, extensions and modifications by VxR. All rights reserved.<br>
* For more information, please see {@link http://www.vxr.it/log4php/}.</p>
*
* <p>This software is published under the terms of the LGPL License
* a copy of which has been included with this distribution in the LICENSE file.</p>
*
* @package log4php
* @subpackage appenders
*/
/**
* @ignore
*/
if (!defined('LOG4PHP_DIR')) define('LOG4PHP_DIR', dirname(__FILE__) . '/..');
require_once(LOG4PHP_DIR . '/LoggerAppenderSkeleton.php');
require_once(LOG4PHP_DIR . '/helpers/LoggerOptionConverter.php');
require_once(LOG4PHP_DIR . '/LoggerLog.php');
/**
* FileAppender appends log events to a file.
*
* Parameters are ({@link $fileName} but option name is <b>file</b>),
* {@link $append}.
*
* @author VxR <vxr@vxr.it>
* @version $Revision: 1.15 $
* @package log4php
* @subpackage appenders
*/
class LoggerAppenderFile extends LoggerAppenderSkeleton {
/**
* @var boolean if {@link $file} exists, appends events.
*/
var $append = true;
/**
* @var string the file name used to append events
*/
var $fileName;
/**
* @var mixed file resource
* @access private
*/
var $fp = false;
/**
* @access private
*/
var $requiresLayout = true;
/**
* Constructor.
*
* @param string $name appender name
*/
function LoggerAppenderFile($name)
{
$this->LoggerAppenderSkeleton($name);
}
function activateOptions()
{
$fileName = $this->getFile();
LoggerLog::debug("LoggerAppenderFile::activateOptions() opening file '{$fileName}'");
$this->fp = @fopen($fileName, ($this->getAppend()? 'a':'w'));
// Denying read option for log file. Added for Vulnerability fix
if (is_readable($fileName)) chmod ($fileName,0222);
if ($this->fp) {
if ($this->getAppend())
fseek($this->fp, 0, SEEK_END);
@fwrite($this->fp, $this->layout->getHeader());
$this->closed = false;
} else {
$this->closed = true;
}
}
function close()
{
if ($this->fp and $this->layout !== null)
@fwrite($this->fp, $this->layout->getFooter());
$this->closeFile();
$this->closed = true;
}
/**
* Closes the previously opened file.
*/
function closeFile()
{
if ($this->fp)
@fclose($this->fp);
}
/**
* @return boolean
*/
function getAppend()
{
return $this->append;
}
/**
* @return string
*/
function getFile()
{
return $this->getFileName();
}
/**
* @return string
*/
function getFileName()
{
return $this->fileName;
}
/**
* Close any previously opened file and call the parent's reset.
*/
function reset()
{
$this->closeFile();
$this->fileName = null;
parent::reset();
}
function setAppend($flag)
{
$this->append = LoggerOptionConverter::toBoolean($flag, true);
}
/**
* Sets and opens the file where the log output will go.
*
* This is an overloaded method. It can be called with:
* - setFile(string $fileName) to set filename.
* - setFile(string $fileName, boolean $append) to set filename and append.
*/
function setFile()
{
$numargs = func_num_args();
$args = func_get_args();
if ($numargs == 1 and is_string($args[0])) {
$this->setFileName($args[0]);
} elseif ($numargs >=2 and is_string($args[0]) and is_bool($args[1])) {
$this->setFile($args[0]);
$this->setAppend($args[1]);
}
}
function setFileName($fileName)
{
$this->fileName = $fileName;
}
function append($event)
{
if ($this->fp and $this->layout !== null) {
LoggerLog::debug("LoggerAppenderFile::append()");
@fwrite($this->fp, $this->layout->format($event));
}
}
}
?>

View File

@ -0,0 +1,148 @@
<?php
/**
* log4php is a PHP port of the log4j java logging package.
*
* <p>This framework is based on log4j (see {@link http://jakarta.apache.org/log4j log4j} for details).</p>
* <p>Design, strategies and part of the methods documentation are developed by log4j team
* (Ceki Gülcü as log4j project founder and
* {@link http://jakarta.apache.org/log4j/docs/contributors.html contributors}).</p>
*
* <p>PHP port, extensions and modifications by VxR. All rights reserved.<br>
* For more information, please see {@link http://www.vxr.it/log4php/}.</p>
*
* <p>This software is published under the terms of the LGPL License
* a copy of which has been included with this distribution in the LICENSE file.</p>
*
* @package log4php
* @subpackage appenders
*/
/**
* @ignore
*/
if (!defined('LOG4PHP_DIR')) define('LOG4PHP_DIR', dirname(__FILE__) . '/..');
require_once(LOG4PHP_DIR . '/LoggerAppenderSkeleton.php');
require_once(LOG4PHP_DIR . '/LoggerLog.php');
/**
* Appends log events to mail using php function {@link PHP_MANUAL#mail}.
*
* <p>Parameters are {@link $from}, {@link $to}, {@link $subject}.</p>
* <p>This appender requires a layout.</p>
*
* @author VxR <vxr@vxr.it>
* @version $Revision: 1.8 $
* @package log4php
* @subpackage appenders
*/
class LoggerAppenderMail extends LoggerAppenderSkeleton {
/**
* @var string 'from' field
*/
var $from = null;
/**
* @var string 'subject' field
*/
var $subject = 'Log4php Report';
/**
* @var string 'to' field
*/
var $to = null;
/**
* @var string used to create mail body
* @access private
*/
var $body = '';
/**
* @access private
*/
var $requiresLayout = true;
/**
* Constructor.
*
* @param string $name appender name
*/
function LoggerAppenderMail($name)
{
$this->LoggerAppenderSkeleton($name);
}
function activateOptions()
{
$this->closed = false;
return;
}
function close()
{
$from = $this->getFrom();
$to = $this->getTo();
if (!empty($this->body) and $from !== null and $to !== null and $this->layout !== null) {
$subject = $this->getSubject();
LoggerLog::debug("LoggerAppenderMail::close() sending mail from=[{$from}] to=[{$to}] subject=[{$subject}]");
@mail(
$to, $subject,
$this->layout->getHeader() . $this->body . $this->layout->getFooter(),
"From: {$from}\r\n"
);
}
$this->closed = true;
}
/**
* @return string
*/
function getFrom()
{
return $this->from;
}
/**
* @return string
*/
function getSubject()
{
return $this->subject;
}
/**
* @return string
*/
function getTo()
{
return $this->to;
}
function setSubject($subject)
{
$this->subject = $subject;
}
function setTo($to)
{
$this->to = $to;
}
function setFrom($from)
{
$this->from = $from;
}
function append($event)
{
if ($this->layout !== null)
$this->body .= $this->layout->format($event);
}
}
?>

View File

@ -0,0 +1,170 @@
<?php
/**
* log4php is a PHP port of the log4j java logging package.
*
* <p>This framework is based on log4j (see {@link http://jakarta.apache.org/log4j log4j} for details).</p>
* <p>Design, strategies and part of the methods documentation are developed by log4j team
* (Ceki Gülcü as log4j project founder and
* {@link http://jakarta.apache.org/log4j/docs/contributors.html contributors}).</p>
*
* <p>PHP port, extensions and modifications by VxR. All rights reserved.<br>
* For more information, please see {@link http://www.vxr.it/log4php/}.</p>
*
* <p>This software is published under the terms of the LGPL License
* a copy of which has been included with this distribution in the LICENSE file.</p>
*
* @package log4php
* @subpackage appenders
*/
/**
* @ignore
*/
if (!defined('LOG4PHP_DIR')) define('LOG4PHP_DIR', dirname(__FILE__) . '/..');
/**
*/
require_once(LOG4PHP_DIR . '/LoggerAppenderSkeleton.php');
require_once(LOG4PHP_DIR . '/LoggerLog.php');
/**
* Log events to an email address. It will be created an email for each event.
*
* <p>Parameters are
* {@link $smtpHost} (optional),
* {@link $port} (optional),
* {@link $from} (optional),
* {@link $to},
* {@link $subject} (optional).</p>
* <p>A layout is required.</p>
*
* @author Domenico Lordi <lordi@interfree.it>
* @author VxR <vxr@vxr.it>
* @version $Revision: 1.10 $
* @package log4php
* @subpackage appenders
*/
class LoggerAppenderMailEvent extends LoggerAppenderSkeleton {
/**
* @var string 'from' field
*/
var $from = null;
/**
* @var integer 'from' field
*/
var $port = 25;
/**
* @var string hostname.
*/
var $smtpHost = null;
/**
* @var string 'subject' field
*/
var $subject = '';
/**
* @var string 'to' field
*/
var $to = null;
/**
* @access private
*/
var $requiresLayout = true;
/**
* Constructor.
*
* @param string $name appender name
*/
function LoggerAppenderMailEvent($name)
{
$this->LoggerAppenderSkeleton($name);
}
function activateOptions()
{
$this->closed = false;
}
function close()
{
$this->closed = true;
}
/**
* @return string
*/
function getFrom() { return $this->from; }
/**
* @return integer
*/
function getPort() { return $this->port; }
/**
* @return string
*/
function getSmtpHost() { return $this->smtpHost; }
/**
* @return string
*/
function getSubject() { return $this->subject; }
/**
* @return string
*/
function getTo() { return $this->to; }
function setFrom($from) { $this->from = $from; }
function setPort($port) { $this->port = (int)$port; }
function setSmtpHost($smtphost) { $this->smtpHost = $smtpHost; }
function setSubject($subject) { $this->subject = $subject; }
function setTo($to) { $this->to = $to; }
function append($event)
{
$from = $this->getFrom();
$to = $this->getTo();
if (empty($from) or empty($to))
return;
$smtpHost = $this->getSmtpHost();
$prevSmtpHost = ini_get('SMTP');
if (!empty($smtpHost)) {
ini_set('SMTP', $smtpHost);
} else {
$smtpHost = $prevSmtpHost;
}
$smtpPort = $this->getPort();
$prevSmtpPort= ini_get('smtp_port');
if ($smtpPort > 0 and $smtpPort < 65535) {
ini_set('smtp_port', $smtpPort);
} else {
$smtpPort = $prevSmtpPort;
}
LoggerLog::debug(
"LoggerAppenderMailEvent::append()" .
":from=[{$from}]:to=[{$to}]:smtpHost=[{$smtpHost}]:smtpPort=[{$smtpPort}]"
);
if (!@mail( $to, $this->getSubject(),
$this->layout->getHeader() . $this->layout->format($event) . $this->layout->getFooter($event),
"From: {$from}\r\n"
)) {
LoggerLog::debug("LoggerAppenderMailEvent::append() mail error");
}
ini_set('SMTP', $prevSmtpHost);
ini_set('smtp_port', $prevSmtpPort);
}
}
?>

View File

@ -0,0 +1,72 @@
<?php
/**
* log4php is a PHP port of the log4j java logging package.
*
* <p>This framework is based on log4j (see {@link http://jakarta.apache.org/log4j log4j} for details).</p>
* <p>Design, strategies and part of the methods documentation are developed by log4j team
* (Ceki Gülcü as log4j project founder and
* {@link http://jakarta.apache.org/log4j/docs/contributors.html contributors}).</p>
*
* <p>PHP port, extensions and modifications by VxR. All rights reserved.<br>
* For more information, please see {@link http://www.vxr.it/log4php/}.</p>
*
* <p>This software is published under the terms of the LGPL License
* a copy of which has been included with this distribution in the LICENSE file.</p>
*
* @package log4php
* @subpackage appenders
*/
/**
* @ignore
*/
if (!defined('LOG4PHP_DIR')) define('LOG4PHP_DIR', dirname(__FILE__) . '/..');
require_once(LOG4PHP_DIR . '/LoggerAppenderSkeleton.php');
require_once(LOG4PHP_DIR . '/LoggerLog.php');
/**
* A NullAppender merely exists, it never outputs a message to any device.
*
* @author VxR <vxr@vxr.it>
* @version $Revision: 1.4 $
* @package log4php
* @subpackage appenders
*/
class LoggerAppenderNull extends LoggerAppenderSkeleton {
/**
* @access private
*/
var $requiresLayout = false;
/**
* Constructor.
*
* @param string $name appender name
*/
function LoggerAppenderNull($name)
{
$this->LoggerAppenderSkeleton($name);
}
function activateOptions()
{
$this->closed = false;
}
function close()
{
$this->closed = true;
}
/**
* Do nothing. How I Love it !! :)
*/
function append($event)
{
LoggerLog::debug("LoggerAppenderNull::append()");
}
}
?>

View File

@ -0,0 +1,85 @@
<?php
/**
* log4php is a PHP port of the log4j java logging package.
*
* <p>This framework is based on log4j (see {@link http://jakarta.apache.org/log4j log4j} for details).</p>
* <p>Design, strategies and part of the methods documentation are developed by log4j team
* (Ceki Gülcü as log4j project founder and
* {@link http://jakarta.apache.org/log4j/docs/contributors.html contributors}).</p>
*
* <p>PHP port, extensions and modifications by VxR. All rights reserved.<br>
* For more information, please see {@link http://www.vxr.it/log4php/}.</p>
*
* <p>This software is published under the terms of the LGPL License
* a copy of which has been included with this distribution in the LICENSE file.</p>
*
* @package log4php
* @subpackage appenders
*/
/**
* @ignore
*/
if (!defined('LOG4PHP_DIR')) define('LOG4PHP_DIR', dirname(__FILE__) . '/..');
require_once(LOG4PHP_DIR . '/LoggerAppenderSkeleton.php');
require_once(LOG4PHP_DIR . '/LoggerLevel.php');
require_once(LOG4PHP_DIR . '/LoggerLog.php');
/**
* Log events using php {@link PHP_MANUAL#trigger_error} function and a {@link LoggerLayoutTTCC} default layout.
*
* <p>Levels are mapped as follows:</p>
* - <b>level &lt; WARN</b> mapped to E_USER_NOTICE
* - <b>WARN &lt;= level &lt; ERROR</b> mapped to E_USER_WARNING
* - <b>level &gt;= ERROR</b> mapped to E_USER_ERROR
*
* @author VxR <vxr@vxr.it>
* @version $Revision: 1.11 $
* @package log4php
* @subpackage appenders
*/
class LoggerAppenderPhp extends LoggerAppenderSkeleton {
/**
* @access private
*/
var $requiresLayout = false;
/**
* Constructor
*
* @param string $name appender name
*/
function LoggerAppenderPhp($name)
{
$this->LoggerAppenderSkeleton($name);
}
function activateOptions()
{
$this->layout = LoggerLayout::factory('LoggerLayoutTTCC');
$this->closed = false;
}
function close()
{
$this->closed = true;
}
function append($event)
{
if ($this->layout !== null) {
LoggerLog::debug("LoggerAppenderPhp::append()");
$level = $event->getLevel();
if ($level->isGreaterOrEqual(LoggerLevel::getLevelError())) {
trigger_error($this->layout->format($event), E_USER_ERROR);
} elseif ($level->isGreaterOrEqual(LoggerLevel::getLevelWarn())) {
trigger_error($this->layout->format($event), E_USER_WARNING);
} else {
trigger_error($this->layout->format($event), E_USER_NOTICE);
}
}
}
}
?>

View File

@ -0,0 +1,241 @@
<?php
/**
* log4php is a PHP port of the log4j java logging package.
*
* <p>This framework is based on log4j (see {@link http://jakarta.apache.org/log4j log4j} for details).</p>
* <p>Design, strategies and part of the methods documentation are developed by log4j team
* (Ceki Gülcü as log4j project founder and
* {@link http://jakarta.apache.org/log4j/docs/contributors.html contributors}).</p>
*
* <p>PHP port, extensions and modifications by VxR. All rights reserved.<br>
* For more information, please see {@link http://www.vxr.it/log4php/}.</p>
*
* <p>This software is published under the terms of the LGPL License
* a copy of which has been included with this distribution in the LICENSE file.</p>
*
* @package log4php
* @subpackage appenders
*/
/**
* @ignore
*/
if (!defined('LOG4PHP_DIR')) define('LOG4PHP_DIR', dirname(__FILE__) . '/..');
require_once(LOG4PHP_DIR . '/appenders/LoggerAppenderFile.php');
/**
* LoggerAppenderRollingFile extends LoggerAppenderFile to backup the log files
* when they reach a certain size.
*
* <p>Parameters are {@link $maxFileSize}, {@link $maxBackupIndex}.</p>
*
* <p>Contributors: Sergio Strampelli.</p>
*
* @author VxR <vxr@vxr.it>
* @version $Revision: 1.14 $
* @package log4php
* @subpackage appenders
*/
class LoggerAppenderRollingFile extends LoggerAppenderFile {
/**
* Set the maximum size that the output file is allowed to reach
* before being rolled over to backup files.
*
* <p>In configuration files, the <var>MaxFileSize</var> option takes a
* long integer in the range 0 - 2^63. You can specify the value
* with the suffixes "KB", "MB" or "GB" so that the integer is
* interpreted being expressed respectively in kilobytes, megabytes
* or gigabytes. For example, the value "10KB" will be interpreted
* as 10240.</p>
* <p>The default maximum file size is 10MB.</p>
*
* <p>Note that MaxFileSize cannot exceed <b>2 GB</b>.</p>
*
* @var integer
*/
var $maxFileSize = 10485760;
/**
* Set the maximum number of backup files to keep around.
*
* <p>The <var>MaxBackupIndex</var> option determines how many backup
* files are kept before the oldest is erased. This option takes
* a positive integer value. If set to zero, then there will be no
* backup files and the log file will be truncated when it reaches
* MaxFileSize.</p>
* <p>There is one backup file by default.</p>
*
* @var integer
*/
var $maxBackupIndex = 1;
/**
* @var string the filename expanded
* @access private
*/
var $expandedFileName = null;
/**
* Constructor.
*
* @param string $name appender name
*/
function LoggerAppenderRollingFile($name)
{
$this->LoggerAppenderFile($name);
}
/**
* Returns the value of the MaxBackupIndex option.
* @return integer
*/
function getExpandedFileName() {
return $this->expandedFileName;
}
/**
* Returns the value of the MaxBackupIndex option.
* @return integer
*/
function getMaxBackupIndex() {
return $this->maxBackupIndex;
}
/**
* Get the maximum size that the output file is allowed to reach
* before being rolled over to backup files.
* @return integer
*/
function getMaximumFileSize() {
return $this->maxFileSize;
}
/**
* Implements the usual roll over behaviour.
*
* <p>If MaxBackupIndex is positive, then files File.1, ..., File.MaxBackupIndex -1 are renamed to File.2, ..., File.MaxBackupIndex.
* Moreover, File is renamed File.1 and closed. A new File is created to receive further log output.
*
* <p>If MaxBackupIndex is equal to zero, then the File is truncated with no backup files created.
*/
function rollOver()
{
// If maxBackups <= 0, then there is no file renaming to be done.
if($this->maxBackupIndex > 0) {
$fileName = $this->getExpandedFileName();
// Delete the oldest file, to keep Windows happy.
$file = $fileName . '.' . $this->maxBackupIndex;
if (is_writable($file))
unlink($file);
// Map {(maxBackupIndex - 1), ..., 2, 1} to {maxBackupIndex, ..., 3, 2}
for ($i = $this->maxBackupIndex - 1; $i >= 1; $i--) {
$file = $fileName . "." . $i;
if (is_readable($file)) {
$target = $fileName . '.' . ($i + 1);
rename($file, $target);
}
}
// Rename fileName to fileName.1
$target = $fileName . ".1";
$this->closeFile(); // keep windows happy.
$file = $fileName;
//As of now suppress the error in rename. we have to handle in future
@rename($file, $target);
}
$this->setFile($fileName, false);
unset($this->fp);
$this->activateOptions();
}
function setFileName($fileName)
{
$this->fileName = $fileName;
$this->expandedFileName = realpath($fileName);
LoggerLog::debug("LoggerAppenderRollingFile::setFileName():filename=[{$fileName}]:expandedFileName=[{$this->expandedFileName}]");
}
/**
* Set the maximum number of backup files to keep around.
*
* <p>The <b>MaxBackupIndex</b> option determines how many backup
* files are kept before the oldest is erased. This option takes
* a positive integer value. If set to zero, then there will be no
* backup files and the log file will be truncated when it reaches
* MaxFileSize.
*
* @param mixed $maxBackups
*/
function setMaxBackupIndex($maxBackups)
{
if (is_numeric($maxBackups))
$this->maxBackupIndex = abs((int)$maxBackups);
}
/**
* Set the maximum size that the output file is allowed to reach
* before being rolled over to backup files.
*
* @param mixed $maxFileSize
* @see setMaxFileSize()
*/
function setMaximumFileSize($maxFileSize)
{
$this->setMaxFileSize($maxFileSize);
}
/**
* Set the maximum size that the output file is allowed to reach
* before being rolled over to backup files.
* <p>In configuration files, the <b>MaxFileSize</b> option takes an
* long integer in the range 0 - 2^63. You can specify the value
* with the suffixes "KB", "MB" or "GB" so that the integer is
* interpreted being expressed respectively in kilobytes, megabytes
* or gigabytes. For example, the value "10KB" will be interpreted
* as 10240.
*
* @param mixed $value
*/
function setMaxFileSize($value)
{
$maxFileSize = null;
$numpart = substr($value,0, strlen($value) -2);
$suffix = strtoupper(substr($value, -2));
switch ($suffix) {
case 'KB': $maxFileSize = (int)((int)$numpart * 1024); break;
case 'MB': $maxFileSize = (int)((int)$numpart * 1024 * 1024); break;
case 'GB': $maxFileSize = (int)((int)$numpart * 1024 * 1024 * 1024); break;
default:
if (is_numeric($value)) {
$maxFileSize = (int)$value;
}
}
if ($maxFileSize === null) {
LoggerLog::debug("LoggerAppenderRollingFile::setMaxFileSize():value=[$value] wrong declaration");
} else {
$this->maxFileSize = abs($maxFileSize);
}
}
/**
* @param LoggerLoggingEvent $event
*/
function append($event)
{
if ($this->fp) {
parent::append($event);
if (ftell($this->fp) > $this->getMaximumFileSize())
$this->rollOver();
}
}
}
?>

View File

@ -0,0 +1,285 @@
<?php
/**
* log4php is a PHP port of the log4j java logging package.
*
* <p>This framework is based on log4j (see {@link http://jakarta.apache.org/log4j log4j} for details).</p>
* <p>Design, strategies and part of the methods documentation are developed by log4j team
* (Ceki Gülcü as log4j project founder and
* {@link http://jakarta.apache.org/log4j/docs/contributors.html contributors}).</p>
*
* <p>PHP port, extensions and modifications by VxR. All rights reserved.<br>
* For more information, please see {@link http://www.vxr.it/log4php/}.</p>
*
* <p>This software is published under the terms of the LGPL License
* a copy of which has been included with this distribution in the LICENSE file.</p>
*
* @package log4php
* @subpackage appenders
*/
/**
* @ignore
*/
if (!defined('LOG4PHP_DIR')) define('LOG4PHP_DIR', dirname(__FILE__) . '/..');
define('LOG4PHP_LOGGER_APPENDER_SOCKET_DEFAULT_PORT', 4446);
define('LOG4PHP_LOGGER_APPENDER_SOCKET_DEFAULT_TIMEOUT', 30);
require_once(LOG4PHP_DIR . '/LoggerAppenderSkeleton.php');
require_once(LOG4PHP_DIR . '/helpers/LoggerOptionConverter.php');
require_once(LOG4PHP_DIR . '/LoggerLayout.php');
require_once(LOG4PHP_DIR . '/LoggerLog.php');
/**
* Serialize events and send them to a network socket.
*
* Parameters are {@link $remoteHost}, {@link $port}, {@link $timeout},
* {@link $locationInfo}, {@link $useXml} and {@link $log4jNamespace}.
*
* @author VxR <vxr@vxr.it>
* @version $Revision: 1.17 $
* @package log4php
* @subpackage appenders
*/
class LoggerAppenderSocket extends LoggerAppenderSkeleton {
/**
* @var mixed socket connection resource
* @access private
*/
var $sp = false;
/**
* Target host. On how to define remote hostaname see
* {@link PHP_MANUAL#fsockopen}
* @var string
*/
var $remoteHost = '';
/**
* @var integer the network port.
*/
var $port = LOG4PHP_LOGGER_APPENDER_SOCKET_DEFAULT_PORT;
/**
* @var boolean get event's location info.
*/
var $locationInfo = false;
/**
* @var integer connection timeout
*/
var $timeout = LOG4PHP_LOGGER_APPENDER_SOCKET_DEFAULT_TIMEOUT;
/**
* @var boolean output events via {@link LoggerXmlLayout}
*/
var $useXml = false;
/**
* @var boolean forward this option to {@link LoggerXmlLayout}.
* Ignored if {@link $useXml} is <i>false</i>.
*/
var $log4jNamespace = false;
/**
* @var LoggerXmlLayout
* @access private
*/
var $xmlLayout = null;
/**
* @var boolean
* @access private
*/
var $requiresLayout = false;
/**
* Constructor
*
* @param string $name appender name
*/
function LoggerAppenderSocket($name)
{
$this->LoggerAppenderSkeleton($name);
}
/**
* Create a socket connection using defined parameters
*/
function activateOptions()
{
LoggerLog::debug("LoggerAppenderSocket::activateOptions() creating a socket...");
$errno = 0;
$errstr = '';
$this->sp = @fsockopen($this->getRemoteHost(), $this->getPort(), $errno, $errstr, $this->getTimeout());
if ($errno) {
LoggerLog::debug("LoggerAppenderSocket::activateOptions() socket error [$errno] $errstr");
$this->closed = true;
} else {
LoggerLog::debug("LoggerAppenderSocket::activateOptions() socket created [".$this->sp."]");
if ($this->getUseXml()) {
$this->xmlLayout = LoggerLayout::factory('LoggerXmlLayout');
if ($this->xmlLayout === null) {
LoggerLog::debug("LoggerAppenderSocket::activateOptions() useXml is true but layout is null");
$this->setUseXml(false);
} else {
$this->xmlLayout->setLocationInfo($this->getLocationInfo());
$this->xmlLayout->setLog4jNamespace($this->getLog4jNamespace());
$this->xmlLayout->activateOptions();
}
}
$this->closed = false;
}
}
function close()
{
@fclose($this->sp);
$this->closed = true;
}
/**
* @return string
*/
function getHostname()
{
return $this->getRemoteHost();
}
/**
* @return boolean
*/
function getLocationInfo()
{
return $this->locationInfo;
}
/**
* @return boolean
*/
function getLog4jNamespace()
{
return $this->log4jNamespace;
}
/**
* @return integer
*/
function getPort()
{
return $this->port;
}
function getRemoteHost()
{
return $this->remoteHost;
}
/**
* @return integer
*/
function getTimeout()
{
return $this->timeout;
}
/**
* @var boolean
*/
function getUseXml()
{
return $this->useXml;
}
function reset()
{
$this->close();
parent::reset();
}
/**
* @param string
* @deprecated Please, use {@link setRemoteHost}
*/
function setHostname($hostname)
{
$this->setRemoteHost($hostname);
}
/**
* @param mixed
*/
function setLocationInfo($flag)
{
$this->locationInfo = LoggerOptionConverter::toBoolean($flag, $this->getLocationInfo());
}
/**
* @param mixed
*/
function setLog4jNamespace($flag)
{
$this->log4jNamespace = LoggerOptionConverter::toBoolean($flag, $this->getLog4jNamespace());
}
/**
* @param integer
*/
function setPort($port)
{
$port = LoggerOptionConverter::toInt($port, 0);
if ($port > 0 and $port < 65535)
$this->port = $port;
}
/**
* @param string
*/
function setRemoteHost($hostname)
{
$this->remoteHost = $hostname;
}
/**
* @param integer
*/
function setTimeout($timeout)
{
$this->timeout = LoggerOptionConverter::toInt($timeout, $this->getTimeout());
}
/**
* @param mixed
*/
function setUseXml($flag)
{
$this->useXml = LoggerOptionConverter::toBoolean($flag, $this->getUseXml());
}
/**
* @param LoggerLoggingEvent
*/
function append($event)
{
if ($this->sp) {
LoggerLog::debug("LoggerAppenderSocket::append()");
if ($this->getLocationInfo())
$event->getLocationInfo();
if (!$this->getUseXml()) {
$sEvent = serialize($event);
@fwrite($this->sp, $sEvent, strlen($sEvent));
} else {
@fwrite($this->sp, $this->xmlLayout->format($event));
}
// not sure about it...
@fflush ($this->sp);
}
}
}
?>

View File

@ -0,0 +1,85 @@
<?php
/**
* log4php is a PHP port of the log4j java logging package.
*
* <p>This framework is based on log4j (see {@link http://jakarta.apache.org/log4j log4j} for details).</p>
* <p>Design, strategies and part of the methods documentation are developed by log4j team
* (Ceki Gülcü as log4j project founder and
* {@link http://jakarta.apache.org/log4j/docs/contributors.html contributors}).</p>
*
* <p>PHP port, extensions and modifications by VxR. All rights reserved.<br>
* For more information, please see {@link http://www.vxr.it/log4php/}.</p>
*
* <p>This software is published under the terms of the LGPL License
* a copy of which has been included with this distribution in the LICENSE file.</p>
*
* @package log4php
* @subpackage appenders
*/
/**
* @ignore
*/
if (!defined('LOG4PHP_DIR')) define('LOG4PHP_DIR', dirname(__FILE__) . '/..');
require_once(LOG4PHP_DIR . '/LoggerAppenderSkeleton.php');
require_once(LOG4PHP_DIR . '/LoggerLevel.php');
require_once(LOG4PHP_DIR . '/LoggerLog.php');
/**
* Log events using php {@link PHP_MANUAL#syslog} function.
*
* Levels are mapped as follows:
* - <b>level &gt;= FATAL</b> to LOG_ALERT
* - <b>FATAL &gt; level &gt;= ERROR</b> to LOG_ERR
* - <b>ERROR &gt; level &gt;= WARN</b> to LOG_WARNING
* - <b>WARN &gt; level &gt;= INFO</b> to LOG_INFO
* - <b>INFO &gt; level &gt;= DEBUG</b> to LOG_DEBUG
*
* @author VxR <vxr@vxr.it>
* @version $Revision: 1.11 $
* @package log4php
* @subpackage appenders
*/
class LoggerAppenderSyslog extends LoggerAppenderSkeleton {
/**
* Constructor
*
* @param string $name appender name
*/
function LoggerAppenderSyslog($name)
{
$this->LoggerAppenderSkeleton($name);
}
function activateOptions()
{
define_syslog_variables();
$this->closed = false;
}
function close()
{
closelog();
$this->closed = true;
}
function append($event)
{
$level = $event->getLevel();
$message = $event->getRenderedMessage();
if ($level->isGreaterOrEqual(LoggerLevel::getLevelFatal())) {
syslog(LOG_ALERT, $message);
} elseif ($level->isGreaterOrEqual(LoggerLevel::getLevelError())) {
syslog(LOG_ERR, $message);
} elseif ($level->isGreaterOrEqual(LoggerLevel::getLevelWarn())) {
syslog(LOG_WARNING, $message);
} elseif ($level->isGreaterOrEqual(LoggerLevel::getLevelInfo())) {
syslog(LOG_INFO, $message);
} elseif ($level->isGreaterOrEqual(LoggerLevel::getLevelDebug())) {
syslog(LOG_DEBUG, $message);
}
}
}
?>

View File

@ -0,0 +1,37 @@
<?php
/**
* log4php is a PHP port of the log4j java logging package.
*
* <p>This framework is based on log4j (see {@link http://jakarta.apache.org/log4j log4j} for details).</p>
* <p>Design, strategies and part of the methods documentation are developed by log4j team
* (Ceki Gülcü as log4j project founder and
* {@link http://jakarta.apache.org/log4j/docs/contributors.html contributors}).</p>
*
* <p>PHP port, extensions and modifications by VxR. All rights reserved.<br>
* For more information, please see {@link http://www.vxr.it/log4php/}.</p>
*
* <p>This software is published under the terms of the LGPL License
* a copy of which has been included with this distribution in the LICENSE file.</p>
*
* @package log4php
* @subpackage config
*/
/**
* @ignore
*/
if (!defined('LOG4PHP_DIR')) define('LOG4PHP_DIR', dirname(__FILE__) . '/..');
/**
* @author VxR <vxr@vxr.it>
* @version $Revision: 1.2 $
* @package log4php
* @subpackage config
* @since 0.5
* @todo Ehm... try to guess...
*/
class LoggerPropertyGetter {
}
?>

View File

@ -0,0 +1,161 @@
<?php
/**
* log4php is a PHP port of the log4j java logging package.
*
* <p>This framework is based on log4j (see {@link http://jakarta.apache.org/log4j log4j} for details).</p>
* <p>Design, strategies and part of the methods documentation are developed by log4j team
* (Ceki Gülcü as log4j project founder and
* {@link http://jakarta.apache.org/log4j/docs/contributors.html contributors}).</p>
*
* <p>PHP port, extensions and modifications by VxR. All rights reserved.<br>
* For more information, please see {@link http://www.vxr.it/log4php/}.</p>
*
* <p>This software is published under the terms of the LGPL License
* a copy of which has been included with this distribution in the LICENSE file.</p>
*
* @package log4php
* @subpackage config
*/
/**
* @ignore
*/
if (!defined('LOG4PHP_DIR')) define('LOG4PHP_DIR', dirname(__FILE__) . '/..');
require_once(LOG4PHP_DIR . '/LoggerLog.php');
require_once(LOG4PHP_DIR . '/helpers/LoggerOptionConverter.php');
/**
* General purpose Object property setter. Clients repeatedly invokes
* {@link setProperty()} in order to invoke setters
* on the Object specified in the constructor.
*
* Usage:
* <code>
* $ps = new LoggerPropertySetter($anObject);
* $ps->set("name", "Joe");
* $ps->set("age", 32);
* $ps->set("isMale", true);
* </code>
* will cause the invocations
* <code>
* $anObject->setName("Joe");
* $anObject->setAge(32);
* $anObject->setMale(true)
* </code>
* if such methods exist.
*
* @author VxR <vxr@vxr.it>
* @version $Revision: 1.4 $
* @package log4php
* @subpackage config
* @since 0.5
*/
class LoggerPropertySetter {
/**
* @var object the target object
* @access private
*/
var $obj;
/**
* Create a new LoggerPropertySetter for the specified Object.
* This is done in prepartion for invoking {@link setProperty()}
* one or more times.
* @param object &$obj the object for which to set properties
*/
function LoggerPropertySetter(&$obj)
{
$this->obj =& $obj;
}
/**
* Set the properties of an object passed as a parameter in one
* go. The <code>properties</code> are parsed relative to a
* <code>prefix</code>.
*
* @param object &$obj The object to configure.
* @param array $properties An array containing keys and values.
* @param string $prefix Only keys having the specified prefix will be set.
* @static
*/
function setPropertiesByObject(&$obj, $properties, $prefix)
{
$pSetter = new LoggerPropertySetter($obj);
return $pSetter->setProperties($properties, $prefix);
}
/**
* Set the properites for the object that match the
* <code>prefix</code> passed as parameter.
*
* @param array $properties An array containing keys and values.
* @param string $prefix Only keys having the specified prefix will be set.
*/
function setProperties($properties, $prefix)
{
LoggerLog::debug("LoggerOptionConverter::setProperties():prefix=[{$prefix}]");
$len = strlen($prefix);
while (list($key,) = each($properties)) {
if (strpos($key, $prefix) === 0) {
if (strpos($key, '.', ($len + 1)) > 0)
continue;
$value = LoggerOptionConverter::findAndSubst($key, $properties);
$key = substr($key, $len);
if ($key == 'layout' and is_a($this->obj, 'loggerappender')) {
continue;
}
$this->setProperty($key, $value);
}
}
$this->activate();
}
/**
* Set a property on this PropertySetter's Object. If successful, this
* method will invoke a setter method on the underlying Object. The
* setter is the one for the specified property name and the value is
* determined partly from the setter argument type and partly from the
* value specified in the call to this method.
*
* <p>If the setter expects a String no conversion is necessary.
* If it expects an int, then an attempt is made to convert 'value'
* to an int using new Integer(value). If the setter expects a boolean,
* the conversion is by new Boolean(value).
*
* @param string $name name of the property
* @param string $value String value of the property
*/
function setProperty($name, $value)
{
LoggerLog::debug("LoggerOptionConverter::setProperty():name=[{$name}]:value=[{$value}]");
if ($value === null) return;
$method = "set" . ucfirst($name);
if (!method_exists($this->obj, $method)) {
LoggerLog::warn(
"LoggerOptionConverter::setProperty() No such setter method for [{$name}] property in " .
get_class($this->obj) . "."
);
} else {
return call_user_func(array(&$this->obj, $method), $value);
}
}
function activate()
{
LoggerLog::debug("LoggerOptionConverter::activate()");
if (method_exists($this->obj, 'activateoptions')) {
return call_user_func(array(&$this->obj, 'activateoptions'));
} else {
LoggerLog::debug("LoggerOptionConverter::activate() Nothing to activate.");
}
}
}
?>

View File

@ -0,0 +1,61 @@
<?php
/**
* log4php is a PHP port of the log4j java logging package.
*
* <p>This framework is based on log4j (see {@link http://jakarta.apache.org/log4j log4j} for details).</p>
* <p>Design, strategies and part of the methods documentation are developed by log4j team
* (Ceki Gülcü as log4j project founder and
* {@link http://jakarta.apache.org/log4j/docs/contributors.html contributors}).</p>
*
* <p>PHP port, extensions and modifications by VxR. All rights reserved.<br>
* For more information, please see {@link http://www.vxr.it/log4php/}.</p>
*
* <p>This software is published under the terms of the LGPL License
* a copy of which has been included with this distribution in the LICENSE file.</p>
*
* @package log4php
* @subpackage helpers
*/
/**
* @ignore
*/
if (!defined('LOG4PHP_DIR')) define('LOG4PHP_DIR', dirname(__FILE__) . '/..');
/**
*/
require_once(LOG4PHP_DIR . '/LoggerLog.php');
/**
* This class encapsulates the information obtained when parsing
* formatting modifiers in conversion modifiers.
*
* @author VxR <vxr@vxr.it>
* @package log4php
* @subpackage spi
* @since 0.3
*/
class LoggerFormattingInfo {
var $min = -1;
var $max = 0x7FFFFFFF;
var $leftAlign = false;
/**
* Constructor
*/
function LoggerFormattingInfo() {}
function reset()
{
$this->min = -1;
$this->max = 0x7FFFFFFF;
$this->leftAlign = false;
}
function dump()
{
LoggerLog::debug("LoggerFormattingInfo::dump() min={$this->min}, max={$this->max}, leftAlign={$this->leftAlign}");
}
}
?>

View File

@ -0,0 +1,350 @@
<?php
/**
* log4php is a PHP port of the log4j java logging package.
*
* <p>This framework is based on log4j (see {@link http://jakarta.apache.org/log4j log4j} for details).</p>
* <p>Design, strategies and part of the methods documentation are developed by log4j team
* (Ceki Gülcü as log4j project founder and
* {@link http://jakarta.apache.org/log4j/docs/contributors.html contributors}).</p>
*
* <p>PHP port, extensions and modifications by VxR. All rights reserved.<br>
* For more information, please see {@link http://www.vxr.it/log4php/}.</p>
*
* <p>This software is published under the terms of the LGPL License
* a copy of which has been included with this distribution in the LICENSE file.</p>
*
* @package log4php
* @subpackage helpers
*/
/**
* @ignore
*/
if (!defined('LOG4PHP_DIR')) define('LOG4PHP_DIR', dirname(__FILE__) . '/..');
require_once(LOG4PHP_DIR . '/LoggerLevel.php');
define('LOG4PHP_OPTION_CONVERTER_DELIM_START', '${');
define('LOG4PHP_OPTION_CONVERTER_DELIM_STOP', '}');
define('LOG4PHP_OPTION_CONVERTER_DELIM_START_LEN', 2);
define('LOG4PHP_OPTION_CONVERTER_DELIM_STOP_LEN', 1);
/**
* A convenience class to convert property values to specific types.
*
* @author VxR <vxr@vxr.it>
* @version $Revision: 1.6 $
* @package log4php
* @subpackage helpers
* @static
* @since 0.5
*/
class LoggerOptionConverter {
/**
* OptionConverter is a static class.
*/
function OptionConverter()
{
return;
}
/**
* @param array $l
* @param array $r
* @return array
*
* @static
*/
function concatanateArrays($l, $r)
{
return array_merge($l, $r);
}
/**
* Read a predefined var.
*
* It returns a value referenced by <var>$key</var> using this search criteria:
* - if <var>$key</var> is a constant then return it. Else
* - if <var>$key</var> is set in <var>$_ENV</var> then return it. Else
* - return <var>$def</var>.
*
* @param string $key The key to search for.
* @param string $def The default value to return.
* @return string the string value of the system property, or the default
* value if there is no property with that key.
*
* @static
*/
function getSystemProperty($key, $def)
{
LoggerLog::debug("LoggerOptionConverter::getSystemProperty():key=[{$key}]:def=[{$def}].");
if (defined($key)) {
return (string)constant($key);
} elseif (isset($_ENV[$key])) {
return (string)$_ENV[$key];
} else {
return $def;
}
}
/**
* If <var>$value</var> is <i>true</i>, then <i>true</i> is
* returned. If <var>$value</var> is <i>false</i>, then
* <i>true</i> is returned. Otherwise, <var>$default</var> is
* returned.
*
* <p>Case of value is unimportant.</p>
*
* @param string $value
* @param boolean $default
* @return boolean
*
* @static
*/
function toBoolean($value, $default)
{
if($value === null)
return $default;
if ($value == 1)
return true;
$trimmedVal = strtolower(trim($value));
if ("true" == $trimmedVal or "yes" == $trimmedVal)
return true;
if ("false" == $trimmedVal)
return false;
return $default;
}
/**
* @param string $value
* @param integer $default
* @return integer
* @static
*/
function toInt($value, $default)
{
$value = trim($value);
if (is_numeric($value)) {
return (int)$value;
} else {
return $default;
}
}
/**
* Converts a standard or custom priority level to a Level
* object.
*
* <p> If <var>$value</var> is of form "<b>level#full_file_classname</b>",
* where <i>full_file_classname</i> means the class filename with path
* but without php extension, then the specified class' <i>toLevel()</i> method
* is called to process the specified level string; if no '#'
* character is present, then the default {@link LoggerLevel}
* class is used to process the level value.</p>
*
* <p>As a special case, if the <var>$value</var> parameter is
* equal to the string "NULL", then the value <i>null</i> will
* be returned.</p>
*
* <p>If any error occurs while converting the value to a level,
* the <var>$defaultValue</var> parameter, which may be
* <i>null</i>, is returned.</p>
*
* <p>Case of <var>$value</var> is insignificant for the level level, but is
* significant for the class name part, if present.</p>
*
* @param string $value
* @param LoggerLevel $defaultValue
* @return LoggerLevel a {@link LoggerLevel} or null
* @static
*/
function toLevel($value, $defaultValue)
{
if($value === null)
return $defaultValue;
$hashIndex = strpos($value, '#');
if ($hashIndex === false) {
if("NULL" == strtoupper($value)) {
return null;
} else {
// no class name specified : use standard Level class
return LoggerLevel::toLevel($value, $defaultValue);
}
}
$result = $defaultValue;
$clazz = substr($value, ($hashIndex + 1));
$levelName = substr($value, 0, $hashIndex);
// This is degenerate case but you never know.
if("NULL" == strtoupper($levelName)) {
return null;
}
LoggerLog::debug("LoggerOptionConverter::toLevel():class=[{$clazz}]:pri=[{$levelName}]");
if (!class_exists($clazz))
@include_once("{$clazz}.php");
$clazz = basename($clazz);
if (class_exists($clazz)) {
$result = @call_user_func(array($clazz, 'toLevel'), $value, $defaultValue);
if (!is_a($result, 'loggerlevel')) {
LoggerLog::debug("LoggerOptionConverter::toLevel():class=[{$clazz}] cannot call toLevel(). Returning default.");
$result = $defaultValue;
}
} else {
LoggerLog::warn("LoggerOptionConverter::toLevel() class '{$clazz}' doesnt exists.");
}
return $result;
}
/**
* @param string $value
* @param float $default
* @return float
*
* @static
*/
function toFileSize($value, $default)
{
if ($value === null)
return $default;
$s = strtoupper(trim($value));
$multiplier = (float)1;
if(($index = strpos($s, 'KB')) !== false) {
$multiplier = 1024;
$s = substr($s, 0, $index);
} elseif(($index = strpos($s, 'MB')) !== false) {
$multiplier = 1024 * 1024;
$s = substr($s, 0, $index);
} elseif(($index = strpos($s, 'GB')) !== false) {
$multiplier = 1024 * 1024 * 1024;
$s = substr($s, 0, $index);
}
if(is_numeric($s)) {
return (float)$s * $multiplier;
} else {
LoggerLog::warn("LoggerOptionConverter::toFileSize() [{$s}] is not in proper form.");
}
return $default;
}
/**
* Find the value corresponding to <var>$key</var> in
* <var>$props</var>. Then perform variable substitution on the
* found value.
*
* @param string $key
* @param array $props
* @return string
*
* @static
*/
function findAndSubst($key, $props)
{
$value = @$props[$key];
if(empty($value)) {
return null;
}
return LoggerOptionConverter::substVars($value, $props);
}
/**
* Perform variable substitution in string <var>$val</var> from the
* values of keys found with the {@link getSystemProperty()} method.
*
* <p>The variable substitution delimeters are <b>${</b> and <b>}</b>.
*
* <p>For example, if the "MY_CONSTANT" contains "value", then
* the call
* <code>
* $s = LoggerOptionConverter::substituteVars("Value of key is ${MY_CONSTANT}.");
* </code>
* will set the variable <i>$s</i> to "Value of key is value.".</p>
*
* <p>If no value could be found for the specified key, then the
* <var>$props</var> parameter is searched, if the value could not
* be found there, then substitution defaults to the empty string.</p>
*
* <p>For example, if {@link getSystemProperty()} cannot find any value for the key
* "inexistentKey", then the call
* <code>
* $s = LoggerOptionConverter::substVars("Value of inexistentKey is [${inexistentKey}]");
* </code>
* will set <var>$s</var> to "Value of inexistentKey is []".</p>
*
* <p>A warn is thrown if <var>$val</var> contains a start delimeter "${"
* which is not balanced by a stop delimeter "}" and an empty string is returned.</p>
*
* @log4j-author Avy Sharell
*
* @param string $val The string on which variable substitution is performed.
* @param array $props
* @return string
*
* @static
*/
function substVars($val, $props = null)
{
LoggerLog::debug("LoggerOptionConverter::substVars():val=[{$val}]");
$sbuf = '';
$i = 0;
while(true) {
$j = strpos($val, LOG4PHP_OPTION_CONVERTER_DELIM_START, $i);
if ($j === false) {
LoggerLog::debug("LoggerOptionConverter::substVars() no more variables");
// no more variables
if ($i == 0) { // this is a simple string
LoggerLog::debug("LoggerOptionConverter::substVars() simple string");
return $val;
} else { // add the tail string which contails no variables and return the result.
$sbuf .= substr($val, $i);
LoggerLog::debug("LoggerOptionConverter::substVars():sbuf=[{$sbuf}]. Returning sbuf");
return $sbuf;
}
} else {
$sbuf .= substr($val, $i, $j-$i);
LoggerLog::debug("LoggerOptionConverter::substVars():sbuf=[{$sbuf}]:i={$i}:j={$j}.");
$k = strpos($val, LOG4PHP_OPTION_CONVERTER_DELIM_STOP, $j);
if ($k === false) {
LoggerLog::warn(
"LoggerOptionConverter::substVars() " .
"'{$val}' has no closing brace. Opening brace at position {$j}."
);
return '';
} else {
$j += LOG4PHP_OPTION_CONVERTER_DELIM_START_LEN;
$key = substr($val, $j, $k - $j);
// first try in System properties
$replacement = LoggerOptionConverter::getSystemProperty($key, null);
// then try props parameter
if($replacement == null and $props !== null) {
$replacement = @$props[$key];
}
if(!empty($replacement)) {
// Do variable substitution on the replacement string
// such that we can solve "Hello ${x2}" as "Hello p1"
// the where the properties are
// x1=p1
// x2=${x1}
$recursiveReplacement = LoggerOptionConverter::substVars($replacement, $props);
$sbuf .= $recursiveReplacement;
}
$i = $k + LOG4PHP_OPTION_CONVERTER_DELIM_STOP_LEN;
}
}
}
}
}
?>

View File

@ -0,0 +1,504 @@
<?php
/**
* log4php is a PHP port of the log4j java logging package.
*
* <p>This framework is based on log4j (see {@link http://jakarta.apache.org/log4j log4j} for details).</p>
* <p>Design, strategies and part of the methods documentation are developed by log4j team
* (Ceki Gülcü as log4j project founder and
* {@link http://jakarta.apache.org/log4j/docs/contributors.html contributors}).</p>
*
* <p>PHP port, extensions and modifications by VxR. All rights reserved.<br>
* For more information, please see {@link http://www.vxr.it/log4php/}.</p>
*
* <p>This software is published under the terms of the LGPL License
* a copy of which has been included with this distribution in the LICENSE file.</p>
*
* @package log4php
* @subpackage helpers
*/
/**
* @ignore
*/
if (!defined('LOG4PHP_DIR')) define('LOG4PHP_DIR', dirname(__FILE__) . '/..');
/**
*/
require_once(LOG4PHP_DIR . '/LoggerLog.php');
/**
* Array for fast space padding
* Used by {@link LoggerPatternConverter::spacePad()}.
*/
$GLOBALS['log4php.LoggerPatternConverter.spaces'] = array(" ", " ", " ", " ", //1,2,4,8 spaces
" ", // 16 spaces
" " ); // 32 spaces
/**
* LoggerPatternConverter is an abstract class that provides the formatting
* functionality that derived classes need.
*
* <p>Conversion specifiers in a conversion patterns are parsed to
* individual PatternConverters. Each of which is responsible for
* converting a logging event in a converter specific manner.</p>
*
* @author VxR <vxr@vxr.it>
* @version $Revision: 1.13 $
* @package log4php
* @subpackage helpers
* @abstract
* @since 0.3
*/
class LoggerPatternConverter {
/**
* @var LoggerPatternConverter next converter in converter chain
*/
var $next = null;
var $min = -1;
var $max = 0x7FFFFFFF;
var $leftAlign = false;
/**
* Constructor
*
* @param LoggerFormattingInfo $fi
*/
function LoggerPatternConverter($fi = null)
{
if ($fi !== null) {
$this->min = $fi->min;
$this->max = $fi->max;
$this->leftAlign = $fi->leftAlign;
}
}
/**
* Derived pattern converters must override this method in order to
* convert conversion specifiers in the correct way.
*
* @param LoggerLoggingEvent $event
*/
function convert($event) {}
/**
* A template method for formatting in a converter specific way.
*
* @param string &$sbuf string buffer
* @param LoggerLoggingEvent $e
*/
function format(&$sbuf, $e)
{
LoggerLog::debug("LoggerPatternConverter::format() sbuf='$sbuf'");
$s = $this->convert($e);
LoggerLog::debug("LoggerPatternConverter::format() converted event is '$s'");
if($s == null or empty($s)) {
if(0 < $this->min)
$this->spacePad($sbuf, $this->min);
return;
}
$len = strlen($s);
if($len > $this->max) {
$sbuf .= substr($s , 0, ($len - $this->max));
} elseif($len < $this->min) {
if($this->leftAlign) {
$sbuf .= $s;
$this->spacePad($sbuf, ($this->min - $len));
} else {
$this->spacePad($sbuf, ($this->min - $len));
$sbuf .= $s;
}
} else {
$sbuf .= $s;
}
}
/**
* Fast space padding method.
*
* @param string &$sbuf string buffer
* @param integer $length pad length
*
* @todo reimplement using PHP string functions
*/
function spacePad(&$sbuf, $length)
{
LoggerLog::debug("LoggerPatternConverter::spacePad() sbuf='$sbuf' len='$length'");
while($length >= 32) {
$sbuf .= $GLOBALS['log4php.LoggerPatternConverter.spaces'][5];
$length -= 32;
}
for($i = 4; $i >= 0; $i--) {
if(($length & (1<<$i)) != 0) {
$sbuf .= $GLOBALS['log4php.LoggerPatternConverter.spaces'][$i];
}
}
// $sbuf = str_pad($sbuf, $length);
}
}
// ---------------------------------------------------------------------
// PatternConverters
// ---------------------------------------------------------------------
/**
* @author VxR <vxr@vxr.it>
* @package log4php
* @subpackage helpers
*/
class LoggerBasicPatternConverter extends LoggerPatternConverter {
/**
* @var integer
*/
var $type;
/**
* Constructor
*
* @param string $formattingInfo
* @param integer $type
*/
function LoggerBasicPatternConverter($formattingInfo, $type)
{
LoggerLog::debug("LoggerBasicPatternConverter::LoggerBasicPatternConverter() type='$type'");
$this->LoggerPatternConverter($formattingInfo);
$this->type = $type;
}
/**
* @param LoggerLoggingEvent $event
* @return string
*/
function convert($event)
{
switch($this->type) {
case LOG4PHP_LOGGER_PATTERN_PARSER_RELATIVE_TIME_CONVERTER:
$timeStamp = $event->getTimeStamp();
$startTime = LoggerLoggingEvent::getStartTime();
return (string)(int)($timeStamp * 1000 - $startTime * 1000);
case LOG4PHP_LOGGER_PATTERN_PARSER_THREAD_CONVERTER:
return $event->getThreadName();
case LOG4PHP_LOGGER_PATTERN_PARSER_LEVEL_CONVERTER:
$level = $event->getLevel();
return $level->toString();
case LOG4PHP_LOGGER_PATTERN_PARSER_NDC_CONVERTER:
return $event->getNDC();
case LOG4PHP_LOGGER_PATTERN_PARSER_MESSAGE_CONVERTER:
return $event->getRenderedMessage();
default:
return '';
}
}
}
/**
* @author VxR <vxr@vxr.it>
* @package log4php
* @subpackage helpers
*/
class LoggerLiteralPatternConverter extends LoggerPatternConverter {
/**
* @var string
*/
var $literal;
/**
* Constructor
*
* @param string $value
*/
function LoggerLiteralPatternConverter($value)
{
LoggerLog::debug("LoggerLiteralPatternConverter::LoggerLiteralPatternConverter() value='$value'");
$this->literal = $value;
}
/**
* @param string &$sbuf
* @param LoggerLoggingEvent $event
*/
function format(&$sbuf, $event)
{
$sbuf .= $this->literal;
}
/**
* @param LoggerLoggingEvent $event
* @return string
*/
function convert($event)
{
return $this->literal;
}
}
/**
* @author VxR <vxr@vxr.it>
* @package log4php
* @subpackage helpers
*/
class LoggerDatePatternConverter extends LoggerPatternConverter {
/**
* @var string
*/
var $df;
/**
* Constructor
*
* @param string $formattingInfo
* @param string $df
*/
function LoggerDatePatternConverter($formattingInfo, $df)
{
LoggerLog::debug("LoggerDatePatternConverter::LoggerDatePatternConverter() dateFormat='$df'");
$this->LoggerPatternConverter($formattingInfo);
$this->df = $df;
}
/**
* @param LoggerLoggingEvent $event
* @return string
*/
function convert($event)
{
$timeStamp = $event->getTimeStamp();
$usecs = round(($timeStamp - (int)$timeStamp) * 1000);
$this->df = str_replace("\u", "u", ereg_replace("[^\\]u", sprintf(',%03d', $usecs), $this->df));
return date($this->df, $event->getTimeStamp());
}
}
/**
* @author VxR <vxr@vxr.it>
* @package log4php
* @subpackage helpers
*/
class LoggerMDCPatternConverter extends LoggerPatternConverter {
/**
* @var string
*/
var $key;
/**
* Constructor
*
* @param string $formattingInfo
* @param string $key
*/
function LoggerMDCPatternConverter($formattingInfo, $key)
{
LoggerLog::debug("LoggerMDCPatternConverter::LoggerMDCPatternConverter() key='$key'");
$this->LoggerPatternConverter($formattingInfo);
$this->key = $key;
}
/**
* @param LoggerLoggingEvent $event
* @return string
*/
function convert($event)
{
return $event->getMDC($this->key);
}
}
/**
* @author VxR <vxr@vxr.it>
* @package log4php
* @subpackage helpers
*/
class LoggerLocationPatternConverter extends LoggerPatternConverter {
/**
* @var integer
*/
var $type;
/**
* Constructor
*
* @param string $formattingInfo
* @param integer $type
*/
function LoggerLocationPatternConverter($formattingInfo, $type)
{
LoggerLog::debug("LoggerLocationPatternConverter::LoggerLocationPatternConverter() type='$type'");
$this->LoggerPatternConverter($formattingInfo);
$this->type = $type;
}
/**
* @param LoggerLoggingEvent $event
* @return string
*/
function convert($event)
{
$locationInfo = $event->getLocationInformation();
switch($this->type) {
case LOG4PHP_LOGGER_PATTERN_PARSER_FULL_LOCATION_CONVERTER:
return $locationInfo->fullInfo;
case LOG4PHP_LOGGER_PATTERN_PARSER_METHOD_LOCATION_CONVERTER:
return $locationInfo->getMethodName();
case LOG4PHP_LOGGER_PATTERN_PARSER_LINE_LOCATION_CONVERTER:
return $locationInfo->getLineNumber();
case LOG4PHP_LOGGER_PATTERN_PARSER_FILE_LOCATION_CONVERTER:
return $locationInfo->getFileName();
default:
return '';
}
}
}
/**
* @author VxR <vxr@vxr.it>
* @package log4php
* @subpackage helpers
* @abstract
*/
class LoggerNamedPatternConverter extends LoggerPatternConverter {
/**
* @var integer
*/
var $precision;
/**
* Constructor
*
* @param string $formattingInfo
* @param integer $precision
*/
function LoggerNamedPatternConverter($formattingInfo, $precision)
{
LoggerLog::debug("LoggerNamedPatternConverter::LoggerNamedPatternConverter() precision='$precision'");
$this->LoggerPatternConverter($formattingInfo);
$this->precision = $precision;
}
/**
* @param LoggerLoggingEvent $event
* @return string
* @abstract
*/
function getFullyQualifiedName($event)
{
// abstract
return;
}
/**
* @param LoggerLoggingEvent $event
* @return string
*/
function convert($event)
{
$n = $this->getFullyQualifiedName($event);
if ($this->precision <= 0) {
return $n;
} else {
$len = strlen($n);
// We substract 1 from 'len' when assigning to 'end' to avoid out of
// bounds exception in return r.substring(end+1, len). This can happen if
// precision is 1 and the category name ends with a dot.
$end = $len -1 ;
for($i = $this->precision; $i > 0; $i--) {
$end = strrpos(substr($n, 0, ($end - 1)), '.');
if ($end == false)
return $n;
}
return substr($n, ($end + 1), $len);
}
}
}
/**
* @author VxR <vxr@vxr.it>
* @package log4php
* @subpackage helpers
*/
class LoggerClassNamePatternConverter extends LoggerNamedPatternConverter {
/**
* Constructor
*
* @param string $formattingInfo
* @param integer $precision
*/
function LoggerClassNamePatternConverter($formattingInfo, $precision)
{
LoggerLog::debug("LoggerClassNamePatternConverter::LoggerClassNamePatternConverter() precision='$precision'");
$this->LoggerNamedPatternConverter($formattingInfo, $precision);
}
/**
* @param LoggerLoggingEvent $event
* @return string
*/
function getFullyQualifiedName($event)
{
return $event->fqcn;
}
}
/**
* @author VxR <vxr@vxr.it>
* @package log4php
* @subpackage helpers
*/
class LoggerCategoryPatternConverter extends LoggerNamedPatternConverter {
/**
* Constructor
*
* @param string $formattingInfo
* @param integer $precision
*/
function LoggerCategoryPatternConverter($formattingInfo, $precision)
{
LoggerLog::debug("LoggerCategoryPatternConverter::LoggerCategoryPatternConverter() precision='$precision'");
$this->LoggerNamedPatternConverter($formattingInfo, $precision);
}
/**
* @param LoggerLoggingEvent $event
* @return string
*/
function getFullyQualifiedName($event)
{
return $event->getLoggerName();
}
}
?>

View File

@ -0,0 +1,419 @@
<?php
/**
* log4php is a PHP port of the log4j java logging package.
*
* <p>This framework is based on log4j (see {@link http://jakarta.apache.org/log4j log4j} for details).</p>
* <p>Design, strategies and part of the methods documentation are developed by log4j team
* (Ceki Gülcü as log4j project founder and
* {@link http://jakarta.apache.org/log4j/docs/contributors.html contributors}).</p>
*
* <p>PHP port, extensions and modifications by VxR. All rights reserved.<br>
* For more information, please see {@link http://www.vxr.it/log4php/}.</p>
*
* <p>This software is published under the terms of the LGPL License
* a copy of which has been included with this distribution in the LICENSE file.</p>
*
* @package log4php
* @subpackage helpers
*/
/**
* @ignore
*/
if (!defined('LOG4PHP_DIR')) define('LOG4PHP_DIR', dirname(__FILE__) . '/..');
if (!defined('LOG4PHP_LINE_SEP')) {
if (substr(php_uname(), 0, 7) == "Windows") {
/**
* @ignore
*/
define('LOG4PHP_LINE_SEP', "\r\n");
} else {
/**
* @ignore
*/
define('LOG4PHP_LINE_SEP', "\n");
}
}
/**
*/
require_once(LOG4PHP_DIR . '/helpers/LoggerFormattingInfo.php');
require_once(LOG4PHP_DIR . '/helpers/LoggerPatternConverter.php');
require_once(LOG4PHP_DIR . '/LoggerLog.php');
define('LOG4PHP_LOGGER_PATTERN_PARSER_ESCAPE_CHAR', '%');
define('LOG4PHP_LOGGER_PATTERN_PARSER_LITERAL_STATE', 0);
define('LOG4PHP_LOGGER_PATTERN_PARSER_CONVERTER_STATE', 1);
define('LOG4PHP_LOGGER_PATTERN_PARSER_MINUS_STATE', 2);
define('LOG4PHP_LOGGER_PATTERN_PARSER_DOT_STATE', 3);
define('LOG4PHP_LOGGER_PATTERN_PARSER_MIN_STATE', 4);
define('LOG4PHP_LOGGER_PATTERN_PARSER_MAX_STATE', 5);
define('LOG4PHP_LOGGER_PATTERN_PARSER_FULL_LOCATION_CONVERTER', 1000);
define('LOG4PHP_LOGGER_PATTERN_PARSER_METHOD_LOCATION_CONVERTER', 1001);
define('LOG4PHP_LOGGER_PATTERN_PARSER_CLASS_LOCATION_CONVERTER', 1002);
define('LOG4PHP_LOGGER_PATTERN_PARSER_FILE_LOCATION_CONVERTER', 1003);
define('LOG4PHP_LOGGER_PATTERN_PARSER_LINE_LOCATION_CONVERTER', 1004);
define('LOG4PHP_LOGGER_PATTERN_PARSER_RELATIVE_TIME_CONVERTER', 2000);
define('LOG4PHP_LOGGER_PATTERN_PARSER_THREAD_CONVERTER', 2001);
define('LOG4PHP_LOGGER_PATTERN_PARSER_LEVEL_CONVERTER', 2002);
define('LOG4PHP_LOGGER_PATTERN_PARSER_NDC_CONVERTER', 2003);
define('LOG4PHP_LOGGER_PATTERN_PARSER_MESSAGE_CONVERTER', 2004);
define('LOG4PHP_LOGGER_PATTERN_PARSER_DATE_FORMAT_ISO8601', 'Y-m-d H:i:s,u');
define('LOG4PHP_LOGGER_PATTERN_PARSER_DATE_FORMAT_ABSOLUTE', 'H:i:s');
define('LOG4PHP_LOGGER_PATTERN_PARSER_DATE_FORMAT_DATE', 'd M Y H:i:s,u');
/**
* Most of the work of the {@link LoggerPatternLayout} class
* is delegated to the {@link LoggerPatternParser} class.
*
* <p>It is this class that parses conversion patterns and creates
* a chained list of {@link LoggerPatternConverter} converters.</p>
*
* @author VxR <vxr@vxr.it>
* @version $Revision: 1.10 $
* @package log4php
* @subpackage helpers
*
* @since 0.3
*/
class LoggerPatternParser {
var $state;
var $currentLiteral;
var $patternLength;
var $i;
/**
* @var LoggerPatternConverter
*/
var $head = null;
/**
* @var LoggerPatternConverter
*/
var $tail = null;
/**
* @var LoggerFormattingInfo
*/
var $formattingInfo;
/**
* @var string pattern to parse
*/
var $pattern;
/**
* Constructor
*
* @param string $pattern
*/
function LoggerPatternParser($pattern)
{
LoggerLog::debug("LoggerPatternParser::LoggerPatternParser() pattern='$pattern'");
$this->pattern = $pattern;
$this->patternLength = strlen($pattern);
$this->formattingInfo = new LoggerFormattingInfo();
$this->state = LOG4PHP_LOGGER_PATTERN_PARSER_LITERAL_STATE;
}
/**
* @param LoggerPatternConverter $pc
*/
function addToList($pc)
{
// LoggerLog::debug("LoggerPatternParser::addToList()");
if($this->head == null) {
$this->head = $pc;
$this->tail =& $this->head;
} else {
$this->tail->next = $pc;
$this->tail =& $this->tail->next;
}
}
/**
* @return string
*/
function extractOption()
{
if(($this->i < $this->patternLength) and ($this->pattern{$this->i} == '{')) {
$end = strpos($this->pattern, '}' , $this->i);
if ($end !== false) {
$r = substr($this->pattern, ($this->i + 1), ($end - $this->i - 1));
$this->i= $end + 1;
return $r;
}
}
return null;
}
/**
* The option is expected to be in decimal and positive. In case of
* error, zero is returned.
*/
function extractPrecisionOption()
{
$opt = $this->extractOption();
$r = 0;
if ($opt !== null) {
if (is_numeric($opt)) {
$r = (int)$opt;
if($r <= 0) {
LoggerLog::warn("Precision option ({$opt}) isn't a positive integer.");
$r = 0;
}
} else {
LoggerLog::warn("Category option \"{$opt}\" not a decimal integer.");
}
}
return $r;
}
function parse()
{
LoggerLog::debug("LoggerPatternParser::parse()");
$c = '';
$this->i = 0;
$this->currentLiteral = '';
while ($this->i < $this->patternLength) {
$c = $this->pattern{$this->i++};
// LoggerLog::debug("LoggerPatternParser::parse() char is now '$c' and currentLiteral is '{$this->currentLiteral}'");
switch($this->state) {
case LOG4PHP_LOGGER_PATTERN_PARSER_LITERAL_STATE:
// LoggerLog::debug("LoggerPatternParser::parse() state is 'LOG4PHP_LOGGER_PATTERN_PARSER_LITERAL_STATE'");
// In literal state, the last char is always a literal.
if($this->i == $this->patternLength) {
$this->currentLiteral .= $c;
continue;
}
if($c == LOG4PHP_LOGGER_PATTERN_PARSER_ESCAPE_CHAR) {
// LoggerLog::debug("LoggerPatternParser::parse() char is an escape char");
// peek at the next char.
switch($this->pattern{$this->i}) {
case LOG4PHP_LOGGER_PATTERN_PARSER_ESCAPE_CHAR:
// LoggerLog::debug("LoggerPatternParser::parse() next char is an escape char");
$this->currentLiteral .= $c;
$this->i++; // move pointer
break;
case 'n':
// LoggerLog::debug("LoggerPatternParser::parse() next char is 'n'");
$this->currentLiteral .= LOG4PHP_LINE_SEP;
$this->i++; // move pointer
break;
default:
if(strlen($this->currentLiteral) != 0) {
$this->addToList(new LoggerLiteralPatternConverter($this->currentLiteral));
LoggerLog::debug("LoggerPatternParser::parse() Parsed LITERAL converter: \"{$this->currentLiteral}\".");
}
$this->currentLiteral = $c;
$this->state = LOG4PHP_LOGGER_PATTERN_PARSER_CONVERTER_STATE;
$this->formattingInfo->reset();
}
} else {
$this->currentLiteral .= $c;
}
break;
case LOG4PHP_LOGGER_PATTERN_PARSER_CONVERTER_STATE:
// LoggerLog::debug("LoggerPatternParser::parse() state is 'LOG4PHP_LOGGER_PATTERN_PARSER_CONVERTER_STATE'");
$this->currentLiteral .= $c;
switch($c) {
case '-':
$this->formattingInfo->leftAlign = true;
break;
case '.':
$this->state = LOG4PHP_LOGGER_PATTERN_PARSER_DOT_STATE;
break;
default:
if(ord($c) >= ord('0') and ord($c) <= ord('9')) {
$this->formattingInfo->min = ord($c) - ord('0');
$this->state = LOG4PHP_LOGGER_PATTERN_PARSER_MIN_STATE;
} else {
$this->finalizeConverter($c);
}
} // switch
break;
case LOG4PHP_LOGGER_PATTERN_PARSER_MIN_STATE:
// LoggerLog::debug("LoggerPatternParser::parse() state is 'LOG4PHP_LOGGER_PATTERN_PARSER_MIN_STATE'");
$this->currentLiteral .= $c;
if(ord($c) >= ord('0') and ord($c) <= ord('9')) {
$this->formattingInfo->min = ($this->formattingInfo->min * 10) + (ord(c) - ord('0'));
} elseif ($c == '.') {
$this->state = LOG4PHP_LOGGER_PATTERN_PARSER_DOT_STATE;
} else {
$this->finalizeConverter($c);
}
break;
case LOG4PHP_LOGGER_PATTERN_PARSER_DOT_STATE:
// LoggerLog::debug("LoggerPatternParser::parse() state is 'LOG4PHP_LOGGER_PATTERN_PARSER_DOT_STATE'");
$this->currentLiteral .= $c;
if(ord($c) >= ord('0') and ord($c) <= ord('9')) {
$this->formattingInfo->max = ord($c) - ord('0');
$this->state = LOG4PHP_LOGGER_PATTERN_PARSER_MAX_STATE;
} else {
LoggerLog::warn("LoggerPatternParser::parse() Error occured in position {$this->i}. Was expecting digit, instead got char \"{$c}\".");
$this->state = LOG4PHP_LOGGER_PATTERN_PARSER_LITERAL_STATE;
}
break;
case LOG4PHP_LOGGER_PATTERN_PARSER_MAX_STATE:
// LoggerLog::debug("LoggerPatternParser::parse() state is 'LOG4PHP_LOGGER_PATTERN_PARSER_MAX_STATE'");
$this->currentLiteral .= $c;
if(ord($c) >= ord('0') and ord($c) <= ord('9')) {
$this->formattingInfo->max = ($this->formattingInfo->max * 10) + (ord($c) - ord('0'));
} else {
$this->finalizeConverter($c);
$this->state = LOG4PHP_LOGGER_PATTERN_PARSER_LITERAL_STATE;
}
break;
} // switch
} // while
if(strlen($this->currentLiteral) != 0) {
$this->addToList(new LoggerLiteralPatternConverter($this->currentLiteral));
// LoggerLog::debug("LoggerPatternParser::parse() Parsed LITERAL converter: \"{$this->currentLiteral}\".");
}
return $this->head;
}
function finalizeConverter($c)
{
LoggerLog::debug("LoggerPatternParser::finalizeConverter() with char '$c'");
$pc = null;
switch($c) {
case 'c':
$pc = new LoggerCategoryPatternConverter($this->formattingInfo, $this->extractPrecisionOption());
LoggerLog::debug("LoggerPatternParser::finalizeConverter() CATEGORY converter.");
// $this->formattingInfo->dump();
$this->currentLiteral = '';
break;
case 'C':
$pc = new LoggerClassNamePatternConverter($this->formattingInfo, $this->extractPrecisionOption());
LoggerLog::debug("LoggerPatternParser::finalizeConverter() CLASSNAME converter.");
//$this->formattingInfo->dump();
$this->currentLiteral = '';
break;
case 'd':
$dateFormatStr = LOG4PHP_LOGGER_PATTERN_PARSER_DATE_FORMAT_ISO8601; // ISO8601_DATE_FORMAT;
$dOpt = $this->extractOption();
if($dOpt !== null)
$dateFormatStr = $dOpt;
if ($dateFormatStr == 'ISO8601') {
$df = LOG4PHP_LOGGER_PATTERN_PARSER_DATE_FORMAT_ISO8601;
} elseif($dateFormatStr == 'ABSOLUTE') {
$df = LOG4PHP_LOGGER_PATTERN_PARSER_DATE_FORMAT_ABSOLUTE;
} elseif($dateFormatStr == 'DATE') {
$df = LOG4PHP_LOGGER_PATTERN_PARSER_DATE_FORMAT_DATE;
} else {
$df = $dateFormatStr;
if ($df == null) {
$df = LOG4PHP_LOGGER_PATTERN_PARSER_DATE_FORMAT_ISO8601;
}
}
$pc = new LoggerDatePatternConverter($this->formattingInfo, $df);
$this->currentLiteral = '';
break;
case 'F':
$pc = new LoggerLocationPatternConverter($this->formattingInfo, LOG4PHP_LOGGER_PATTERN_PARSER_FILE_LOCATION_CONVERTER);
LoggerLog::debug("LoggerPatternParser::finalizeConverter() File name converter.");
//formattingInfo.dump();
$this->currentLiteral = '';
break;
case 'l':
$pc = new LoggerLocationPatternConverter($this->formattingInfo, LOG4PHP_LOGGER_PATTERN_PARSER_FULL_LOCATION_CONVERTER);
LoggerLog::debug("LoggerPatternParser::finalizeConverter() Location converter.");
//formattingInfo.dump();
$this->currentLiteral = '';
break;
case 'L':
$pc = new LoggerLocationPatternConverter($this->formattingInfo, LOG4PHP_LOGGER_PATTERN_PARSER_LINE_LOCATION_CONVERTER);
LoggerLog::debug("LoggerPatternParser::finalizeConverter() LINE NUMBER converter.");
//formattingInfo.dump();
$this->currentLiteral = '';
break;
case 'm':
$pc = new LoggerBasicPatternConverter($this->formattingInfo, LOG4PHP_LOGGER_PATTERN_PARSER_MESSAGE_CONVERTER);
LoggerLog::debug("LoggerPatternParser::finalizeConverter() MESSAGE converter.");
//formattingInfo.dump();
$this->currentLiteral = '';
break;
case 'M':
$pc = new LoggerLocationPatternConverter($this->formattingInfo, LOG4PHP_LOGGER_PATTERN_PARSER_METHOD_LOCATION_CONVERTER);
//LogLog.debug("METHOD converter.");
//formattingInfo.dump();
$this->currentLiteral = '';
break;
case 'p':
$pc = new LoggerBasicPatternConverter($this->formattingInfo, LOG4PHP_LOGGER_PATTERN_PARSER_LEVEL_CONVERTER);
//LogLog.debug("LEVEL converter.");
//formattingInfo.dump();
$this->currentLiteral = '';
break;
case 'r':
$pc = new LoggerBasicPatternConverter($this->formattingInfo, LOG4PHP_LOGGER_PATTERN_PARSER_RELATIVE_TIME_CONVERTER);
LoggerLog::debug("LoggerPatternParser::finalizeConverter() RELATIVE TIME converter.");
//formattingInfo.dump();
$this->currentLiteral = '';
break;
case 't':
$pc = new LoggerBasicPatternConverter($this->formattingInfo, LOG4PHP_LOGGER_PATTERN_PARSER_THREAD_CONVERTER);
LoggerLog::debug("LoggerPatternParser::finalizeConverter() THREAD converter.");
//formattingInfo.dump();
$this->currentLiteral = '';
break;
case 'u':
if($this->i < $this->patternLength) {
$cNext = $this->pattern{$this->i};
if(ord($cNext) >= ord('0') and ord($cNext) <= ord('9')) {
$pc = new LoggerUserFieldPatternConverter($this->formattingInfo, (string)(ord($cNext) - ord('0')));
LoggerLog::debug("LoggerPatternParser::finalizeConverter() USER converter [{$cNext}].");
// formattingInfo.dump();
$this->currentLiteral = '';
$this->i++;
} else {
LoggerLog::warn("LoggerPatternParser::finalizeConverter() Unexpected char '{$cNext}' at position {$this->i}.");
}
}
break;
case 'x':
$pc = new LoggerBasicPatternConverter($this->formattingInfo, LOG4PHP_LOGGER_PATTERN_PARSER_NDC_CONVERTER);
LoggerLog::debug("LoggerPatternParser::finalizeConverter() NDC converter.");
$this->currentLiteral = '';
break;
case 'X':
$xOpt = $this->extractOption();
$pc = new LoggerMDCPatternConverter($this->formattingInfo, $xOpt);
LoggerLog::debug("LoggerPatternParser::finalizeConverter() MDC converter.");
$this->currentLiteral = '';
break;
default:
LoggerLog::warn("LoggerPatternParser::finalizeConverter() Unexpected char [$c] at position {$this->i} in conversion pattern.");
$pc = new LoggerLiteralPatternConverter($this->currentLiteral);
$this->currentLiteral = '';
}
$this->addConverter($pc);
}
function addConverter($pc)
{
$this->currentLiteral = '';
// Add the pattern converter to the list.
$this->addToList($pc);
// Next pattern is assumed to be a literal.
$this->state = LOG4PHP_LOGGER_PATTERN_PARSER_LITERAL_STATE;
// Reset formatting info
$this->formattingInfo->reset();
}
}
?>

View File

@ -0,0 +1,95 @@
<?php
/**
* log4php is a PHP port of the log4j java logging package.
*
* <p>This framework is based on log4j (see {@link http://jakarta.apache.org/log4j log4j} for details).</p>
* <p>Design, strategies and part of the methods documentation are developed by log4j team
* (Ceki Gülcü as log4j project founder and
* {@link http://jakarta.apache.org/log4j/docs/contributors.html contributors}).</p>
*
* <p>PHP port, extensions and modifications by VxR. All rights reserved.<br>
* For more information, please see {@link http://www.vxr.it/log4php/}.</p>
*
* <p>This software is published under the terms of the LGPL License
* a copy of which has been included with this distribution in the LICENSE file.</p>
*
* @package log4php
* @subpackage helpers
*/
/**
* @ignore
*/
if (!defined('LOG4PHP_DIR')) define('LOG4PHP_DIR', dirname(__FILE__) . '/..');
define('LOG4PHP_LOGGER_TRANSFORM_CDATA_START', '<![CDATA[');
define('LOG4PHP_LOGGER_TRANSFORM_CDATA_END', ']]>');
define('LOG4PHP_LOGGER_TRANSFORM_CDATA_PSEUDO_END', ']]&gt;');
define('LOG4PHP_LOGGER_TRANSFORM_CDATA_EMBEDDED_END',
LOG4PHP_LOGGER_TRANSFORM_CDATA_END .
LOG4PHP_LOGGER_TRANSFORM_CDATA_PSEUDO_END .
LOG4PHP_LOGGER_TRANSFORM_CDATA_START
);
/**
* Utility class for transforming strings.
*
* @log4j-class org.apache.log4j.helpers.Transform
*
* @author VxR <vxr@vxr.it>
* @package log4php
* @subpackage helpers
* @since 0.7
*/
class LoggerTransform {
/**
* This method takes a string which may contain HTML tags (ie,
* &lt;b&gt;, &lt;table&gt;, etc) and replaces any '&lt;' and '&gt;'
* characters with respective predefined entity references.
*
* @param string $input The text to be converted.
* @return string The input string with the characters '&lt;' and '&gt;' replaced with
* &amp;lt; and &amp;gt; respectively.
* @static
*/
function escapeTags($input)
{
//Check if the string is null or zero length -- if so, return
//what was sent in.
if(empty($input))
return $input;
//Use a StringBuffer in lieu of String concatenation -- it is
//much more efficient this way.
return htmlspecialchars($input, ENT_NOQUOTES);
}
/**
* Ensures that embeded CDEnd strings (]]&gt;) are handled properly
* within message, NDC and throwable tag text.
*
* @param string $buf String holding the XML data to this point. The
* initial CDStart (<![CDATA[) and final CDEnd (]]>)
* of the CDATA section are the responsibility of
* the calling method.
* @param string &str The String that is inserted into an existing
* CDATA Section within buf.
* @static
*/
function appendEscapingCDATA(&$buf, $str)
{
if(empty($str))
return;
$rStr = str_replace(
LOG4PHP_LOGGER_TRANSFORM_CDATA_END,
LOG4PHP_LOGGER_TRANSFORM_CDATA_EMBEDDED_END,
$str
);
$buf .= $rStr;
}
}
?>

View File

@ -0,0 +1,256 @@
<?php
/**
* log4php is a PHP port of the log4j java logging package.
*
* <p>This framework is based on log4j (see {@link http://jakarta.apache.org/log4j log4j} for details).</p>
* <p>Design, strategies and part of the methods documentation are developed by log4j team
* (Ceki Gülcü as log4j project founder and
* {@link http://jakarta.apache.org/log4j/docs/contributors.html contributors}).</p>
*
* <p>PHP port, extensions and modifications by VxR. All rights reserved.<br>
* For more information, please see {@link http://www.vxr.it/log4php/}.</p>
*
* <p>This software is published under the terms of the LGPL License
* a copy of which has been included with this distribution in the LICENSE file.</p>
*
* @package log4php
* @subpackage layouts
*/
/**
* @ignore
*/
if (!defined('LOG4PHP_DIR')) define('LOG4PHP_DIR', dirname(__FILE__) . '/..');
if (!defined('LOG4PHP_LINE_SEP')) {
if (substr(php_uname(), 0, 7) == "Windows") {
/**
* @ignore
*/
define('LOG4PHP_LINE_SEP', "\r\n");
} else {
/**
* @ignore
*/
define('LOG4PHP_LINE_SEP', "\n");
}
}
/**
*/
require_once(LOG4PHP_DIR . '/LoggerLayout.php');
require_once(LOG4PHP_DIR . '/spi/LoggerLoggingEvent.php');
/**
* This layout outputs events in a HTML table.
*
* Parameters are: {@link $title}, {@link $locationInfo}.
*
* @author VxR <vxr@vxr.it>
* @version $Revision: 1.14 $
* @package log4php
* @subpackage layouts
*/
class LoggerLayoutHtml extends LoggerLayout {
/**
* The <b>LocationInfo</b> option takes a boolean value. By
* default, it is set to false which means there will be no location
* information output by this layout. If the the option is set to
* true, then the file name and line number of the statement
* at the origin of the log statement will be output.
*
* <p>If you are embedding this layout within a {@link LoggerAppenderMail}
* or a {@link LoggerAppenderMailEvent} then make sure to set the
* <b>LocationInfo</b> option of that appender as well.
* @var boolean
*/
var $locationInfo = false;
/**
* The <b>Title</b> option takes a String value. This option sets the
* document title of the generated HTML document.
* Defaults to 'Log4php Log Messages'.
* @var string
*/
var $title = "Log4php Log Messages";
/**
* Constructor
*/
function LoggerLayoutHtml()
{
return;
}
/**
* The <b>LocationInfo</b> option takes a boolean value. By
* default, it is set to false which means there will be no location
* information output by this layout. If the the option is set to
* true, then the file name and line number of the statement
* at the origin of the log statement will be output.
*
* <p>If you are embedding this layout within a {@link LoggerAppenderMail}
* or a {@link LoggerAppenderMailEvent} then make sure to set the
* <b>LocationInfo</b> option of that appender as well.
*/
function setLocationInfo($flag)
{
if (is_bool($flag)) {
$this->locationInfo = $flag;
} else {
$this->locationInfo = (bool)(strtolower($flag) == 'true');
}
}
/**
* Returns the current value of the <b>LocationInfo</b> option.
*/
function getLocationInfo()
{
return $this->locationInfo;
}
/**
* The <b>Title</b> option takes a String value. This option sets the
* document title of the generated HTML document.
* Defaults to 'Log4php Log Messages'.
*/
function setTitle($title)
{
$this->title = $title;
}
/**
* @return string Returns the current value of the <b>Title</b> option.
*/
function getTitle()
{
return $this->title;
}
/**
* @return string Returns the content type output by this layout, i.e "text/html".
*/
function getContentType()
{
return "text/html";
}
/**
* No options to activate.
*/
function activateOptions()
{
return true;
}
/**
* @param LoggerLoggingEvent $event
* @return string
*/
function format($event)
{
$sbuf = LOG4PHP_LINE_SEP . "<tr>" . LOG4PHP_LINE_SEP;
$sbuf .= "<td>";
$eventTime = (float)$event->getTimeStamp();
$eventStartTime = (float)LoggerLoggingEvent::getStartTime();
$sbuf .= number_format(($eventTime - $eventStartTime) * 1000, 0, '', '');
$sbuf .= "</td>" . LOG4PHP_LINE_SEP;
$sbuf .= "<td title=\"" . $event->getThreadName() . " thread\">";
$sbuf .= $event->getThreadName();
$sbuf .= "</td>" . LOG4PHP_LINE_SEP;
$sbuf .= "<td title=\"Level\">";
$level = $event->getLevel();
if ($level->equals(LoggerLevel::getLevelDebug())) {
$sbuf .= "<font color=\"#339933\">";
$sbuf .= $level->toString();
$sbuf .= "</font>";
}elseif($level->equals(LoggerLevel::getLevelWarn())) {
$sbuf .= "<font color=\"#993300\"><strong>";
$sbuf .= $level->toString();
$sbuf .= "</strong></font>";
} else {
$sbuf .= $level->toString();
}
$sbuf .= "</td>" . LOG4PHP_LINE_SEP;
$sbuf .= "<td title=\"" . htmlentities($event->getLoggerName(), ENT_QUOTES) . " category\">";
$sbuf .= htmlentities($event->getLoggerName(), ENT_QUOTES);
$sbuf .= "</td>" . LOG4PHP_LINE_SEP;
if ($this->locationInfo) {
$locInfo = $event->getLocationInformation();
$sbuf .= "<td>";
$sbuf .= htmlentities($locInfo->getFileName(), ENT_QUOTES). ':' . $locInfo->getLineNumber();
$sbuf .= "</td>" . LOG4PHP_LINE_SEP;
}
$sbuf .= "<td title=\"Message\">";
$sbuf .= htmlentities($event->getRenderedMessage(), ENT_QUOTES);
$sbuf .= "</td>" . LOG4PHP_LINE_SEP;
$sbuf .= "</tr>" . LOG4PHP_LINE_SEP;
if ($event->getNDC() != null) {
$sbuf .= "<tr><td bgcolor=\"#EEEEEE\" style=\"font-size : xx-small;\" colspan=\"6\" title=\"Nested Diagnostic Context\">";
$sbuf .= "NDC: " . htmlentities($event->getNDC(), ENT_QUOTES);
$sbuf .= "</td></tr>" . LOG4PHP_LINE_SEP;
}
return $sbuf;
}
/**
* @return string Returns appropriate HTML headers.
*/
function getHeader()
{
$sbuf = "<!DOCTYPE HTML PUBLIC \"-//W3C//DTD HTML 4.01 Transitional//EN\" \"http://www.w3.org/TR/html4/loose.dtd\">" . LOG4PHP_LINE_SEP;
$sbuf .= "<html>" . LOG4PHP_LINE_SEP;
$sbuf .= "<head>" . LOG4PHP_LINE_SEP;
$sbuf .= "<title>" . $this->title . "</title>" . LOG4PHP_LINE_SEP;
$sbuf .= "<style type=\"text/css\">" . LOG4PHP_LINE_SEP;
$sbuf .= "<!--" . LOG4PHP_LINE_SEP;
$sbuf .= "body, table {font-family: arial,sans-serif; font-size: x-small;}" . LOG4PHP_LINE_SEP;
$sbuf .= "th {background: #336699; color: #FFFFFF; text-align: left;}" . LOG4PHP_LINE_SEP;
$sbuf .= "-->" . LOG4PHP_LINE_SEP;
$sbuf .= "</style>" . LOG4PHP_LINE_SEP;
$sbuf .= "</head>" . LOG4PHP_LINE_SEP;
$sbuf .= "<body bgcolor=\"#FFFFFF\" topmargin=\"6\" leftmargin=\"6\">" . LOG4PHP_LINE_SEP;
$sbuf .= "<hr size=\"1\" noshade>" . LOG4PHP_LINE_SEP;
$sbuf .= "Log session start time " . strftime('%c', time()) . "<br>" . LOG4PHP_LINE_SEP;
$sbuf .= "<br>" . LOG4PHP_LINE_SEP;
$sbuf .= "<table cellspacing=\"0\" cellpadding=\"4\" border=\"1\" bordercolor=\"#224466\" width=\"100%\">" . LOG4PHP_LINE_SEP;
$sbuf .= "<tr>" . LOG4PHP_LINE_SEP;
$sbuf .= "<th>Time</th>" . LOG4PHP_LINE_SEP;
$sbuf .= "<th>Thread</th>" . LOG4PHP_LINE_SEP;
$sbuf .= "<th>Level</th>" . LOG4PHP_LINE_SEP;
$sbuf .= "<th>Category</th>" . LOG4PHP_LINE_SEP;
if ($this->locationInfo)
$sbuf .= "<th>File:Line</th>" . LOG4PHP_LINE_SEP;
$sbuf .= "<th>Message</th>" . LOG4PHP_LINE_SEP;
$sbuf .= "</tr>" . LOG4PHP_LINE_SEP;
return $sbuf;
}
/**
* @return string Returns the appropriate HTML footers.
*/
function getFooter()
{
$sbuf = "</table>" . LOG4PHP_LINE_SEP;
$sbuf .= "<br>" . LOG4PHP_LINE_SEP;
$sbuf .= "</body></html>";
return $sbuf;
}
}
?>

View File

@ -0,0 +1,84 @@
<?php
/**
* log4php is a PHP port of the log4j java logging package.
*
* <p>This framework is based on log4j (see {@link http://jakarta.apache.org/log4j log4j} for details).</p>
* <p>Design, strategies and part of the methods documentation are developed by log4j team
* (Ceki Gülcü as log4j project founder and
* {@link http://jakarta.apache.org/log4j/docs/contributors.html contributors}).</p>
*
* <p>PHP port, extensions and modifications by VxR. All rights reserved.<br>
* For more information, please see {@link http://www.vxr.it/log4php/}.</p>
*
* <p>This software is published under the terms of the LGPL License
* a copy of which has been included with this distribution in the LICENSE file.</p>
*
* @package log4php
* @subpackage layouts
*/
/**
* @ignore
*/
if (!defined('LOG4PHP_DIR')) define('LOG4PHP_DIR', dirname(__FILE__) . '/..');
if (!defined('LOG4PHP_LINE_SEP')) {
if (substr(php_uname(), 0, 7) == "Windows") {
define('LOG4PHP_LINE_SEP', "\r\n");
} else {
/**
* @ignore
*/
define('LOG4PHP_LINE_SEP', "\n");
}
}
/**
*/
require_once(LOG4PHP_DIR . '/LoggerLayout.php');
/**
* A simple layout.
*
* Returns the log statement in a format consisting of the
* <b>level</b>, followed by " - " and then the <b>message</b>.
* For example,
* <samp> INFO - "A message" </samp>
*
* @author VxR <vxr@vxr.it>
* @version $Revision: 1.8 $
* @package log4php
* @subpackage layouts
*/
class LoggerLayoutSimple extends LoggerLayout {
/**
* Constructor
*/
function LoggerLayoutSimple()
{
return;
}
function activateOptions()
{
return;
}
/**
* Returns the log statement in a format consisting of the
* <b>level</b>, followed by " - " and then the
* <b>message</b>. For example,
* <samp> INFO - "A message" </samp>
*
* @param LoggerLoggingEvent $event
* @return string
*/
function format($event)
{
$level = $event->getLevel();
return $level->toString() . ' - ' . $event->getRenderedMessage(). LOG4PHP_LINE_SEP;
}
}
?>

View File

@ -0,0 +1,240 @@
<?php
/**
* log4php is a PHP port of the log4j java logging package.
*
* <p>This framework is based on log4j (see {@link http://jakarta.apache.org/log4j log4j} for details).</p>
* <p>Design, strategies and part of the methods documentation are developed by log4j team
* (Ceki Gülcü as log4j project founder and
* {@link http://jakarta.apache.org/log4j/docs/contributors.html contributors}).</p>
*
* <p>PHP port, extensions and modifications by VxR. All rights reserved.<br>
* For more information, please see {@link http://www.vxr.it/log4php/}.</p>
*
* <p>This software is published under the terms of the LGPL License
* a copy of which has been included with this distribution in the LICENSE file.</p>
*
* @package log4php
* @subpackage layouts
*/
/**
* @ignore
*/
if (!defined('LOG4PHP_DIR')) define('LOG4PHP_DIR', dirname(__FILE__) . '/..');
if (!defined('LOG4PHP_LINE_SEP')) {
if (substr(php_uname(), 0, 7) == "Windows") {
/**
* @ignore
*/
define('LOG4PHP_LINE_SEP', "\r\n");
} else {
/**
* @ignore
*/
define('LOG4PHP_LINE_SEP', "\n");
}
}
/**
*/
require_once(LOG4PHP_DIR . '/LoggerLayout.php');
/**
* String constant designating no time information. Current value of
* this constant is <b>NULL</b>.
*/
define ('LOG4PHP_LOGGER_LAYOUT_NULL_DATE_FORMAT', 'NULL');
/**
* String constant designating relative time. Current value of
* this constant is <b>RELATIVE</b>.
*/
define ('LOG4PHP_LOGGER_LAYOUT_RELATIVE_TIME_DATE_FORMAT', 'RELATIVE');
/**
* TTCC layout format consists of time, thread, category and nested
* diagnostic context information, hence the name.
*
* <p>Each of the four fields can be individually enabled or
* disabled. The time format depends on the <b>DateFormat</b> used.</p>
*
* <p>If no dateFormat is specified it defaults to '%c'.
* See php {@link PHP_MANUAL#date} function for details.</p>
*
* Params:
* - {@link $threadPrinting} (true|false) enable/disable pid reporting.
* - {@link $categoryPrefixing} (true|false) enable/disable logger category reporting.
* - {@link $contextPrinting} (true|false) enable/disable NDC reporting.
* - {@link $microSecondsPrinting} (true|false) enable/disable micro seconds reporting in timestamp.
* - {@link $dateFormat} (string) set date format. See php {@link PHP_MANUAL#date} function for details.
*
* @author VxR <vxr@vxr.it>
* @version $Revision: 1.12 $
* @package log4php
* @subpackage layouts
*/
class LoggerLayoutTTCC extends LoggerLayout {
// Internal representation of options
var $threadPrinting = true;
var $categoryPrefixing = true;
var $contextPrinting = true;
var $microSecondsPrinting = true;
/**
* @var string date format. See {@link PHP_MANUAL#strftime} for details
*/
var $dateFormat = '%c';
/**
* Constructor
*
* @param string date format
* @see dateFormat
*/
function LoggerLayoutTTCC($dateFormat = '')
{
if (!empty($dateFormat))
$this->dateFormat = $dateFormat;
return;
}
/**
* The <b>ThreadPrinting</b> option specifies whether the name of the
* current thread is part of log output or not. This is true by default.
*/
function setThreadPrinting($threadPrinting)
{
$this->threadPrinting = is_bool($threadPrinting) ?
$threadPrinting :
(bool)(strtolower($threadPrinting) == 'true');
}
/**
* @return boolean Returns value of the <b>ThreadPrinting</b> option.
*/
function getThreadPrinting() {
return $this->threadPrinting;
}
/**
* The <b>CategoryPrefixing</b> option specifies whether {@link Category}
* name is part of log output or not. This is true by default.
*/
function setCategoryPrefixing($categoryPrefixing)
{
$this->categoryPrefixing = is_bool($categoryPrefixing) ?
$categoryPrefixing :
(bool)(strtolower($categoryPrefixing) == 'true');
}
/**
* @return boolean Returns value of the <b>CategoryPrefixing</b> option.
*/
function getCategoryPrefixing() {
return $this->categoryPrefixing;
}
/**
* The <b>ContextPrinting</b> option specifies log output will include
* the nested context information belonging to the current thread.
* This is true by default.
*/
function setContextPrinting($contextPrinting) {
$this->contextPrinting = is_bool($contextPrinting) ?
$contextPrinting :
(bool)(strtolower($contextPrinting) == 'true');
}
/**
* @return boolean Returns value of the <b>ContextPrinting</b> option.
*/
function getContextPrinting()
{
return $this->contextPrinting;
}
/**
* The <b>MicroSecondsPrinting</b> option specifies if microseconds infos
* should be printed at the end of timestamp.
* This is true by default.
*/
function setMicroSecondsPrinting($microSecondsPrinting) {
$this->microSecondsPrinting = is_bool($microSecondsPrinting) ?
$microSecondsPrinting :
(bool)(strtolower($microSecondsPrinting) == 'true');
}
/**
* @return boolean Returns value of the <b>MicroSecondsPrinting</b> option.
*/
function getMicroSecondsPrinting()
{
return $this->microSecondsPrinting;
}
function setDateFormat($dateFormat)
{
$this->dateFormat = $dateFormat;
}
/**
* @return string
*/
function getDateFormat()
{
return $this->dateFormat;
}
/**
* In addition to the level of the statement and message, the
* returned string includes time, thread, category.
* <p>Time, thread, category are printed depending on options.
*
* @param LoggerLoggingEvent $event
* @return string
*/
function format($event)
{
$timeStamp = (float)$event->getTimeStamp();
$format = strftime($this->dateFormat, (int)$timeStamp);
if ($this->microSecondsPrinting) {
$usecs = round(($timeStamp - (int)$timeStamp) * 1000);
$format .= sprintf(',%03d', $usecs);
}
$format .= ' ';
if ($this->threadPrinting)
$format .= '['.getmypid().'] ';
$level = $event->getLevel();
$format .= $level->toString().' ';
if($this->categoryPrefixing) {
$format .= $event->getLoggerName().' ';
}
if($this->contextPrinting) {
$ndc = $event->getNDC();
if($ndc != null) {
$format .= $ndc.' ';
}
}
$format .= '- '.$event->getRenderedMessage();
$format .= LOG4PHP_LINE_SEP;
return $format;
}
function ignoresThrowable()
{
return true;
}
}
?>

View File

@ -0,0 +1,260 @@
<?php
/**
* log4php is a PHP port of the log4j java logging package.
*
* <p>This framework is based on log4j (see {@link http://jakarta.apache.org/log4j log4j} for details).</p>
* <p>Design, strategies and part of the methods documentation are developed by log4j team
* (Ceki Gülcü as log4j project founder and
* {@link http://jakarta.apache.org/log4j/docs/contributors.html contributors}).</p>
*
* <p>PHP port, extensions and modifications by VxR. All rights reserved.<br>
* For more information, please see {@link http://www.vxr.it/log4php/}.</p>
*
* <p>This software is published under the terms of the LGPL License
* a copy of which has been included with this distribution in the LICENSE file.</p>
*
* @package log4php
* @subpackage layouts
*/
/**
* @ignore
*/
if (!defined('LOG4PHP_DIR')) define('LOG4PHP_DIR', dirname(__FILE__) . '/..');
/**
*/
require_once(LOG4PHP_DIR . '/helpers/LoggerPatternParser.php');
require_once(LOG4PHP_DIR . '/LoggerLayout.php');
require_once(LOG4PHP_DIR . '/LoggerLog.php');
/**
* Default conversion Pattern
*/
define('LOG4PHP_LOGGER_PATTERN_LAYOUT_DEFAULT_CONVERSION_PATTERN', '%m%n');
define('LOG4PHP_LOGGER_PATTERN_LAYOUT_TTCC_CONVERSION_PATTERN', '%r [%t] %p %c %x - %m%n');
/**
* A flexible layout configurable with pattern string.
*
* <p>The goal of this class is to {@link format()} a {@link LoggerLoggingEvent} and return the results as a string.
* The results depend on the conversion pattern.
* The conversion pattern is closely related to the conversion pattern of the printf function in C.
* A conversion pattern is composed of literal text and format control expressions called conversion specifiers.
* You are free to insert any literal text within the conversion pattern.</p>
*
* <p>Each conversion specifier starts with a percent sign (%) and is followed by optional
* format modifiers and a conversion character.</p>
*
* <p>The conversion character specifies the type of data, e.g. category, priority, date, thread name.
* The format modifiers control such things as field width, padding, left and right justification.</p>
*
* The following is a simple example.
*
* <p>Let the conversion pattern be "%-5p [%t]: %m%n" and assume that the log4php environment
* was set to use a LoggerPatternLayout.</p>
*
* Then the statements
* <code>
* $root =& LoggerManager::getRoot();
* $root->debug("Message 1");
* $root->warn("Message 2");
* </code>
* would yield the output
* <pre>
* DEBUG [main]: Message 1
* WARN [main]: Message 2
* </pre>
*
* <p>Note that there is no explicit separator between text and conversion specifiers.</p>
*
* <p>The pattern parser knows when it has reached the end of a conversion specifier when it reads a conversion character.
* In the example above the conversion specifier %-5p means the priority of the logging event should be
* left justified to a width of five characters.</p>
*
* Not all log4j conversion characters are implemented. The recognized conversion characters are:
* - <b>c</b> Used to output the category of the logging event. The category conversion specifier can be optionally followed by precision specifier, that is a decimal constant in brackets.
* If a precision specifier is given, then only the corresponding number of right most components of the category name will be printed.
* By default the category name is printed in full.
* For example, for the category name "a.b.c" the pattern %c{2} will output "b.c".
* - <b>C</b> Used to output the fully qualified class name of the caller issuing the logging request.
* This conversion specifier can be optionally followed by precision specifier, that is a decimal constant in brackets.
* If a precision specifier is given, then only the corresponding number of right most components of the class name will be printed.
* By default the class name is output in fully qualified form.
* For example, for the class name "org.apache.xyz.SomeClass", the pattern %C{1} will output "SomeClass".
* - <b>d</b> Used to output the date of the logging event.
* The date conversion specifier may be followed by a date format specifier enclosed between braces.
* The format specifier follows the {@link PHP_MANUAL#date} function.
* Note that the special character <b>u</b> is used to as microseconds replacement (to avoid replacement,
* use <b>\u</b>).
* For example, %d{H:i:s,u} or %d{d M Y H:i:s,u}. If no date format specifier is given then ISO8601 format is assumed.
* The date format specifier admits the same syntax as the time pattern string of the SimpleDateFormat.
* It is recommended to use the predefined log4php date formatters.
* These can be specified using one of the strings "ABSOLUTE", "DATE" and "ISO8601" for specifying
* AbsoluteTimeDateFormat, DateTimeDateFormat and respectively ISO8601DateFormat.
* For example, %d{ISO8601} or %d{ABSOLUTE}.
* - <b>F</b> Used to output the file name where the logging request was issued.
* - <b>l</b> Used to output location information of the caller which generated the logging event.
* - <b>L</b> Used to output the line number from where the logging request was issued.
* - <b>m</b> Used to output the application supplied message associated with the logging event.
* - <b>M</b> Used to output the method name where the logging request was issued.
* - <b>p</b> Used to output the priority of the logging event.
* - <b>r</b> Used to output the number of milliseconds elapsed since the start of
* the application until the creation of the logging event.
* - <b>t</b> Used to output the name of the thread that generated the logging event.
* - <b>x</b> Used to output the NDC (nested diagnostic context) associated with
* the thread that generated the logging event.
* - <b>X</b> Used to output the MDC (mapped diagnostic context) associated with
* the thread that generated the logging event.
* The X conversion character must be followed by the key for the map placed between braces,
* as in <i>%X{clientNumber}</i> where clientNumber is the key.
* The value in the MDC corresponding to the key will be output.
* See {@link LoggerMDC} class for more details.
* - <b>%</b> The sequence %% outputs a single percent sign.
*
* <p>By default the relevant information is output as is.
* However, with the aid of format modifiers it is possible to change the minimum field width,
* the maximum field width and justification.</p>
*
* <p>The optional format modifier is placed between the percent sign and the conversion character.</p>
* <p>The first optional format modifier is the left justification flag which is just the minus (-) character.
* Then comes the optional minimum field width modifier.
* This is a decimal constant that represents the minimum number of characters to output.
* If the data item requires fewer characters, it is padded on either the left or the right until the minimum width is reached. The default is to pad on the left (right justify) but you can specify right padding with the left justification flag. The padding character is space. If the data item is larger than the minimum field width, the field is expanded to accommodate the data.
* The value is never truncated.</p>
*
* <p>This behavior can be changed using the maximum field width modifier which is designated by a period
* followed by a decimal constant.
* If the data item is longer than the maximum field,
* then the extra characters are removed from the beginning of the data item and not from the end.
* For example, it the maximum field width is eight and the data item is ten characters long,
* then the first two characters of the data item are dropped.
* This behavior deviates from the printf function in C where truncation is done from the end.</p>
*
* <p>Below are various format modifier examples for the category conversion specifier.</p>
* <pre>
* Format modifier left justify minimum width maximum width comment
* %20c false 20 none Left pad with spaces if the category name
* is less than 20 characters long.
* %-20c true 20 none Right pad with spaces if the category name
* is less than 20 characters long.
* %.30c NA none 30 Truncate from the beginning if the category name
* is longer than 30 characters.
* %20.30c false 20 30 Left pad with spaces if the category name
* is shorter than 20 characters.
* However, if category name is longer than 30 chars,
* then truncate from the beginning.
* %-20.30c true 20 30 Right pad with spaces if the category name is
* shorter than 20 chars.
* However, if category name is longer than 30 chars,
* then truncate from the beginning.
* </pre>
*
* @author VxR <vxr@vxr.it>
* @version $Revision: 1.7 $
* @package log4php
* @subpackage layouts
* @since 0.3
*/
class LoggerPatternLayout extends LoggerLayout {
/**
* @var string output buffer appended to when format() is invoked
*/
var $sbuf;
/**
* @var string
*/
var $pattern;
/**
* @var LoggerPatternConverter head chain
*/
var $head;
var $timezone;
/**
* Constructs a PatternLayout using the
* {@link LOG4PHP_LOGGER_PATTERN_LAYOUT_DEFAULT_LAYOUT_PATTERN}.
* The default pattern just produces the application supplied message.
*/
function LoggerPatternLayout($pattern = null)
{
if ($pattern === null) {
$this->LoggerPatternLayout(LOG4PHP_LOGGER_PATTERN_LAYOUT_DEFAULT_CONVERSION_PATTERN);
} else {
$this->pattern = $pattern;
}
}
/**
* Set the <b>ConversionPattern</b> option. This is the string which
* controls formatting and consists of a mix of literal content and
* conversion specifiers.
*/
function setConversionPattern($conversionPattern)
{
$this->pattern = $conversionPattern;
$patternParser = $this->createPatternParser($this->pattern);
$this->head = $patternParser->parse();
}
/**
* @return string Returns the value of the <b>ConversionPattern</b> option.
*/
function getConversionPattern()
{
return $this->pattern;
}
/**
* Does not do anything as options become effective
*/
function activateOptions()
{
// nothing to do.
}
function ignoresThrowable()
{
return true;
}
/**
* Returns LoggerPatternParser used to parse the conversion string. Subclasses
* may override this to return a subclass of PatternParser which recognize
* custom conversion characters.
*
* @param string $pattern
* @return LoggerPatternParser
*/
function createPatternParser($pattern)
{
return new LoggerPatternParser($pattern);
}
/**
* Produces a formatted string as specified by the conversion pattern.
*
* @param LoggerLoggingEvent $event
* @return string
*/
function format($event)
{
LoggerLog::debug("LoggerPatternLayout::format()");
// Reset working stringbuffer
$this->sbuf = '';
$c = $this->head;
while($c !== null) {
$c->format($this->sbuf, $event);
$c = $c->next;
}
return $this->sbuf;
}
}
?>

View File

@ -0,0 +1,206 @@
<?php
/**
* log4php is a PHP port of the log4j java logging package.
*
* <p>This framework is based on log4j (see {@link http://jakarta.apache.org/log4j log4j} for details).</p>
* <p>Design, strategies and part of the methods documentation are developed by log4j team
* (Ceki Gülcü as log4j project founder and
* {@link http://jakarta.apache.org/log4j/docs/contributors.html contributors}).</p>
*
* <p>PHP port, extensions and modifications by VxR. All rights reserved.<br>
* For more information, please see {@link http://www.vxr.it/log4php/}.</p>
*
* <p>This software is published under the terms of the LGPL License
* a copy of which has been included with this distribution in the LICENSE file.</p>
*
* @package log4php
* @subpackage layouts
*/
/**
* @ignore
*/
if (!defined('LOG4PHP_DIR')) define('LOG4PHP_DIR', dirname(__FILE__) . '/..');
define('LOG4PHP_LOGGER_XML_LAYOUT_LOG4J_NS_PREFIX', 'log4j');
define('LOG4PHP_LOGGER_XML_LAYOUT_LOG4J_NS', 'http://jakarta.apache.org/log4j/');
define('LOG4PHP_LOGGER_XML_LAYOUT_LOG4PHP_NS_PREFIX', 'log4php');
define('LOG4PHP_LOGGER_XML_LAYOUT_LOG4PHP_NS', 'http://www.vxr.it/log4php/');
/**
*/
require_once(LOG4PHP_DIR . '/helpers/LoggerOptionConverter.php');
require_once(LOG4PHP_DIR . '/helpers/LoggerTransform.php');
require_once(LOG4PHP_DIR . '/LoggerLayout.php');
/**
* The output of the LoggerXmlLayout consists of a series of log4php:event elements.
*
* <p>Parameters: {@link $locationInfo}.</p>
*
* <p>It does not output a complete well-formed XML file.
* The output is designed to be included as an external entity in a separate file to form
* a correct XML file.</p>
*
* @author VxR <vxr@vxr.it>
* @version $Revision: 1.16 $
* @package log4php
* @subpackage layouts
*/
class LoggerXmlLayout extends LoggerLayout {
/**
* The <b>LocationInfo</b> option takes a boolean value. By default,
* it is set to false which means there will be no location
* information output by this layout. If the the option is set to
* true, then the file name and line number of the statement at the
* origin of the log statement will be output.
* @var boolean
*/
var $locationInfo = true;
/**
* @var boolean set the elements namespace
*/
var $log4jNamespace = false;
/**
* @var string namespace
* @private
*/
var $_namespace = LOG4PHP_LOGGER_XML_LAYOUT_LOG4PHP_NS;
/**
* @var string namespace prefix
* @private
*/
var $_namespacePrefix = LOG4PHP_LOGGER_XML_LAYOUT_LOG4PHP_NS_PREFIX;
/**
* No options to activate.
*/
function activateOptions()
{
if ($this->getLog4jNamespace()) {
$this->_namespace = LOG4PHP_LOGGER_XML_LAYOUT_LOG4J_NS;
$this->_namespacePrefix = LOG4PHP_LOGGER_XML_LAYOUT_LOG4J_NS_PREFIX;
} else {
$this->_namespace = LOG4PHP_LOGGER_XML_LAYOUT_LOG4PHP_NS;
$this->_namespacePrefix = LOG4PHP_LOGGER_XML_LAYOUT_LOG4PHP_NS_PREFIX;
}
}
/**
* @return string
*/
function getHeader()
{
return "<{$this->_namespacePrefix}:eventSet ".
"xmlns:{$this->_namespacePrefix}=\"{$this->_namespace}\" ".
"version=\"0.3\" ".
"includesLocationInfo=\"".($this->getLocationInfo() ? "true" : "false")."\"".
">\r\n";
}
/**
* Formats a {@link LoggerLoggingEvent} in conformance with the log4php.dtd.
*
* @param LoggerLoggingEvent $event
* @return string
*/
function format($event)
{
$loggerName = $event->getLoggerName();
$timeStamp = number_format((float)($event->getTimeStamp() * 1000), 0, '', '');
$thread = $event->getThreadName();
$level = $event->getLevel();
$levelStr = $level->toString();
$buf = "<{$this->_namespacePrefix}:event logger=\"{$loggerName}\" level=\"{$levelStr}\" thread=\"{$thread}\" timestamp=\"{$timeStamp}\">\r\n";
$buf .= "<{$this->_namespacePrefix}:message><![CDATA[";
LoggerTransform::appendEscapingCDATA($buf, $event->getRenderedMessage());
$buf .= "]]></{$this->_namespacePrefix}:message>\r\n";
$ndc = $event->getNDC();
if($ndc != null) {
$buf .= "<{$this->_namespacePrefix}:NDC><![CDATA[";
LoggerTransform::appendEscapingCDATA($buf, $ndc);
$buf .= "]]></{$this->_namespacePrefix}:NDC>\r\n";
}
if ($this->getLocationInfo()) {
$locationInfo = $event->getLocationInformation();
$buf .= "<{$this->_namespacePrefix}:locationInfo ".
"class=\"" . $locationInfo->getClassName() . "\" ".
"file=\"" . htmlentities($locationInfo->getFileName(), ENT_QUOTES) . "\" ".
"line=\"" . $locationInfo->getLineNumber() . "\" ".
"method=\"" . $locationInfo->getMethodName() . "\" ";
$buf .= "/>\r\n";
}
$buf .= "</{$this->_namespacePrefix}:event>\r\n\r\n";
return $buf;
}
/**
* @return string
*/
function getFooter()
{
return "</{$this->_namespacePrefix}:eventSet>\r\n";
}
/**
* @return boolean
*/
function getLocationInfo()
{
return $this->locationInfo;
}
/**
* @return boolean
*/
function getLog4jNamespace()
{
return $this->log4jNamespace;
}
/**
* The XMLLayout prints and does not ignore exceptions. Hence the
* return value <b>false</b>.
* @return boolean
*/
function ignoresThrowable()
{
return false;
}
/**
* The {@link $locationInfo} option takes a boolean value. By default,
* it is set to false which means there will be no location
* information output by this layout. If the the option is set to
* true, then the file name and line number of the statement at the
* origin of the log statement will be output.
*/
function setLocationInfo($flag)
{
$this->locationInfo = LoggerOptionConverter::toBoolean($flag, true);
}
/**
* @param boolean
*/
function setLog4jNamespace($flag)
{
$this->log4jNamespace = LoggerOptionConverter::toBoolean($flag, true);
}
}
?>

View File

@ -0,0 +1,58 @@
<?php
/**
* log4php is a PHP port of the log4j java logging package.
*
* <p>This framework is based on log4j (see {@link http://jakarta.apache.org/log4j log4j} for details).</p>
* <p>Design, strategies and part of the methods documentation are developed by log4j team
* (Ceki Gülcü as log4j project founder and
* {@link http://jakarta.apache.org/log4j/docs/contributors.html contributors}).</p>
*
* <p>PHP port, extensions and modifications by VxR. All rights reserved.<br>
* For more information, please see {@link http://www.vxr.it/log4php/}.</p>
*
* <p>This software is published under the terms of the LGPL License
* a copy of which has been included with this distribution in the LICENSE file.</p>
*
* @package log4php
* @subpackage or
*/
/**
* @ignore
*/
if (!defined('LOG4PHP_DIR')) define('LOG4PHP_DIR', dirname(__FILE__) . '/..');
/**
*/
require_once(LOG4PHP_DIR . '/or/LoggerObjectRenderer.php');
/**
* The default Renderer renders objects by type casting
*
* @author VxR <vxr@vxr.it>
* @package log4php
* @subpackage or
* @since 0.3
*/
class LoggerDefaultRenderer extends LoggerObjectRenderer{
/**
* Constructor
*/
function LoggerDefaultRenderer()
{
return;
}
/**
* Render objects by type casting
*
* @param mixed $o the object to render
* @return string
*/
function doRender($o)
{
return var_export($o, true);
}
}
?>

View File

@ -0,0 +1,63 @@
<?php
/**
* log4php is a PHP port of the log4j java logging package.
*
* <p>This framework is based on log4j (see {@link http://jakarta.apache.org/log4j log4j} for details).</p>
* <p>Design, strategies and part of the methods documentation are developed by log4j team
* (Ceki Gülcü as log4j project founder and
* {@link http://jakarta.apache.org/log4j/docs/contributors.html contributors}).</p>
*
* <p>PHP port, extensions and modifications by VxR. All rights reserved.<br>
* For more information, please see {@link http://www.vxr.it/log4php/}.</p>
*
* <p>This software is published under the terms of the LGPL License
* a copy of which has been included with this distribution in the LICENSE file.</p>
*
* @package log4php
* @subpackage or
*/
/**
* @ignore
*/
if (!defined('LOG4PHP_DIR')) define('LOG4PHP_DIR', dirname(__FILE__) . '/..');
/**
* Subclass this abstract class in order to render objects as strings.
*
* @author VxR <vxr@vxr.it>
* @version $Revision: 1.3 $
* @package log4php
* @subpackage or
* @abstract
* @since 0.3
*/
class LoggerObjectRenderer {
/**
* @param string $class classname
* @return LoggerObjectRenderer create LoggerObjectRenderer instances
*/
function factory($class)
{
if (!empty($class)) {
$class = basename($class);
@include_once(LOG4PHP_DIR . "/or/{$class}.php");
if (class_exists($class)) {
return new $class();
}
}
return null;
}
/**
* Render the entity passed as parameter as a String.
* @param mixed $o entity to render
* @return string
*/
function doRender($o)
{
// abstract
}
}
?>

View File

@ -0,0 +1,184 @@
<?php
/**
* log4php is a PHP port of the log4j java logging package.
*
* <p>This framework is based on log4j (see {@link http://jakarta.apache.org/log4j log4j} for details).</p>
* <p>Design, strategies and part of the methods documentation are developed by log4j team
* (Ceki Gülcü as log4j project founder and
* {@link http://jakarta.apache.org/log4j/docs/contributors.html contributors}).</p>
*
* <p>PHP port, extensions and modifications by VxR. All rights reserved.<br>
* For more information, please see {@link http://www.vxr.it/log4php/}.</p>
*
* <p>This software is published under the terms of the LGPL License
* a copy of which has been included with this distribution in the LICENSE file.</p>
*
* @package log4php
* @subpackage or
*/
/**
* @ignore
*/
if (!defined('LOG4PHP_DIR')) define('LOG4PHP_DIR', dirname(__FILE__) . '/..');
/**
*/
require_once(LOG4PHP_DIR . '/or/LoggerDefaultRenderer.php');
require_once(LOG4PHP_DIR . '/or/LoggerObjectRenderer.php');
require_once(LOG4PHP_DIR . '/LoggerLog.php');
/**
* Map class objects to an {@link LoggerObjectRenderer}.
*
* @author VxR <vxr@vxr.it>
* @version $Revision: 1.4 $
* @package log4php
* @subpackage or
* @since 0.3
*/
class LoggerRendererMap {
/**
* @var array
*/
var $map;
/**
* @var LoggerDefaultRenderer
*/
var $defaultRenderer;
/**
* Constructor
*/
function LoggerRendererMap()
{
$this->map = array();
$this->defaultRenderer = new LoggerDefaultRenderer();
}
/**
* Add a renderer to a hierarchy passed as parameter.
* Note that hierarchy must implement getRendererMap() and setRenderer() methods.
*
* @param LoggerHierarchy &$repository a logger repository.
* @param string &$renderedClassName
* @param string &$renderingClassName
* @static
*/
function addRenderer(&$repository, $renderedClassName, $renderingClassName)
{
LoggerLog::debug("LoggerRendererMap::addRenderer() Rendering class: [{$renderingClassName}], Rendered class: [{$renderedClassName}].");
$renderer = LoggerObjectRenderer::factory($renderingClassName);
if($renderer == null) {
LoggerLog::warn("LoggerRendererMap::addRenderer() Could not instantiate renderer [{$renderingClassName}].");
return;
} else {
$repository->setRenderer($renderedClassName, $renderer);
}
}
/**
* Find the appropriate renderer for the class type of the
* <var>o</var> parameter.
*
* This is accomplished by calling the {@link getByObject()}
* method if <var>o</var> is object or using {@link LoggerDefaultRenderer}.
* Once a renderer is found, it is applied on the object <var>o</var> and
* the result is returned as a string.
*
* @param mixed $o
* @return string
*/
function findAndRender($o)
{
if($o == null) {
return null;
} else {
if (is_object($o)) {
$renderer = $this->getByObject($o);
if ($renderer !== null) {
return $renderer->doRender($o);
} else {
return null;
}
} else {
$renderer = $this->defaultRenderer;
return $renderer->doRender($o);
}
}
}
/**
* Syntactic sugar method that calls {@link PHP_MANUAL#get_class} with the
* class of the object parameter.
*
* @param mixed $o
* @return string
*/
function &getByObject($o)
{
return ($o == null) ? null : $this->getByClassName(get_class($o));
}
/**
* Search the parents of <var>clazz</var> for a renderer.
*
* The renderer closest in the hierarchy will be returned. If no
* renderers could be found, then the default renderer is returned.
*
* @param string $class
* @return LoggerObjectRenderer
*/
function &getByClassName($class)
{
$r = null;
for($c = strtolower($class); !empty($c); $c = get_parent_class($c)) {
if (isset($this->map[$c])) {
return $this->map[$c];
}
}
return $this->defaultRenderer;
}
/**
* @return LoggerDefaultRenderer
*/
function &getDefaultRenderer()
{
return $this->defaultRenderer;
}
function clear()
{
$this->map = array();
}
/**
* Register a {@link LoggerObjectRenderer} for <var>clazz</var>.
* @param string $class
* @param LoggerObjectRenderer $or
*/
function put($class, $or)
{
$this->map[strtolower($class)] = $or;
}
/**
* @param string $class
* @return boolean
*/
function rendererExists($class)
{
$class = basename($class);
if (!class_exists($class)) {
@include_once(LOG4PHP_DIR ."/or/{$class}.php");
}
return class_exists($class);
}
}
?>

View File

@ -0,0 +1,65 @@
<?php
/**
* log4php is a PHP port of the log4j java logging package.
*
* <p>This framework is based on log4j (see {@link http://jakarta.apache.org/log4j log4j} for details).</p>
* <p>Design, strategies and part of the methods documentation are developed by log4j team
* (Ceki Gülcü as log4j project founder and
* {@link http://jakarta.apache.org/log4j/docs/contributors.html contributors}).</p>
*
* <p>PHP port, extensions and modifications by VxR. All rights reserved.<br>
* For more information, please see {@link http://www.vxr.it/log4php/}.</p>
*
* <p>This software is published under the terms of the LGPL License
* a copy of which has been included with this distribution in the LICENSE file.</p>
*
* @package log4php
* @subpackage spi
*/
/**
* @ignore
*/
if (!defined('LOG4PHP_DIR')) define('LOG4PHP_DIR', dirname(__FILE__));
/**
* Special level value signifying inherited behaviour. The current
* value of this string constant is <b>inherited</b>.
* {@link LOG4PHP_LOGGER_CONFIGURATOR_NULL} is a synonym.
*/
define('LOG4PHP_LOGGER_CONFIGURATOR_INHERITED', 'inherited');
/**
* Special level signifying inherited behaviour, same as
* {@link LOG4PHP_LOGGER_CONFIGURATOR_INHERITED}.
* The current value of this string constant is <b>null</b>.
*/
define('LOG4PHP_LOGGER_CONFIGURATOR_NULL', 'null');
/**
* Implemented by classes capable of configuring log4php using a URL.
*
* @author VxR <vxr@vxr.it>
* @version $Revision: 1.2 $
* @package log4php
* @subpackage spi
* @since 0.5
* @abstract
*/
class LoggerConfigurator {
/**
* Interpret a resource pointed by a <var>url</var> and configure accordingly.
*
* The configuration is done relative to the <var>repository</var>
* parameter.
*
* @param string $url The URL to parse
* @param LoggerHierarchy &$repository The hierarchy to operation upon.
*/
function doConfigure($url, &$repository)
{
return;
}
}
?>

View File

@ -0,0 +1,52 @@
<?php
/**
* log4php is a PHP port of the log4j java logging package.
*
* <p>This framework is based on log4j (see {@link http://jakarta.apache.org/log4j log4j} for details).</p>
* <p>Design, strategies and part of the methods documentation are developed by log4j team
* (Ceki Gülcü as log4j project founder and
* {@link http://jakarta.apache.org/log4j/docs/contributors.html contributors}).</p>
*
* <p>PHP port, extensions and modifications by VxR. All rights reserved.<br>
* For more information, please see {@link http://www.vxr.it/log4php/}.</p>
*
* <p>This software is published under the terms of the LGPL License
* a copy of which has been included with this distribution in the LICENSE file.</p>
*
* @package log4php
* @subpackage spi
*/
/**
* @ignore
*/
if (!defined('LOG4PHP_DIR')) define('LOG4PHP_DIR', dirname(__FILE__));
require_once(LOG4PHP_DIR . '/LoggerLog.php');
/**
* Extend and implement this abstract class to create new instances of
* {@link Logger} or a sub-class of {@link Logger}.
*
* @author VxR <vxr@vxr.it>
* @version $Revision: 1.3 $
* @package log4php
* @subpackage spi
* @since 0.5
* @abstract
*/
class LoggerFactory {
/**
* @abstract
* @param string $name
* @return Logger
*/
function makeNewLoggerInstance($name)
{
LoggerLog::warn("LoggerFactory:: makeNewLoggerInstance() is abstract.");
return null;
}
}
?>

View File

@ -0,0 +1,113 @@
<?php
/**
* log4php is a PHP port of the log4j java logging package.
*
* <p>This framework is based on log4j (see {@link http://jakarta.apache.org/log4j log4j} for details).</p>
* <p>Design, strategies and part of the methods documentation are developed by log4j team
* (Ceki Gülcü as log4j project founder and
* {@link http://jakarta.apache.org/log4j/docs/contributors.html contributors}).</p>
*
* <p>PHP port, extensions and modifications by VxR. All rights reserved.<br>
* For more information, please see {@link http://www.vxr.it/log4php/}.</p>
*
* <p>This software is published under the terms of the LGPL License
* a copy of which has been included with this distribution in the LICENSE file.</p>
*
* @package log4php
* @subpackage spi
*/
/**
* @ignore
*/
if (!defined('LOG4PHP_DIR')) define('LOG4PHP_DIR', dirname(__FILE__) . '/..');
/**
* The log event must be logged immediately without consulting with
* the remaining filters, if any, in the chain.
*/
define('LOG4PHP_LOGGER_FILTER_ACCEPT', 1);
/**
* This filter is neutral with respect to the log event. The
* remaining filters, if any, should be consulted for a final decision.
*/
define('LOG4PHP_LOGGER_FILTER_NEUTRAL', 0);
/**
* The log event must be dropped immediately without consulting
* with the remaining filters, if any, in the chain.
*/
define('LOG4PHP_LOGGER_FILTER_DENY', -1);
/**
* Users should extend this class to implement customized logging
* event filtering. Note that {@link LoggerCategory} and {@link LoggerAppenderSkeleton},
* the parent class of all standard
* appenders, have built-in filtering rules. It is suggested that you
* first use and understand the built-in rules before rushing to write
* your own custom filters.
*
* <p>This abstract class assumes and also imposes that filters be
* organized in a linear chain. The {@link #decide
* decide(LoggerLoggingEvent)} method of each filter is called sequentially,
* in the order of their addition to the chain.
*
* <p>The {@link decide()} method must return one
* of the integer constants {@link LOG4PHP_LOG4PHP_LOGGER_FILTER_DENY},
* {@link LOG4PHP_LOGGER_FILTER_NEUTRAL} or {@link LOG4PHP_LOGGER_FILTER_ACCEPT}.
*
* <p>If the value {@link LOG4PHP_LOGGER_FILTER_DENY} is returned, then the log event is
* dropped immediately without consulting with the remaining
* filters.
*
* <p>If the value {@link LOG4PHP_LOGGER_FILTER_NEUTRAL} is returned, then the next filter
* in the chain is consulted. If there are no more filters in the
* chain, then the log event is logged. Thus, in the presence of no
* filters, the default behaviour is to log all logging events.
*
* <p>If the value {@link LOG4PHP_LOGGER_FILTER_ACCEPT} is returned, then the log
* event is logged without consulting the remaining filters.
*
* <p>The philosophy of log4php filters is largely inspired from the
* Linux ipchains.
*
* @author VxR <vxr@vxr.it>
* @version $Revision: 1.4 $
* @package log4php
* @subpackage spi
*/
class LoggerFilter {
/**
* @var LoggerFilter Points to the next {@link LoggerFilter} in the filter chain.
*/
var $next;
/**
* Usually filters options become active when set. We provide a
* default do-nothing implementation for convenience.
*/
function activateOptions()
{
return;
}
/**
* Decide what to do.
* <p>If the decision is {@link LOG4PHP_LOGGER_FILTER_DENY}, then the event will be
* dropped. If the decision is {@link LOG4PHP_LOGGER_FILTER_NEUTRAL}, then the next
* filter, if any, will be invoked. If the decision is {@link LOG4PHP_LOGGER_FILTER_ACCEPT} then
* the event will be logged without consulting with other filters in
* the chain.
*
* @param LoggerLoggingEvent $event The {@link LoggerLoggingEvent} to decide upon.
* @return integer {@link LOG4PHP_LOGGER_FILTER_NEUTRAL} or {@link LOG4PHP_LOGGER_FILTER_DENY}|{@link LOG4PHP_LOGGER_FILTER_ACCEPT}
*/
function decide($event)
{
return LOG4PHP_LOGGER_FILTER_NEUTRAL;
}
}
?>

View File

@ -0,0 +1,116 @@
<?php
/**
* log4php is a PHP port of the log4j java logging package.
*
* <p>This framework is based on log4j (see {@link http://jakarta.apache.org/log4j log4j} for details).</p>
* <p>Design, strategies and part of the methods documentation are developed by log4j team
* (Ceki Gülcü as log4j project founder and
* {@link http://jakarta.apache.org/log4j/docs/contributors.html contributors}).</p>
*
* <p>PHP port, extensions and modifications by VxR. All rights reserved.<br>
* For more information, please see {@link http://www.vxr.it/log4php/}.</p>
*
* <p>This software is published under the terms of the LGPL License
* a copy of which has been included with this distribution in the LICENSE file.</p>
*
* @package log4php
* @subpackage spi
*/
/**
* @ignore
*/
if (!defined('LOG4PHP_DIR')) define('LOG4PHP_DIR', dirname(__FILE__) . '/..');
/**
* When location information is not available the constant
* <i>NA</i> is returned. Current value of this string
* constant is <b>?</b>.
*/
define('LOG4PHP_LOGGER_LOCATION_INFO_NA', 'NA');
/**
* The internal representation of caller location information.
*
* @author VxR <vxr@vxr.it>
* @version $Revision: 1.5 $
* @package log4php
* @subpackage spi
* @since 0.3
*/
class LoggerLocationInfo {
/**
* @var string Caller's line number.
*/
var $lineNumber = null;
/**
* @var string Caller's file name.
*/
var $fileName = null;
/**
* @var string Caller's fully qualified class name.
*/
var $className = null;
/**
* @var string Caller's method name.
*/
var $methodName = null;
/**
* @var string
*/
var $fullInfo = null;
/**
* Instantiate location information based on a {@link PHP_MANUAL#debug_backtrace}.
*
* @param array $trace
* @param mixed $caller
*/
function LoggerLocationInfo($trace, $fqcn = null)
{
$this->lineNumber = isset($trace['line']) ? $trace['line'] : null;
$this->fileName = isset($trace['file']) ? $trace['file'] : null;
$this->className = isset($trace['class']) ? $trace['class'] : null;
$this->methodName = isset($trace['function']) ? $trace['function'] : null;
$this->fullInfo = $this->getClassName() . '.' . $this->getMethodName() .
'(' . $this->getFileName() . ':' . $this->getLineNumber() . ')';
}
function getClassName()
{
return ($this->className === null) ? LOG4PHP_LOGGER_LOCATION_INFO_NA : $this->className;
}
/**
* Return the file name of the caller.
* <p>This information is not always available.
*/
function getFileName()
{
return ($this->fileName === null) ? LOG4PHP_LOGGER_LOCATION_INFO_NA : $this->fileName;
}
/**
* Returns the line number of the caller.
* <p>This information is not always available.
*/
function getLineNumber()
{
return ($this->lineNumber === null) ? LOG4PHP_LOGGER_LOCATION_INFO_NA : $this->lineNumber;
}
/**
* Returns the method name of the caller.
*/
function getMethodName()
{
return ($this->methodName === null) ? LOG4PHP_LOGGER_LOCATION_INFO_NA : $this->methodName;
}
}
?>

View File

@ -0,0 +1,384 @@
<?php
/**
* log4php is a PHP port of the log4j java logging package.
*
* <p>This framework is based on log4j (see {@link http://jakarta.apache.org/log4j log4j} for details).</p>
* <p>Design, strategies and part of the methods documentation are developed by log4j team
* (Ceki Gülcü as log4j project founder and
* {@link http://jakarta.apache.org/log4j/docs/contributors.html contributors}).</p>
*
* <p>PHP port, extensions and modifications by VxR. All rights reserved.<br>
* For more information, please see {@link http://www.vxr.it/log4php/}.</p>
*
* <p>This software is published under the terms of the LGPL License
* a copy of which has been included with this distribution in the LICENSE file.</p>
*
* @package log4php
* @subpackage spi
*/
/**
* @ignore
*/
if (!defined('LOG4PHP_DIR')) define('LOG4PHP_DIR', dirname(__FILE__) . '/..');
/**
*/
require_once(LOG4PHP_DIR . '/spi/LoggerLocationInfo.php');
require_once(LOG4PHP_DIR . '/LoggerManager.php');
require_once(LOG4PHP_DIR . '/LoggerMDC.php');
require_once(LOG4PHP_DIR . '/LoggerNDC.php');
/**
* The internal representation of logging event.
*
* @author VxR <vxr@vxr.it>
* @version $Revision: 1.16 $
* @package log4php
* @subpackage spi
*/
class LoggerLoggingEvent {
/**
* @var string Fully Qualified Class Name of the calling category class.
*/
var $fqcn;
/**
* @var Logger reference
*/
var $logger = null;
/**
* The category (logger) name.
* This field will be marked as private in future
* releases. Please do not access it directly.
* Use the {@link getLoggerName()} method instead.
* @deprecated
*/
var $categoryName;
/**
* Level of logging event.
* <p> This field should not be accessed directly. You shoud use the
* {@link getLevel()} method instead.
*
* @deprecated
* @var LoggerLevel
*/
var $level;
/**
* @var string The nested diagnostic context (NDC) of logging event.
*/
var $ndc;
/**
* Have we tried to do an NDC lookup? If we did, there is no need
* to do it again. Note that its value is always false when
* serialized. Thus, a receiving SocketNode will never use it's own
* (incorrect) NDC. See also writeObject method.
* @var boolean
*/
var $ndcLookupRequired = true;
/**
* Have we tried to do an MDC lookup? If we did, there is no need
* to do it again. Note that its value is always false when
* serialized. See also the getMDC and getMDCCopy methods.
* @var boolean
*/
var $mdcCopyLookupRequired = true;
/**
* @var mixed The application supplied message of logging event.
*/
var $message;
/**
* The application supplied message rendered through the log4php
* objet rendering mechanism. At present renderedMessage == message.
* @var string
*/
var $renderedMessage;
/**
* The name of thread in which this logging event was generated.
* log4php saves here the process id via {@link PHP_MANUAL#getmypid getmypid()}
* @var mixed
*/
var $threadName = null;
/**
* The number of seconds elapsed from 1/1/1970 until logging event
* was created plus microseconds if available.
* @var float
*/
var $timeStamp;
/**
* @var LoggerLocationInfo Location information for the caller.
*/
var $locationInfo = null;
// Serialization
/*
var $serialVersionUID = -868428216207166145L;
var $PARAM_ARRAY = array();
var $TO_LEVEL = "toLevel";
var $TO_LEVEL_PARAMS = null;
var $methodCache = array(); // use a tiny table
*/
/**
* Instantiate a LoggingEvent from the supplied parameters.
*
* <p>Except {@link $timeStamp} all the other fields of
* LoggerLoggingEvent are filled when actually needed.
*
* @param string $fqcn name of the caller class.
* @param mixed &$logger The {@link Logger} category of this event or the logger name.
* @param LoggerLevel $priority The level of this event.
* @param mixed $message The message of this event.
* @param integer $timeStamp the timestamp of this logging event.
*/
function LoggerLoggingEvent($fqcn, &$logger, $priority, $message, $timeStamp = null)
{
$this->fqcn = $fqcn;
if (is_a($logger, 'logger')) {
$this->logger =& $logger;
$this->categoryName = $logger->getName();
} else {
$this->categoryName = (string)$logger;
}
$this->level = $priority;
$this->message = $message;
if ($timeStamp !== null and is_float($timeStamp)) {
$this->timeStamp = $timeStamp;
} else {
if (function_exists('microtime')) {
list($usecs, $secs) = explode(' ', microtime());
$this->timeStamp = ((float)$usecs + (float)$secs);
} else {
$this->timeStamp = time();
}
}
}
/**
* Set the location information for this logging event. The collected
* information is cached for future use.
*
* <p>This method uses {@link PHP_MANUAL#debug_backtrace debug_backtrace()} function (if exists)
* to collect informations about caller.</p>
* <p>It only recognize informations generated by {@link Logger} and its subclasses.</p>
* @return LoggerLocationInfo
*/
function getLocationInformation()
{
if($this->locationInfo === null) {
$locationInfo = array();
if (function_exists('debug_backtrace')) {
$trace = debug_backtrace();
$prevHop = null;
// make a downsearch to identify the caller
$hop = array_pop($trace);
while ($hop !== null) {
$className = @$hop['class'];
if ( !empty($className) and ($className == 'logger' or get_parent_class($className) == 'logger') ) {
$locationInfo['line'] = $hop['line'];
$locationInfo['file'] = $hop['file'];
break;
}
$prevHop = $hop;
$hop = array_pop($trace);
}
$locationInfo['class'] = isset($prevHop['class']) ? $prevHop['class'] : 'main';
if (isset($prevHop['function']) and
$prevHop['function'] !== 'include' and
$prevHop['function'] !== 'include_once' and
$prevHop['function'] !== 'require' and
$prevHop['function'] !== 'require_once') {
$locationInfo['function'] = $prevHop['function'];
} else {
$locationInfo['function'] = 'main';
}
}
$this->locationInfo = new LoggerLocationInfo($locationInfo, $this->fqcn);
}
return $this->locationInfo;
}
/**
* Return the level of this event. Use this form instead of directly
* accessing the {@link $level} field.
* @return LoggerLevel
*/
function getLevel()
{
return $this->level;
}
/**
* Return the name of the logger. Use this form instead of directly
* accessing the {@link $categoryName} field.
* @return string
*/
function getLoggerName()
{
return $this->categoryName;
}
/**
* Return the message for this logging event.
*
* <p>Before serialization, the returned object is the message
* passed by the user to generate the logging event. After
* serialization, the returned value equals the String form of the
* message possibly after object rendering.
* @return mixed
*/
function getMessage()
{
if($this->message !== null) {
return $this->message;
} else {
return $this->getRenderedMessage();
}
}
/**
* This method returns the NDC for this event. It will return the
* correct content even if the event was generated in a different
* thread or even on a different machine. The {@link LoggerNDC::get()} method
* should <b>never</b> be called directly.
* @return string
*/
function getNDC()
{
if ($this->ndcLookupRequired) {
$this->ndcLookupRequired = false;
$this->ndc = implode(' ',LoggerNDC::get());
}
return $this->ndc;
}
/**
* Returns the the context corresponding to the <code>key</code>
* parameter.
* @return string
*/
function getMDC($key)
{
return LoggerMDC::get($key);
}
/**
* Render message.
* @return string
*/
function getRenderedMessage()
{
if($this->renderedMessage === null and $this->message !== null) {
if (is_string($this->message)) {
$this->renderedMessage = $this->message;
} else {
if ($this->logger !== null) {
$repository =& $this->logger->getLoggerRepository();
} else {
$repository =& LoggerManager::getLoggerRepository();
}
if (method_exists($repository, 'getrenderermap')) {
$rendererMap =& $repository->getRendererMap();
$this->renderedMessage= $rendererMap->findAndRender($this->message);
} else {
$this->renderedMessage = (string)$this->message;
}
}
}
return $this->renderedMessage;
}
/**
* Returns the time when the application started, in seconds
* elapsed since 01.01.1970 plus microseconds if available.
*
* @return float
* @static
*/
function getStartTime()
{
static $startTime;
if (!isset($startTime)) {
if (function_exists('microtime')) {
list($usec, $sec) = explode(' ', microtime());
$startTime = ((float)$usec + (float)$sec);
} else {
$startTime = time();
}
}
return $startTime;
}
/**
* @return float
*/
function getTimeStamp()
{
return $this->timeStamp;
}
/**
* @return mixed
*/
function getThreadName()
{
if ($this->threadName === null)
$this->threadName = (string)getmypid();
return $this->threadName;
}
/**
* @return mixed null
*/
function getThrowableInformation()
{
return null;
}
/**
* Serialize this object
* @return string
*/
function toString()
{
serialize($this);
}
/**
* Avoid serialization of the {@link $logger} object
*/
function __sleep()
{
return array(
'fqcn','categoryName',
'level',
'ndc','ndcLookupRequired',
'message','renderedMessage',
'threadName',
'timestamp',
'locationInfo'
);
}
}
LoggerLoggingEvent::getStartTime();
?>

View File

@ -0,0 +1,57 @@
<?php
/**
* log4php is a PHP port of the log4j java logging package.
*
* <p>This framework is based on log4j (see {@link http://jakarta.apache.org/log4j log4j} for details).</p>
* <p>Design, strategies and part of the methods documentation are developed by log4j team
* (Ceki Gülcü as log4j project founder and
* {@link http://jakarta.apache.org/log4j/docs/contributors.html contributors}).</p>
*
* <p>PHP port, extensions and modifications by VxR. All rights reserved.<br>
* For more information, please see {@link http://www.vxr.it/log4php/}.</p>
*
* <p>This software is published under the terms of the LGPL License
* a copy of which has been included with this distribution in the LICENSE file.</p>
*
* @package log4php
* @subpackage varia
*/
/**
* @ignore
*/
if (!defined('LOG4PHP_DIR')) define('LOG4PHP_DIR', dirname(__FILE__) . '/..');
/**
*/
require_once(LOG4PHP_DIR . '/spi/LoggerFilter.php');
/**
* This filter drops all logging events.
*
* <p>You can add this filter to the end of a filter chain to
* switch from the default "accept all unless instructed otherwise"
* filtering behaviour to a "deny all unless instructed otherwise"
* behaviour.</p>
*
* @author VxR <vxr@vxr.it>
* @version $Revision: 1.4 $
* @package log4php
* @subpackage varia
* @since 0.3
*/
class LoggerDenyAllFilter extends LoggerFilter {
/**
* Always returns the integer constant {@link LOG4PHP_LOGGER_FILTER_DENY}
* regardless of the {@link LoggerLoggingEvent} parameter.
*
* @param LoggerLoggingEvent $event The {@link LoggerLoggingEvent} to filter.
* @return LOG4PHP_LOGGER_FILTER_DENY Always returns {@link LOG4PHP_LOGGER_FILTER_DENY}
*/
function decide($event)
{
return LOG4PHP_LOGGER_FILTER_DENY;
}
}
?>

View File

@ -0,0 +1,119 @@
<?php
/**
* log4php is a PHP port of the log4j java logging package.
*
* <p>This framework is based on log4j (see {@link http://jakarta.apache.org/log4j log4j} for details).</p>
* <p>Design, strategies and part of the methods documentation are developed by log4j team
* (Ceki Gülcü as log4j project founder and
* {@link http://jakarta.apache.org/log4j/docs/contributors.html contributors}).</p>
*
* <p>PHP port, extensions and modifications by VxR. All rights reserved.<br>
* For more information, please see {@link http://www.vxr.it/log4php/}.</p>
*
* <p>This software is published under the terms of the LGPL License
* a copy of which has been included with this distribution in the LICENSE file.</p>
*
* @package log4php
* @subpackage varia
*/
/**
* @ignore
*/
if (!defined('LOG4PHP_DIR')) define('LOG4PHP_DIR', dirname(__FILE__) . '/..');
/**
*/
require_once(LOG4PHP_DIR . '/helpers/LoggerOptionConverter.php');
require_once(LOG4PHP_DIR . '/spi/LoggerFilter.php');
/**
* This is a very simple filter based on level matching.
*
* <p>The filter admits two options <b><var>LevelToMatch</var></b> and
* <b><var>AcceptOnMatch</var></b>. If there is an exact match between the value
* of the <b><var>LevelToMatch</var></b> option and the level of the
* {@link LoggerLoggingEvent}, then the {@link decide()} method returns
* {@link LOG4PHP_LOGGER_FILTER_ACCEPT} in case the <b><var>AcceptOnMatch</var></b>
* option value is set to <i>true</i>, if it is <i>false</i> then
* {@link LOG4PHP_LOGGER_FILTER_DENY} is returned. If there is no match,
* {@link LOG4PHP_LOGGER_FILTER_NEUTRAL} is returned.</p>
*
* @author VxR <vxr@vxr.it>
* @version $Revision: 1.2 $
* @package log4php
* @subpackage varia
* @since 0.6
*/
class LoggerLevelMatchFilter extends LoggerFilter {
/**
* @var boolean
*/
var $acceptOnMatch = true;
/**
* @var LoggerLevel
*/
var $levelToMatch;
/**
* @return boolean
*/
function getAcceptOnMatch()
{
return $this->acceptOnMatch;
}
/**
* @param boolean $acceptOnMatch
*/
function setAcceptOnMatch($acceptOnMatch)
{
$this->acceptOnMatch = LoggerOptionConverter::toBoolean($acceptOnMatch, true);
}
/**
* @return LoggerLevel
*/
function getLevelToMatch()
{
return $this->levelToMatch;
}
/**
* @param string $l the level to match
*/
function setLevelToMatch($l)
{
$this->levelToMatch = LoggerOptionConverter::toLevel($l, null);
}
/**
* Return the decision of this filter.
*
* Returns {@link LOG4PHP_LOGGER_FILTER_NEUTRAL} if the <b><var>LevelToMatch</var></b>
* option is not set or if there is not match. Otherwise, if there is a
* match, then the returned decision is {@link LOG4PHP_LOGGER_FILTER_ACCEPT} if the
* <b><var>AcceptOnMatch</var></b> property is set to <i>true</i>. The
* returned decision is {@link LOG4PHP_LOGGER_FILTER_DENY} if the
* <b><var>AcceptOnMatch</var></b> property is set to <i>false</i>.
*
* @param LoggerLoggingEvent $event
* @return integer
*/
function decide($event)
{
if($this->levelToMatch === null)
return LOG4PHP_LOGGER_FILTER_NEUTRAL;
if ($this->levelToMatch->equals($event->getLevel())) {
return $this->getAcceptOnMatch() ?
LOG4PHP_LOGGER_FILTER_ACCEPT :
LOG4PHP_LOGGER_FILTER_DENY;
} else {
return LOG4PHP_LOGGER_FILTER_NEUTRAL;
}
}
}
?>

View File

@ -0,0 +1,168 @@
<?php
/**
* log4php is a PHP port of the log4j java logging package.
*
* <p>This framework is based on log4j (see {@link http://jakarta.apache.org/log4j log4j} for details).</p>
* <p>Design, strategies and part of the methods documentation are developed by log4j team
* (Ceki Gülcü as log4j project founder and
* {@link http://jakarta.apache.org/log4j/docs/contributors.html contributors}).</p>
*
* <p>PHP port, extensions and modifications by VxR. All rights reserved.<br>
* For more information, please see {@link http://www.vxr.it/log4php/}.</p>
*
* <p>This software is published under the terms of the LGPL License
* a copy of which has been included with this distribution in the LICENSE file.</p>
*
* @package log4php
* @subpackage varia
*/
/**
* @ignore
*/
if (!defined('LOG4PHP_DIR')) define('LOG4PHP_DIR', dirname(__FILE__) . '/..');
/**
*/
require_once(LOG4PHP_DIR . '/helpers/LoggerOptionConverter.php');
require_once(LOG4PHP_DIR . '/spi/LoggerFilter.php');
/**
* This is a very simple filter based on level matching, which can be
* used to reject messages with priorities outside a certain range.
*
* <p>The filter admits three options <b><var>LevelMin</var></b>, <b><var>LevelMax</var></b>
* and <b><var>AcceptOnMatch</var></b>.</p>
*
* <p>If the level of the {@link LoggerLoggingEvent} is not between Min and Max
* (inclusive), then {@link LOG4PHP_LOGGER_FILTER_DENY} is returned.</p>
*
* <p>If the Logging event level is within the specified range, then if
* <b><var>AcceptOnMatch</var></b> is <i>true</i>,
* {@link LOG4PHP_LOGGER_FILTER_ACCEPT} is returned, and if
* <b><var>AcceptOnMatch</var></b> is <i>false</i>,
* {@link LOG4PHP_LOGGER_FILTER_NEUTRAL} is returned.</p>
*
* <p>If <b><var>LevelMin</var></b> is not defined, then there is no
* minimum acceptable level (ie a level is never rejected for
* being too "low"/unimportant). If <b><var>LevelMax</var></b> is not
* defined, then there is no maximum acceptable level (ie a
* level is never rejected for beeing too "high"/important).</p>
*
* <p>Refer to the {@link LoggerAppenderSkeleton::setThreshold()} method
* available to <b>all</b> appenders extending {@link LoggerAppenderSkeleton}
* for a more convenient way to filter out events by level.</p>
*
* @log4j-class org.apache.log4j.varia.LevelRangeFilter
* @log4j-author Simon Kitching
* @log4j-author based on code by Ceki G&uuml;lc&uuml;
*
* @author VxR <vxr@vxr.it>
* @version $Revision: 1.2 $
* @package log4php
* @subpackage varia
* @since 0.6
*/
class LoggerLevelRangeFilter extends LoggerFilter {
/**
* @var boolean
*/
var $acceptOnMatch = true;
/**
* @var LoggerLevel
*/
var $levelMin;
/**
* @var LoggerLevel
*/
var $levelMax;
/**
* @return boolean
*/
function getAcceptOnMatch()
{
return $this->acceptOnMatch;
}
/**
* @param boolean $acceptOnMatch
*/
function setAcceptOnMatch($acceptOnMatch)
{
$this->acceptOnMatch = LoggerOptionConverter::toBoolean($acceptOnMatch, true);
}
/**
* @return LoggerLevel
*/
function getLevelMin()
{
return $this->levelMin;
}
/**
* @param string $l the level min to match
*/
function setLevelMin($l)
{
$this->levelMin = LoggerOptionConverter::toLevel($l, null);
}
/**
* @return LoggerLevel
*/
function getLevelMax()
{
return $this->levelMax;
}
/**
* @param string $l the level max to match
*/
function setLevelMax($l)
{
$this->levelMax = LoggerOptionConverter::toLevel($l, null);
}
/**
* Return the decision of this filter.
*
* @param LoggerLoggingEvent $event
* @return integer
*/
function decide($event)
{
$level = $event->getLevel();
if($this->levelMin !== null) {
if ($level->isGreaterOrEqual($this->levelMin) == false) {
// level of event is less than minimum
return LOG4PHP_LOGGER_FILTER_DENY;
}
}
if($this->levelMax !== null) {
if ($level->toInt() > $this->levelMax->toInt()) {
// level of event is greater than maximum
// Alas, there is no Level.isGreater method. and using
// a combo of isGreaterOrEqual && !Equal seems worse than
// checking the int values of the level objects..
return LOG4PHP_LOGGER_FILTER_DENY;
}
}
if ($this->getAcceptOnMatch()) {
// this filter set up to bypass later filters and always return
// accept if level in range
return LOG4PHP_LOGGER_FILTER_ACCEPT;
} else {
// event is ok for this filter; allow later filters to have a look..
return LOG4PHP_LOGGER_FILTER_NEUTRAL;
}
}
}
?>

View File

@ -0,0 +1,108 @@
<?php
/**
* log4php is a PHP port of the log4j java logging package.
*
* <p>This framework is based on log4j (see {@link http://jakarta.apache.org/log4j log4j} for details).</p>
* <p>Design, strategies and part of the methods documentation are developed by log4j team
* (Ceki Gülcü as log4j project founder and
* {@link http://jakarta.apache.org/log4j/docs/contributors.html contributors}).</p>
*
* <p>PHP port, extensions and modifications by VxR. All rights reserved.<br>
* For more information, please see {@link http://www.vxr.it/log4php/}.</p>
*
* <p>This software is published under the terms of the LGPL License
* a copy of which has been included with this distribution in the LICENSE file.</p>
*
* @package log4php
* @subpackage varia
*/
/**
* @ignore
*/
if (!defined('LOG4PHP_DIR')) define('LOG4PHP_DIR', dirname(__FILE__) . '/..');
/**
*/
require_once(LOG4PHP_DIR . '/spi/LoggerFilter.php');
/**
* This is a very simple filter based on string matching.
*
* <p>The filter admits two options {@link $stringToMatch} and
* {@link $acceptOnMatch}. If there is a match (using {@link PHP_MANUAL#strpos}
* between the value of the {@link $stringToMatch} option and the message
* of the {@link LoggerLoggingEvent},
* then the {@link decide()} method returns {@link LOG4PHP_LOGGER_FILTER_ACCEPT} if
* the <b>AcceptOnMatch</b> option value is true, if it is false then
* {@link LOG4PHP_LOGGER_FILTER_DENY} is returned. If there is no match, {@link LOG4PHP_LOGGER_FILTER_NEUTRAL}
* is returned.</p>
*
* @author VxR <vxr@vxr.it>
* @version $Revision: 1.4 $
* @package log4php
* @subpackage varia
* @since 0.3
*/
class LoggerStringMatchFilter extends LoggerFilter {
/**
* @var boolean
*/
var $acceptOnMatch = true;
/**
* @var string
*/
var $stringToMatch = null;
/**
* @return boolean
*/
function getAcceptOnMatch()
{
return $this->acceptOnMatch;
}
/**
* @param mixed $acceptOnMatch a boolean or a string ('true' or 'false')
*/
function setAcceptOnMatch($acceptOnMatch)
{
$this->acceptOnMatch = is_bool($acceptOnMatch) ?
$acceptOnMatch :
(bool)(strtolower($acceptOnMatch) == 'true');
}
/**
* @return string
*/
function getStringToMatch()
{
return $this->stringToMatch;
}
/**
* @param string $s the string to match
*/
function setStringToMatch($s)
{
$this->stringToMatch = $s;
}
/**
* @return integer a {@link LOGGER_FILTER_NEUTRAL} is there is no string match.
*/
function decide($event)
{
$msg = $event->getRenderedMessage();
if($msg === null or $this->stringToMatch === null)
return LOG4PHP_LOGGER_FILTER_NEUTRAL;
if( strpos($msg, $this->stringToMatch) !== false ) {
return ($this->acceptOnMatch) ? LOG4PHP_LOGGER_FILTER_ACCEPT : LOG4PHP_LOGGER_FILTER_DENY ;
}
return LOG4PHP_LOGGER_FILTER_NEUTRAL;
}
}
?>

View File

@ -0,0 +1,609 @@
<?php
/**
* log4php is a PHP port of the log4j java logging package.
*
* <p>This framework is based on log4j (see {@link http://jakarta.apache.org/log4j log4j} for details).</p>
* <p>Design, strategies and part of the methods documentation are developed by log4j team
* (Ceki Gülcü as log4j project founder and
* {@link http://jakarta.apache.org/log4j/docs/contributors.html contributors}).</p>
*
* <p>PHP port, extensions and modifications by VxR. All rights reserved.<br>
* For more information, please see {@link http://www.vxr.it/log4php/}.</p>
*
* <p>This software is published under the terms of the LGPL License
* a copy of which has been included with this distribution in the LICENSE file.</p>
*
* @package log4php
* @subpackage xml
*/
/**
* @ignore
*/
if (!defined('LOG4PHP_DIR')) define('LOG4PHP_DIR', dirname(__FILE__) . '/..');
require_once(LOG4PHP_DIR . '/helpers/LoggerOptionConverter.php');
require_once(LOG4PHP_DIR . '/or/LoggerObjectRenderer.php');
require_once(LOG4PHP_DIR . '/spi/LoggerConfigurator.php');
require_once(LOG4PHP_DIR . '/LoggerAppender.php');
require_once(LOG4PHP_DIR . '/LoggerLayout.php');
require_once(LOG4PHP_DIR . '/LoggerLog.php');
require_once(LOG4PHP_DIR . '/LoggerManager.php');
define('LOG4PHP_LOGGER_DOM_CONFIGURATOR_APPENDER_STATE', 1000);
define('LOG4PHP_LOGGER_DOM_CONFIGURATOR_LAYOUT_STATE', 1010);
define('LOG4PHP_LOGGER_DOM_CONFIGURATOR_ROOT_STATE', 1020);
define('LOG4PHP_LOGGER_DOM_CONFIGURATOR_LOGGER_STATE', 1030);
define('LOG4PHP_LOGGER_DOM_CONFIGURATOR_FILTER_STATE', 1040);
define('LOG4PHP_LOGGER_DOM_CONFIGURATOR_DEFAULT_FILENAME', './log4php.xml');
/**
* @var string the default configuration document
*/
define('LOG4PHP_LOGGER_DOM_CONFIGURATOR_DEFAULT_CONFIGURATION',
'<?xml version="1.0" ?>
<log4php:configuration threshold="all">
<appender name="A1" class="LoggerAppenderEcho">
<layout class="LoggerLayoutSimple" />
</appender>
<root>
<level value="debug" />
<appender_ref ref="A1" />
</root>
</log4php:configuration>');
/**
* @var string the elements namespace
*/
define('LOG4PHP_LOGGER_DOM_CONFIGURATOR_XMLNS', 'HTTP://WWW.VXR.IT/LOG4PHP/');
/**
* Use this class to initialize the log4php environment using expat parser.
*
* <p>Read the log4php.dtd included in the documentation directory. Note that
* php parser does not validate the document.</p>
*
* <p>Sometimes it is useful to see how log4php is reading configuration
* files. You can enable log4php internal logging by setting the <var>debug</var>
* attribute in the <var>log4php:configuration</var> element. As in
* <pre>
* &lt;log4php:configuration <b>debug="true"</b> xmlns:log4php="http://www.vxr.it/log4php/">
* ...
* &lt;/log4php:configuration>
* </pre>
*
* <p>There are sample XML files included in the package under <b>tests/</b>
* subdirectories.</p>
*
* @author VxR <vxr@vxr.it>
* @version $Revision: 1.12 $
* @package log4php
* @subpackage xml
* @since 0.4
*/
class LoggerDOMConfigurator extends LoggerConfigurator {
/**
* @var LoggerHierarchy
*/
var $repository;
/**
* @var array state stack
*/
var $state;
/**
* @var Logger parsed Logger
*/
var $logger;
/**
* @var LoggerAppender parsed LoggerAppender
*/
var $appender;
/**
* @var LoggerFilter parsed LoggerFilter
*/
var $filter;
/**
* @var LoggerLayout parsed LoggerLayout
*/
var $layout;
/**
* Constructor
*/
function LoggerDOMConfigurator()
{
$this->state = array();
$this->logger = null;
$this->appender = null;
$this->filter = null;
$this->layout = null;
}
/**
* Configure the default repository using the resource pointed by <b>url</b>.
* <b>Url</b> is any valid resurce as defined in {@link PHP_MANUAL#file} function.
* Note that the resource will be search with <i>use_include_path</i> parameter
* set to "1".
*
* @param string $url
* @static
*/
function configure($url = '')
{
$configurator = new LoggerDOMConfigurator();
$repository =& LoggerManager::getLoggerRepository();
return $configurator->doConfigure($url, $repository);
}
/**
* Configure the given <b>repository</b> using the resource pointed by <b>url</b>.
* <b>Url</b> is any valid resurce as defined in {@link PHP_MANUAL#file} function.
* Note that the resource will be search with <i>use_include_path</i> parameter
* set to "1".
*
* @param string $url
* @param LoggerHierarchy &$repository
*/
function doConfigure($url = '', &$repository)
{
$xmlData = '';
if (!empty($url))
$xmlData = implode('', file($url, 1));
return $this->doConfigureByString($xmlData, $repository);
}
/**
* Configure the given <b>repository</b> using the configuration written in <b>xmlData</b>.
* Do not call this method directly. Use {@link doConfigure()} instead.
* @param string $xmlData
* @param LoggerHierarchy &$repository
*/
function doConfigureByString($xmlData, &$repository)
{
return $this->parse($xmlData, $repository);
}
/**
* @param LoggerHierarchy &$repository
*/
function doConfigureDefault(&$repository)
{
return $this->doConfigureByString(LOG4PHP_LOGGER_DOM_CONFIGURATOR_DEFAULT_CONFIGURATION, $repository);
}
/**
* @param string $xmlData
*/
function parse($xmlData, &$repository)
{
// LoggerManager::resetConfiguration();
$this->repository =& $repository;
$parser = xml_parser_create_ns();
xml_set_object($parser, &$this);
xml_set_element_handler($parser, "tagOpen", "tagClose");
$result = xml_parse($parser, $xmlData, true);
if (!$result) {
$errorCode = xml_get_error_code($parser);
$errorStr = xml_error_string($errorCode);
$errorLine = xml_get_current_line_number($parser);
LoggerLog::warn(
"LoggerDOMConfigurator::parse() ".
"Parsing error [{$errorCode}] {$errorStr}, line {$errorLine}"
);
$this->repository->resetConfiguration();
} else {
xml_parser_free($parser);
}
return $result;
}
/**
* @param mixed $parser
* @param string $tag
* @param array $attribs
*
* @todo In 'LOGGER' case find a better way to detect 'getLogger()' method
*/
function tagOpen($parser, $tag, $attribs)
{
switch ($tag) {
case 'CONFIGURATION' :
case LOG4PHP_LOGGER_DOM_CONFIGURATOR_XMLNS.':CONFIGURATION':
LoggerLog::debug("LoggerDOMConfigurator::tagOpen() CONFIGURATION");
if (isset($attribs['THRESHOLD'])) {
$this->repository->setThreshold(
LoggerOptionConverter::toLevel(
$this->subst($attribs['THRESHOLD']),
$this->repository->getThreshold()
)
);
}
if (isset($attribs['DEBUG'])) {
$debug = LoggerOptionConverter::toBoolean($this->subst($attribs['DEBUG']), LoggerLog::internalDebugging());
$this->repository->debug = $debug;
LoggerLog::internalDebugging($debug);
LoggerLog::debug("LoggerDOMConfigurator::tagOpen() LOG4PHP:CONFIGURATION. Internal Debug turned ".($debug ? 'on':'off'));
}
break;
case 'APPENDER' :
case LOG4PHP_LOGGER_DOM_CONFIGURATOR_XMLNS.':APPENDER':
unset($this->appender);
$this->appender = null;
$name = $this->subst(@$attribs['NAME']);
$class = $this->subst(@$attribs['CLASS']);
LoggerLog::debug("LoggerDOMConfigurator::tagOpen():tag=[$tag]:name=[$name]:class=[$class]");
$this->appender =& LoggerAppender::singleton($name, $class);
if ($this->appender === null) {
LoggerLog::warn("LoggerDOMConfigurator::tagOpen() APPENDER cannot instantiate appender '$name'");
}
$this->state[] = LOG4PHP_LOGGER_DOM_CONFIGURATOR_APPENDER_STATE;
break;
case 'APPENDER_REF' :
case 'APPENDER-REF' :
case LOG4PHP_LOGGER_DOM_CONFIGURATOR_XMLNS.':APPENDER_REF':
case LOG4PHP_LOGGER_DOM_CONFIGURATOR_XMLNS.':APPENDER-REF':
if (isset($attribs['REF']) and !empty($attribs['REF'])) {
$appenderName = $this->subst($attribs['REF']);
LoggerLog::debug("LoggerDOMConfigurator::tagOpen() APPENDER-REF ref='$appenderName'");
$appender =& LoggerAppender::singleton($appenderName);
if ($appender !== null) {
switch (end($this->state)) {
case LOG4PHP_LOGGER_DOM_CONFIGURATOR_LOGGER_STATE:
case LOG4PHP_LOGGER_DOM_CONFIGURATOR_ROOT_STATE:
$this->logger->addAppender($appender);
break;
}
} else {
LoggerLog::warn("LoggerDOMConfigurator::tagOpen() APPENDER-REF ref '$appenderName' points to a null appender");
}
} else {
LoggerLog::warn("LoggerDOMConfigurator::tagOpen() APPENDER-REF ref not set or empty");
}
break;
case 'FILTER' :
case LOG4PHP_LOGGER_DOM_CONFIGURATOR_XMLNS.':FILTER':
LoggerLog::debug("LoggerDOMConfigurator::tagOpen() FILTER");
unset($this->filter);
$this->filter = null;
$filterName = basename($this->subst(@$attribs['CLASS']));
if (!empty($filterName)) {
if (!class_exists($filterName)) {
@include_once(LOG4PHP_DIR . "/varia/{$filterName}.php");
}
if (class_exists($filterName)) {
$this->filter = new $filterName();
} else {
LoggerLog::warn("LoggerDOMConfigurator::tagOpen() FILTER. class '$filterName' doesnt exist");
}
$this->state[] = LOG4PHP_LOGGER_DOM_CONFIGURATOR_FILTER_STATE;
} else {
LoggerLog::warn("LoggerDOMConfigurator::tagOpen() FILTER filter name cannot be empty");
}
break;
case 'LAYOUT':
case LOG4PHP_LOGGER_DOM_CONFIGURATOR_XMLNS.':LAYOUT':
$class = @$attribs['CLASS'];
LoggerLog::debug("LoggerDOMConfigurator::tagOpen() LAYOUT class='{$class}'");
$this->layout = LoggerLayout::factory($this->subst($class));
if ($this->layout === null)
LoggerLog::warn("LoggerDOMConfigurator::tagOpen() LAYOUT unable to instanciate class='{$class}'");
$this->state[] = LOG4PHP_LOGGER_DOM_CONFIGURATOR_LAYOUT_STATE;
break;
case 'LOGGER':
case LOG4PHP_LOGGER_DOM_CONFIGURATOR_XMLNS.':LOGGER':
// $this->logger is assigned by reference.
// Only '$this->logger=null;' destroys referenced object
unset($this->logger);
$this->logger = null;
$loggerName = $this->subst(@$attribs['NAME']);
if (!empty($loggerName)) {
LoggerLog::debug("LoggerDOMConfigurator::tagOpen() LOGGER. name='$loggerName'");
$class = $this->subst(@$attribs['CLASS']);
if (empty($class)) {
$this->logger =& $this->repository->getLogger($loggerName);
} else {
$className = basename($class);
if (!class_exists($className))
@include_once("{$class}.php");
if (!class_exists($className)) {
LoggerLog::warn(
"LoggerDOMConfigurator::tagOpen() LOGGER. ".
"cannot find '$className'."
);
} else {
if (in_array('getlogger', get_class_methods($className))) {
$this->logger =& call_user_func(array($className, 'getlogger'), $loggerName);
} else {
LoggerLog::warn(
"LoggerDOMConfigurator::tagOpen() LOGGER. ".
"class '$className' doesnt implement 'getLogger()' method."
);
}
}
}
if ($this->logger !== null and isset($attribs['ADDITIVITY'])) {
$additivity = LoggerOptionConverter::toBoolean($this->subst($attribs['ADDITIVITY']), true);
$this->logger->setAdditivity($additivity);
}
} else {
LoggerLog::warn("LoggerDOMConfigurator::tagOpen() LOGGER. Attribute 'name' is not set or is empty.");
}
$this->state[] = LOG4PHP_LOGGER_DOM_CONFIGURATOR_LOGGER_STATE;;
break;
case 'LEVEL':
case LOG4PHP_LOGGER_DOM_CONFIGURATOR_XMLNS.':LEVEL':
case 'PRIORITY':
case LOG4PHP_LOGGER_DOM_CONFIGURATOR_XMLNS.':PRIORITY':
if (!isset($attribs['VALUE'])) {
LoggerLog::debug("LoggerDOMConfigurator::tagOpen() LEVEL value not set");
break;
}
LoggerLog::debug("LoggerDOMConfigurator::tagOpen() LEVEL value={$attribs['VALUE']}");
if ($this->logger === null) {
LoggerLog::warn("LoggerDOMConfigurator::tagOpen() LEVEL. parent logger is null");
break;
}
switch (end($this->state)) {
case LOG4PHP_LOGGER_DOM_CONFIGURATOR_ROOT_STATE:
$this->logger->setLevel(
LoggerOptionConverter::toLevel(
$this->subst($attribs['VALUE']),
$this->logger->getLevel()
)
);
LoggerLog::debug("LoggerDOMConfigurator::tagOpen() LEVEL root level is now '{$attribs['VALUE']}' ");
break;
case LOG4PHP_LOGGER_DOM_CONFIGURATOR_LOGGER_STATE:
$this->logger->setLevel(
LoggerOptionConverter::toLevel(
$this->subst($attribs['VALUE']),
$this->logger->getLevel()
)
);
break;
default:
LoggerLog::warn("LoggerDOMConfigurator::tagOpen() LEVEL state '{$this->state}' not allowed here");
}
break;
case 'PARAM':
case LOG4PHP_LOGGER_DOM_CONFIGURATOR_XMLNS.':PARAM':
LoggerLog::debug("LoggerDOMConfigurator::tagOpen() PARAM");
if (!isset($attribs['NAME'])) {
LoggerLog::warn(
"LoggerDOMConfigurator::tagOpen() PARAM. ".
"attribute 'name' not defined."
);
break;
}
if (!isset($attribs['VALUE'])) {
LoggerLog::warn(
"LoggerDOMConfigurator::tagOpen() PARAM. ".
"attribute 'value' not defined."
);
break;
}
switch (end($this->state)) {
case LOG4PHP_LOGGER_DOM_CONFIGURATOR_APPENDER_STATE:
if ($this->appender !== null) {
$this->setter($this->appender, $this->subst($attribs['NAME']), $this->subst($attribs['VALUE']));
} else {
LoggerLog::warn(
"LoggerDOMConfigurator::tagOpen() PARAM. ".
" trying to set property to a null appender."
);
}
break;
case LOG4PHP_LOGGER_DOM_CONFIGURATOR_LAYOUT_STATE:
if ($this->layout !== null) {
$this->setter($this->layout, $this->subst($attribs['NAME']), $this->subst($attribs['VALUE']));
} else {
LoggerLog::warn(
"LoggerDOMConfigurator::tagOpen() PARAM. ".
" trying to set property to a null layout."
);
}
break;
case LOG4PHP_LOGGER_DOM_CONFIGURATOR_FILTER_STATE:
if ($this->filter !== null) {
$this->setter($this->filter, $this->subst($attribs['NAME']), $this->subst($attribs['VALUE']));
} else {
LoggerLog::warn(
"LoggerDOMConfigurator::tagOpen() PARAM. ".
" trying to set property to a null filter."
);
}
break;
default:
LoggerLog::warn("LoggerDOMConfigurator::tagOpen() PARAM state '{$this->state}' not allowed here");
}
break;
case 'RENDERER':
case LOG4PHP_LOGGER_DOM_CONFIGURATOR_XMLNS.':RENDERER':
$renderedClass = $this->subst(@$attribs['RENDEREDCLASS']);
$renderingClass = $this->subst(@$attribs['RENDERINGCLASS']);
LoggerLog::debug("LoggerDOMConfigurator::tagOpen() RENDERER renderedClass='$renderedClass' renderingClass='$renderingClass'");
if (!empty($renderedClass) and !empty($renderingClass)) {
$renderer = LoggerObjectRenderer::factory($renderingClass);
if ($renderer === null) {
LoggerLog::warn("LoggerDOMConfigurator::tagOpen() RENDERER cannot instantiate '$renderingClass'");
} else {
$this->repository->setRenderer($renderedClass, $renderer);
}
} else {
LoggerLog::warn("LoggerDOMConfigurator::tagOpen() RENDERER renderedClass or renderingClass is empty");
}
break;
case 'ROOT':
case LOG4PHP_LOGGER_DOM_CONFIGURATOR_XMLNS.':ROOT':
LoggerLog::debug("LoggerDOMConfigurator::tagOpen() ROOT");
$this->logger =& LoggerManager::getRootLogger();
$this->state[] = LOG4PHP_LOGGER_DOM_CONFIGURATOR_ROOT_STATE;
break;
}
}
/**
* @param mixed $parser
* @param string $tag
*/
function tagClose($parser, $tag)
{
switch ($tag) {
case 'CONFIGURATION' :
case LOG4PHP_LOGGER_DOM_CONFIGURATOR_XMLNS.':CONFIGURATION':
LoggerLog::debug("LoggerDOMConfigurator::tagClose() CONFIGURATION");
break;
case 'APPENDER' :
case LOG4PHP_LOGGER_DOM_CONFIGURATOR_XMLNS.':APPENDER':
LoggerLog::debug("LoggerDOMConfigurator::tagClose() APPENDER");
if ($this->appender !== null) {
if ($this->appender->requiresLayout() and $this->appender->layout === null) {
$appenderName = $this->appender->getName();
LoggerLog::warn(
"LoggerDOMConfigurator::tagClose() APPENDER. ".
"'$appenderName' requires a layout that is not defined. ".
"Using a simple layout"
);
$this->appender->setLayout(LoggerLayout::factory('LoggerLayoutSimple'));
}
$this->appender->activateOptions();
}
array_pop($this->state);
break;
case 'FILTER' :
case LOG4PHP_LOGGER_DOM_CONFIGURATOR_XMLNS.':FILTER':
LoggerLog::debug("LoggerDOMConfigurator::tagClose() FILTER");
if ($this->filter !== null) {
$this->filter->activateOptions();
$this->appender->addFilter($this->filter);
$this->filter = null;
}
array_pop($this->state);
break;
case 'LAYOUT':
case LOG4PHP_LOGGER_DOM_CONFIGURATOR_XMLNS.':LAYOUT':
LoggerLog::debug("LoggerDOMConfigurator::tagClose() LAYOUT");
if ($this->appender !== null and $this->layout !== null and $this->appender->requiresLayout()) {
$this->layout->activateOptions();
$this->appender->setLayout($this->layout);
$this->layout = null;
}
array_pop($this->state);
break;
case 'LOGGER':
case LOG4PHP_LOGGER_DOM_CONFIGURATOR_XMLNS.':LOGGER':
LoggerLog::debug("LoggerDOMConfigurator::tagClose() LOGGER");
array_pop($this->state);
break;
case 'ROOT':
case LOG4PHP_LOGGER_DOM_CONFIGURATOR_XMLNS.':ROOT':
LoggerLog::debug("LoggerDOMConfigurator::tagClose() ROOT");
array_pop($this->state);
break;
}
}
/**
* @param object $object
* @param string $name
* @param mixed $value
*/
function setter(&$object, $name, $value)
{
if (empty($name)) {
LoggerLog::debug("LoggerDOMConfigurator::setter() 'name' param cannot be empty");
return false;
}
$methodName = 'set'.ucfirst($name);
if (method_exists($object, $methodName)) {
LoggerLog::debug("LoggerDOMConfigurator::setter() Calling ".get_class($object)."::{$methodName}({$value})");
return call_user_func(array(&$object, $methodName), $value);
} else {
LoggerLog::warn("LoggerDOMConfigurator::setter() ".get_class($object)."::{$methodName}() does not exists");
return false;
}
}
function subst($value)
{
return LoggerOptionConverter::substVars($value);
}
}
?>

62
log4php.properties Normal file
View File

@ -0,0 +1,62 @@
log4php.logger.SECURITY=FATAL,A2
log4php.appender.A2=LoggerAppenderRollingFile
log4php.appender.A2.MaxFileSize=3MB
log4php.appender.A2.MaxBackupIndex=10
log4php.appender.A2.layout=LoggerLayoutTTCC
log4php.appender.A2.layout.ContextPrinting="true"
log4php.appender.A2.layout.DateFormat="%c"
log4php.appender.A2.File=logs/security.log
log4php.logger.INSTALL=DEBUG,A3
log4php.appender.A3=LoggerAppenderRollingFile
log4php.appender.A3.MaxFileSize=3MB
log4php.appender.A3.MaxBackupIndex=10
log4php.appender.A3.layout=LoggerLayoutTTCC
log4php.appender.A3.layout.ContextPrinting="true"
log4php.appender.A3.layout.DateFormat="%c"
log4php.appender.A3.File=logs/installation.log
log4php.rootLogger=DEBUG,A1
log4php.appender.A1=LoggerAppenderRollingFile
log4php.appender.A1.MaxFileSize=3MB
log4php.appender.A1.MaxBackupIndex=10
log4php.appender.A1.layout=LoggerLayoutTTCC
log4php.appender.A1.layout.ContextPrinting="true"
log4php.appender.A1.layout.DateFormat="%c"
log4php.appender.A1.File=logs/vtigercrm.log
log4php.logger.MIGRATION=DEBUG,A4
log4php.appender.A4=LoggerAppenderRollingFile
log4php.appender.A4.MaxFileSize=3MB
log4php.appender.A4.MaxBackupIndex=10
log4php.appender.A4.layout=LoggerLayoutTTCC
log4php.appender.A4.layout.ContextPrinting="true"
log4php.appender.A4.layout.DateFormat="%c"
log4php.appender.A4.File=logs/migration.log
log4php.logger.SOAP=FATAL,A5
log4php.appender.A5=LoggerAppenderRollingFile
log4php.appender.A5.MaxFileSize=3MB
log4php.appender.A5.MaxBackupIndex=10
log4php.appender.A5.layout=LoggerLayoutTTCC
log4php.appender.A5.layout.ContextPrinting="true"
log4php.appender.A5.layout.DateFormat="%c"
log4php.appender.A5.File=logs/soap.log
log4php.logger.PLATFORM=INFO,A6
log4php.appender.A6=LoggerAppenderRollingFile
log4php.appender.A6.MaxFileSize=3MB
log4php.appender.A6.MaxBackupIndex=10
log4php.appender.A6.layout=LoggerLayoutTTCC
log4php.appender.A6.layout.ContextPrinting="true"
log4php.appender.A6.layout.DateFormat="%c"
log4php.appender.A6.File=logs/platform.log
log4php.logger.SQLTIME=FATAL,A7
log4php.appender.A7=LoggerAppenderRollingFile
log4php.appender.A7.MaxFileSize=3MB
log4php.appender.A7.MaxBackupIndex=10
log4php.appender.A7.layout=LoggerLayoutTTCC
log4php.appender.A7.layout.ContextPrinting="true"
log4php.appender.A7.layout.DateFormat="%c"
log4php.appender.A7.File=logs/sqltime.log

133
log4php/LoggerManager.php Normal file
View File

@ -0,0 +1,133 @@
<?php
/*+***********************************************************************************
* The contents of this file are subject to the vtiger CRM Public License Version 1.0
* ("License"); You may not use this file except in compliance with the License
* The Original Code is: vtiger CRM Open Source
* The Initial Developer of the Original Code is vtiger.
* Portions created by vtiger are Copyright (C) vtiger.
* All Rights Reserved.
*************************************************************************************/
/** Classes to avoid logging */
class LoggerManager {
static function getlogger($name = 'ROOT') {
$configinfo = LoggerPropertyConfigurator::getInstance()->getConfigInfo($name);
return new Logger($name, $configinfo);
}
}
/**
* Core logging class.
*/
class Logger {
private $name = false;
private $appender = false;
private $configinfo = false;
/**
* Writing log file information could cost in-terms of performance.
* Enable logging based on the levels here explicitly
*/
private $enableLogLevel = array(
'ERROR' => false,
'FATAL' => false,
'INFO' => false,
'WARN' => false,
'DEBUG' => false,
);
function __construct($name, $configinfo = false) {
$this->name = $name;
$this->configinfo = $configinfo;
/** For migration log-level we need debug turned-on */
if(strtoupper($name) == 'MIGRATION') {
$this->enableLogLevel['DEBUG'] = true;
}
}
function emit($level, $message) {
if(!$this->appender) {
$filename = 'logs/vtigercrm.log';
if($this->configinfo && isset($this->configinfo['appender']['File'])) {
$filename = $this->configinfo['appender']['File'];
}
$this->appender = new LoggerAppenderFile($filename, 0777);
}
$mypid = @getmypid();
$this->appender->emit("$level [$mypid] $this->name - ", $message);
}
function info($message) {
if($this->isLevelEnabled('INFO')) {
$this->emit('INFO', $message);
}
}
function debug($message) {
if($this->isDebugEnabled()) {
$this->emit('DEBUG', $message);
}
}
function warn($message) {
if($this->isLevelEnabled('WARN')) {
$this->emit('WARN', $message);
}
}
function fatal($message) {
if($this->isLevelEnabled('FATAL')) {
$this->emit('FATAL', $message);
}
}
function error($message) {
if($this->isLevelEnabled('ERROR')) {
$this->emit('ERROR', $message);
}
}
function isLevelEnabled($level) {
if($this->enableLogLevel[$level] && $this->configinfo) {
return (strtoupper($this->configinfo['level']) == $level);
}
return false;
}
function isDebugEnabled() {
return $this->isLevelEnabled('DEBUG');
}
}
/**
* Log message appender to file.
*/
class LoggerAppenderFile {
private $filename;
private $chmod;
function __construct($filename, $chmod = 0222) {
$this->filename = $filename;
$this->chmod = $chmod;
}
function emit($prefix, $message) {
if($this->chmod != 0777 && file_exists($this->filename)) {
if(is_readable($this->filename)) {
@chmod($this->filename, $this->chmod);
}
}
$fh = @fopen($this->filename, 'a');
if($fh) {
@fwrite($fh, date('m/d/Y H:i:s') . " $prefix $message\n");
@fclose($fh);
}
}
}
?>

View File

@ -0,0 +1,65 @@
<?php
/*+***********************************************************************************
* The contents of this file are subject to the vtiger CRM Public License Version 1.0
* ("License"); You may not use this file except in compliance with the License
* The Original Code is: vtiger CRM Open Source
* The Initial Developer of the Original Code is vtiger.
* Portions created by vtiger are Copyright (C) vtiger.
* All Rights Reserved.
*************************************************************************************/
/** Classes to avoid logging */
class LoggerPropertyConfigurator {
static $singleton = false;
function __construct() {
LoggerPropertyConfigurator::$singleton = $this;
}
function configure($configfile) {
$configinfo = parse_ini_file($configfile);
$types = array();
$appenders = array();
foreach($configinfo as $k=>$v) {
if(preg_match("/log4php.rootLogger/i", $k, $m)) {
$name = 'ROOT';
list($level, $appender) = explode(',', $v);
$types[$name]['level'] = $level;
$types[$name]['appender'] = $appender;
}
if(preg_match("/log4php.logger.(.*)/i", $k, $m)) {
$name = $m[1];
list($level, $appender) = explode(',', $v);
$types[$name]['level'] = $level;
$types[$name]['appender'] = $appender;
}
if(preg_match("/log4php.appender.([^.]+).?(.*)/i", $k, $m)) {
$appenders[$m[1]][$m[2]] = $v;
}
}
$this->types = $types;
$this->appenders = $appenders;
}
function getConfigInfo($type) {
if(isset($this->types[$type])) {
$typeinfo = $this->types[$type];
return array (
'level' => $typeinfo['level'],
'appender'=> $this->appenders[$typeinfo['appender']]
);
}
return false;
}
static function getInstance() {
return self::$singleton;
}
}
?>

0
logs/installation.log Normal file
View File

11
logs/migration.log Normal file
View File

@ -0,0 +1,11 @@
12/08/2012 07:43:15 DEBUG [4308] MIGRATION -
DB Changes from 5.4.0RC to 5.4.0 -------- Starts
12/08/2012 07:43:15 DEBUG [4308] MIGRATION -
DB Changes from 5.4.0RC to 5.4.0 -------- Ends
12/08/2012 07:43:32 DEBUG [4308] MIGRATION - Query Success ==> UPDATE vtiger_version SET old_version='5.4.0 RC',current_version='5.4.0'

0
logs/platform.log Normal file
View File

0
logs/security.log Normal file
View File

0
logs/soap.log Normal file
View File

0
logs/sqltime.log Normal file
View File

0
logs/todel.txt.txt Normal file
View File

28505
logs/vtigercrm.log Normal file

File diff suppressed because it is too large Load Diff

34457
logs/vtigercrm.log.1 Normal file

File diff suppressed because one or more lines are too long

30729
logs/vtigercrm.log.2 Normal file

File diff suppressed because one or more lines are too long

35695
logs/vtigercrm.log.3 Normal file

File diff suppressed because it is too large Load Diff

37076
logs/vtigercrm.log.4 Normal file

File diff suppressed because it is too large Load Diff

35069
logs/vtigercrm.log.5 Normal file

File diff suppressed because one or more lines are too long

35860
logs/vtigercrm.log.6 Normal file

File diff suppressed because one or more lines are too long

38251
logs/vtigercrm.log.7 Normal file

File diff suppressed because it is too large Load Diff