1
0
mirror of https://github.com/Seldaek/monolog.git synced 2025-08-09 14:46:46 +02:00

Merge remote-tracking branch 'upstream/master' into couchdb

This commit is contained in:
Markus Bachmann
2012-11-21 19:11:25 +01:00
18 changed files with 200 additions and 59 deletions

View File

@@ -1,3 +1,10 @@
* 1.2.1 (2012-08-29)
Changes:
* Added new $logopts arg to SyslogHandler to provide custom openlog options
* Fixed fatal error in SyslogHandler
* 1.2.0 (2012-08-18) * 1.2.0 (2012-08-18)
Changes: Changes:

View File

@@ -1,7 +1,7 @@
{ {
"name": "monolog/monolog", "name": "monolog/monolog",
"description": "Logging for PHP 5.3", "description": "Logging for PHP 5.3",
"keywords": ["log","logging"], "keywords": ["log", "logging"],
"homepage": "http://github.com/Seldaek/monolog", "homepage": "http://github.com/Seldaek/monolog",
"type": "library", "type": "library",
"license": "MIT", "license": "MIT",
@@ -27,5 +27,10 @@
}, },
"autoload": { "autoload": {
"psr-0": {"Monolog": "src/"} "psr-0": {"Monolog": "src/"}
},
"extra": {
"branch-alias": {
"dev-master": "1.3.x-dev"
}
} }
} }

View File

@@ -121,3 +121,38 @@ $securityLogger = new Logger('security');
$securityLogger->pushHandler($stream); $securityLogger->pushHandler($stream);
$securityLogger->pushHandler($firephp); $securityLogger->pushHandler($firephp);
``` ```
Customizing log format
----------------------
In Monolog it's easy to customize the format of the logs written into files,
sockets, mails, databases and other handlers. Most of the handlers use the
```php
$record['formatted']
```
value to be automatically put into the log device. This value depends on the
formatter settings. You can choose between predefined formatter classes or
write your own (e.g. a multiline text file for human-readable output).
To configure a predefined formatter class, just set it as the handler's field:
```php
// the default date format is "Y-m-d H:i:s"
$dateFormat = "Y n j, g:i a";
// the default output format is "[%datetime%] %channel%.%level_name%: %message% %context% %extra%\n"
$output = "%datetime% > %level_name% > %message% %context% %extra%\n"
// finally, create a formatter
$formatter = new LineFormatter($output, $dateFormat);
// Create a handler
$stream = new StreamHandler(__DIR__.'/my_app.log', Logger::DEBUG);
$stream->setFormatter($formatter);
// bind it to a logger object
$securityLogger = new Logger('security');
$securityLogger->pushHandler($stream);
```
You may also reuse the same formatter between multiple handlers and share those
handlers between multiple loggers.

View File

@@ -85,6 +85,6 @@ class LineFormatter extends NormalizerFormatter
return json_encode($this->normalize($data), JSON_UNESCAPED_SLASHES | JSON_UNESCAPED_UNICODE); return json_encode($this->normalize($data), JSON_UNESCAPED_SLASHES | JSON_UNESCAPED_UNICODE);
} }
return stripslashes(json_encode($this->normalize($data))); return str_replace('\\/', '/', json_encode($this->normalize($data)));
} }
} }

View File

@@ -24,20 +24,24 @@ use Monolog\Logger;
class BufferHandler extends AbstractHandler class BufferHandler extends AbstractHandler
{ {
protected $handler; protected $handler;
protected $bufferSize; protected $bufferSize = 0;
protected $bufferLimit;
protected $flushOnOverflow;
protected $buffer = array(); protected $buffer = array();
/** /**
* @param HandlerInterface $handler Handler. * @param HandlerInterface $handler Handler.
* @param integer $bufferSize How many entries should be buffered at most, beyond that the oldest items are removed from the buffer. * @param integer $bufferSize How many entries should be buffered at most, beyond that the oldest items are removed from the buffer.
* @param integer $level The minimum logging level at which this handler will be triggered * @param integer $level The minimum logging level at which this handler will be triggered
* @param Boolean $bubble Whether the messages that are handled can bubble up the stack or not * @param Boolean $bubble Whether the messages that are handled can bubble up the stack or not
* @param Boolean $flushOnOverflow If true, the buffer is flushed when the max size has been reached, by default oldest entries are discarded
*/ */
public function __construct(HandlerInterface $handler, $bufferSize = 0, $level = Logger::DEBUG, $bubble = true) public function __construct(HandlerInterface $handler, $bufferSize = 0, $level = Logger::DEBUG, $bubble = true, $flushOnOverflow = false)
{ {
parent::__construct($level, $bubble); parent::__construct($level, $bubble);
$this->handler = $handler; $this->handler = $handler;
$this->bufferSize = $bufferSize; $this->bufferLimit = (int) $bufferSize;
$this->flushOnOverflow = $flushOnOverflow;
// __destructor() doesn't get called on Fatal errors // __destructor() doesn't get called on Fatal errors
register_shutdown_function(array($this, 'close')); register_shutdown_function(array($this, 'close'));
@@ -52,22 +56,36 @@ class BufferHandler extends AbstractHandler
return false; return false;
} }
$this->buffer[] = $record; if ($this->bufferLimit > 0 && $this->bufferSize === $this->bufferLimit) {
if ($this->bufferSize > 0 && count($this->buffer) > $this->bufferSize) { if ($this->flushOnOverflow) {
array_shift($this->buffer); $this->flush();
} else {
array_shift($this->buffer);
$this->bufferSize--;
}
} }
$this->buffer[] = $record;
$this->bufferSize++;
return false === $this->bubble; return false === $this->bubble;
} }
public function flush()
{
if ($this->bufferSize === 0) {
return;
}
$this->handler->handleBatch($this->buffer);
$this->bufferSize = 0;
$this->buffer = array();
}
/** /**
* {@inheritdoc} * {@inheritdoc}
*/ */
public function close() public function close()
{ {
if ($this->buffer) { $this->flush();
$this->handler->handleBatch($this->buffer);
$this->buffer = array();
}
} }
} }

View File

@@ -103,7 +103,7 @@ class CubeHandler extends AbstractProcessingHandler
{ {
$date = $record['datetime']; $date = $record['datetime'];
$data = array('time' => $date->format('Y-m-d H:i:s')); $data = array('time' => $date->format('Y-m-d\TH:i:s.u'));
unset($record['datetime']); unset($record['datetime']);
if (isset($record['context']['type'])) { if (isset($record['context']['type'])) {

View File

@@ -34,7 +34,7 @@ class FingersCrossedHandler extends AbstractHandler
protected $stopBuffering; protected $stopBuffering;
/** /**
* @param callback|HandlerInterface $handler Handler or factory callback($record, $fingersCrossedHandler). * @param callable|HandlerInterface $handler Handler or factory callable($record, $fingersCrossedHandler).
* @param int|ActivationStrategyInterface $activationStrategy Strategy which determines when this handler takes action * @param int|ActivationStrategyInterface $activationStrategy Strategy which determines when this handler takes action
* @param int $bufferSize How many entries should be buffered at most, beyond that the oldest items are removed from the buffer. * @param int $bufferSize How many entries should be buffered at most, beyond that the oldest items are removed from the buffer.
* @param Boolean $bubble Whether the messages that are handled can bubble up the stack or not * @param Boolean $bubble Whether the messages that are handled can bubble up the stack or not
@@ -79,10 +79,13 @@ class FingersCrossedHandler extends AbstractHandler
$this->buffering = false; $this->buffering = false;
} }
if (!$this->handler instanceof HandlerInterface) { if (!$this->handler instanceof HandlerInterface) {
if (!is_callable($this->handler)) {
throw new \RuntimeException("The given handler (".json_encode($this->handler).") is not a callable nor a Monolog\Handler\HandlerInterface object");
}
$this->handler = call_user_func($this->handler, $record, $this); $this->handler = call_user_func($this->handler, $record, $this);
} if (!$this->handler instanceof HandlerInterface) {
if (!$this->handler instanceof HandlerInterface) { throw new \RuntimeException("The factory callable should return a HandlerInterface");
throw new \RuntimeException("The factory callback should return a HandlerInterface"); }
} }
$this->handler->handleBatch($this->buffer); $this->handler->handleBatch($this->buffer);
$this->buffer = array(); $this->buffer = array();

View File

@@ -25,6 +25,8 @@ interface HandlerInterface
* *
* This is mostly done for performance reasons, to avoid calling processors for nothing. * This is mostly done for performance reasons, to avoid calling processors for nothing.
* *
* @param array $record
*
* @return Boolean * @return Boolean
*/ */
public function isHandling(array $record); public function isHandling(array $record);

View File

@@ -42,7 +42,7 @@ class NativeMailerHandler extends MailHandler
} }
/** /**
* @param string|array $header Custom added headers * @param string|array $headers Custom added headers
*/ */
public function addHeader($headers) public function addHeader($headers)
{ {

View File

@@ -25,7 +25,7 @@ class SwiftMailerHandler extends MailHandler
/** /**
* @param \Swift_Mailer $mailer The mailer to use * @param \Swift_Mailer $mailer The mailer to use
* @param callback|\Swift_Message $message An example message for real messages, only the body will be replaced * @param callable|\Swift_Message $message An example message for real messages, only the body will be replaced
* @param integer $level The minimum logging level at which this handler will be triggered * @param integer $level The minimum logging level at which this handler will be triggered
* @param Boolean $bubble Whether the messages that are handled can bubble up the stack or not * @param Boolean $bubble Whether the messages that are handled can bubble up the stack or not
*/ */
@@ -37,7 +37,7 @@ class SwiftMailerHandler extends MailHandler
$message = call_user_func($message); $message = call_user_func($message);
} }
if (!$message instanceof \Swift_Message) { if (!$message instanceof \Swift_Message) {
throw new \InvalidArgumentException('You must provide either a Swift_Message instance or a callback returning it'); throw new \InvalidArgumentException('You must provide either a Swift_Message instance or a callable returning it');
} }
$this->message = $message; $this->message = $message;
} }

View File

@@ -12,6 +12,8 @@
namespace Monolog\Handler; namespace Monolog\Handler;
use Monolog\Logger; use Monolog\Logger;
use Monolog\Formatter\LineFormatter;
/** /**
* Logs to syslog service. * Logs to syslog service.
@@ -64,8 +66,9 @@ class SyslogHandler extends AbstractProcessingHandler
* @param mixed $facility * @param mixed $facility
* @param integer $level The minimum logging level at which this handler will be triggered * @param integer $level The minimum logging level at which this handler will be triggered
* @param Boolean $bubble Whether the messages that are handled can bubble up the stack or not * @param Boolean $bubble Whether the messages that are handled can bubble up the stack or not
* @param int $logopts Option flags for the openlog() call, defaults to LOG_PID
*/ */
public function __construct($ident, $facility = LOG_USER, $level = Logger::DEBUG, $bubble = true) public function __construct($ident, $facility = LOG_USER, $level = Logger::DEBUG, $bubble = true, $logopts = LOG_PID)
{ {
parent::__construct($level, $bubble); parent::__construct($level, $bubble);
@@ -87,7 +90,7 @@ class SyslogHandler extends AbstractProcessingHandler
throw new \UnexpectedValueException('Unknown facility value "'.$facility.'" given'); throw new \UnexpectedValueException('Unknown facility value "'.$facility.'" given');
} }
if (!openlog($ident, LOG_PID, $facility)) { if (!openlog($ident, $logopts, $facility)) {
throw new \LogicException('Can\'t open syslog for ident "'.$ident.'" and facility "'.$facility.'"'); throw new \LogicException('Can\'t open syslog for ident "'.$ident.'" and facility "'.$facility.'"');
} }
} }

View File

@@ -108,8 +108,8 @@ class Logger
{ {
$this->name = $name; $this->name = $name;
if (!self::$timezone) { if (!static::$timezone) {
self::$timezone = new \DateTimeZone(date_default_timezone_get() ?: 'UTC'); static::$timezone = new \DateTimeZone(date_default_timezone_get() ?: 'UTC');
} }
} }
@@ -183,18 +183,18 @@ class Logger
public function addRecord($level, $message, array $context = array()) public function addRecord($level, $message, array $context = array())
{ {
if (!$this->handlers) { if (!$this->handlers) {
$this->pushHandler(new StreamHandler('php://stderr', self::DEBUG)); $this->pushHandler(new StreamHandler('php://stderr', static::DEBUG));
} }
$record = array( $record = array(
'message' => (string) $message, 'message' => (string) $message,
'context' => $context, 'context' => $context,
'level' => $level, 'level' => $level,
'level_name' => self::getLevelName($level), 'level_name' => static::getLevelName($level),
'channel' => $this->name, 'channel' => $this->name,
'datetime' => \DateTime::createFromFormat('U.u', sprintf('%.6F', microtime(true)))->setTimeZone(self::$timezone), 'datetime' => \DateTime::createFromFormat('U.u', sprintf('%.6F', microtime(true)), static::$timezone)->setTimezone(static::$timezone),
'extra' => array(), 'extra' => array(),
); );
// check if any message will handle this message // check if any handler will handle this message
$handlerKey = null; $handlerKey = null;
foreach ($this->handlers as $key => $handler) { foreach ($this->handlers as $key => $handler) {
if ($handler->isHandling($record)) { if ($handler->isHandling($record)) {
@@ -227,7 +227,7 @@ class Logger
*/ */
public function addDebug($message, array $context = array()) public function addDebug($message, array $context = array())
{ {
return $this->addRecord(self::DEBUG, $message, $context); return $this->addRecord(static::DEBUG, $message, $context);
} }
/** /**
@@ -239,7 +239,7 @@ class Logger
*/ */
public function addInfo($message, array $context = array()) public function addInfo($message, array $context = array())
{ {
return $this->addRecord(self::INFO, $message, $context); return $this->addRecord(static::INFO, $message, $context);
} }
/** /**
@@ -251,7 +251,7 @@ class Logger
*/ */
public function addNotice($message, array $context = array()) public function addNotice($message, array $context = array())
{ {
return $this->addRecord(self::NOTICE, $message, $context); return $this->addRecord(static::NOTICE, $message, $context);
} }
/** /**
@@ -263,7 +263,7 @@ class Logger
*/ */
public function addWarning($message, array $context = array()) public function addWarning($message, array $context = array())
{ {
return $this->addRecord(self::WARNING, $message, $context); return $this->addRecord(static::WARNING, $message, $context);
} }
/** /**
@@ -275,7 +275,7 @@ class Logger
*/ */
public function addError($message, array $context = array()) public function addError($message, array $context = array())
{ {
return $this->addRecord(self::ERROR, $message, $context); return $this->addRecord(static::ERROR, $message, $context);
} }
/** /**
@@ -287,7 +287,7 @@ class Logger
*/ */
public function addCritical($message, array $context = array()) public function addCritical($message, array $context = array())
{ {
return $this->addRecord(self::CRITICAL, $message, $context); return $this->addRecord(static::CRITICAL, $message, $context);
} }
/** /**
@@ -299,7 +299,7 @@ class Logger
*/ */
public function addAlert($message, array $context = array()) public function addAlert($message, array $context = array())
{ {
return $this->addRecord(self::ALERT, $message, $context); return $this->addRecord(static::ALERT, $message, $context);
} }
/** /**
@@ -311,7 +311,7 @@ class Logger
*/ */
public function addEmergency($message, array $context = array()) public function addEmergency($message, array $context = array())
{ {
return $this->addRecord(self::EMERGENCY, $message, $context); return $this->addRecord(static::EMERGENCY, $message, $context);
} }
/** /**
@@ -322,7 +322,11 @@ class Logger
*/ */
public static function getLevelName($level) public static function getLevelName($level)
{ {
return self::$levels[$level]; if (!isset(static::$levels[$level])) {
throw new \InvalidArgumentException('Level "'.$level.'" is not defined, use one of: '.implode(', ', array_keys(static::$levels)));
}
return static::$levels[$level];
} }
/** /**
@@ -337,9 +341,9 @@ class Logger
'message' => '', 'message' => '',
'context' => array(), 'context' => array(),
'level' => $level, 'level' => $level,
'level_name' => self::getLevelName($level), 'level_name' => static::getLevelName($level),
'channel' => $this->name, 'channel' => $this->name,
'datetime' => new \DateTime(), 'datetime' => new \DateTime('now', static::$timezone),
'extra' => array(), 'extra' => array(),
); );
@@ -363,7 +367,7 @@ class Logger
*/ */
public function debug($message, array $context = array()) public function debug($message, array $context = array())
{ {
return $this->addRecord(self::DEBUG, $message, $context); return $this->addRecord(static::DEBUG, $message, $context);
} }
/** /**
@@ -377,7 +381,7 @@ class Logger
*/ */
public function info($message, array $context = array()) public function info($message, array $context = array())
{ {
return $this->addRecord(self::INFO, $message, $context); return $this->addRecord(static::INFO, $message, $context);
} }
/** /**
@@ -391,7 +395,7 @@ class Logger
*/ */
public function notice($message, array $context = array()) public function notice($message, array $context = array())
{ {
return $this->addRecord(self::NOTICE, $message, $context); return $this->addRecord(static::NOTICE, $message, $context);
} }
/** /**
@@ -405,7 +409,7 @@ class Logger
*/ */
public function warn($message, array $context = array()) public function warn($message, array $context = array())
{ {
return $this->addRecord(self::WARNING, $message, $context); return $this->addRecord(static::WARNING, $message, $context);
} }
/** /**
@@ -419,7 +423,7 @@ class Logger
*/ */
public function err($message, array $context = array()) public function err($message, array $context = array())
{ {
return $this->addRecord(self::ERROR, $message, $context); return $this->addRecord(static::ERROR, $message, $context);
} }
/** /**
@@ -433,7 +437,7 @@ class Logger
*/ */
public function crit($message, array $context = array()) public function crit($message, array $context = array())
{ {
return $this->addRecord(self::CRITICAL, $message, $context); return $this->addRecord(static::CRITICAL, $message, $context);
} }
/** /**
@@ -447,7 +451,7 @@ class Logger
*/ */
public function alert($message, array $context = array()) public function alert($message, array $context = array())
{ {
return $this->addRecord(self::ALERT, $message, $context); return $this->addRecord(static::ALERT, $message, $context);
} }
/** /**
@@ -461,6 +465,6 @@ class Logger
*/ */
public function emerg($message, array $context = array()) public function emerg($message, array $context = array())
{ {
return $this->addRecord(self::EMERGENCY, $message, $context); return $this->addRecord(static::EMERGENCY, $message, $context);
} }
} }

View File

@@ -86,11 +86,8 @@ class LineFormatterTest extends \PHPUnit_Framework_TestCase
'extra' => array('foo' => new TestFoo, 'bar' => new TestBar, 'baz' => array(), 'res' => fopen('php://memory', 'rb')), 'extra' => array('foo' => new TestFoo, 'bar' => new TestBar, 'baz' => array(), 'res' => fopen('php://memory', 'rb')),
'message' => 'foobar', 'message' => 'foobar',
)); ));
if (version_compare(PHP_VERSION, '5.4.0', '>=')) {
$this->assertEquals('['.date('Y-m-d').'] meh.ERROR: foobar [] {"foo":"[object] (Monolog\\\\Formatter\\\\TestFoo: {\\"foo\\":\\"foo\\"})","bar":"[object] (Monolog\\\\Formatter\\\\TestBar: {})","baz":[],"res":"[resource]"}'."\n", $message); $this->assertEquals('['.date('Y-m-d').'] meh.ERROR: foobar [] {"foo":"[object] (Monolog\\\\Formatter\\\\TestFoo: {\\"foo\\":\\"foo\\"})","bar":"[object] (Monolog\\\\Formatter\\\\TestBar: {})","baz":[],"res":"[resource]"}'."\n", $message);
} else {
$this->assertEquals('['.date('Y-m-d').'] meh.ERROR: foobar [] {"foo":"[object] (Monolog\\Formatter\\TestFoo: {"foo":"foo"})","bar":"[object] (Monolog\\Formatter\\TestBar: {})","baz":[],"res":"[resource]"}'."\n", $message);
}
} }
public function testBatchFormat() public function testBatchFormat()

View File

@@ -36,6 +36,7 @@ class BufferHandlerTest extends TestCase
/** /**
* @covers Monolog\Handler\BufferHandler::close * @covers Monolog\Handler\BufferHandler::close
* @covers Monolog\Handler\BufferHandler::flush
*/ */
public function testDestructPropagatesRecords() public function testDestructPropagatesRecords()
{ {
@@ -65,6 +66,36 @@ class BufferHandlerTest extends TestCase
$this->assertFalse($test->hasDebugRecords()); $this->assertFalse($test->hasDebugRecords());
} }
/**
* @covers Monolog\Handler\BufferHandler::handle
*/
public function testHandleBufferLimitWithFlushOnOverflow()
{
$test = new TestHandler();
$handler = new BufferHandler($test, 3, Logger::DEBUG, true, true);
// send two records
$handler->handle($this->getRecord(Logger::DEBUG));
$handler->handle($this->getRecord(Logger::DEBUG));
$handler->handle($this->getRecord(Logger::DEBUG));
$this->assertFalse($test->hasDebugRecords());
$this->assertCount(0, $test->getRecords());
// overflow
$handler->handle($this->getRecord(Logger::INFO));
$this->assertTrue($test->hasDebugRecords());
$this->assertCount(3, $test->getRecords());
// should buffer again
$handler->handle($this->getRecord(Logger::WARNING));
$this->assertCount(3, $test->getRecords());
$handler->close();
$this->assertCount(5, $test->getRecords());
$this->assertTrue($test->hasWarningRecords());
$this->assertTrue($test->hasInfoRecords());
}
/** /**
* @covers Monolog\Handler\BufferHandler::handle * @covers Monolog\Handler\BufferHandler::handle
*/ */
@@ -81,4 +112,19 @@ class BufferHandlerTest extends TestCase
$this->assertTrue($test->hasInfoRecords()); $this->assertTrue($test->hasInfoRecords());
$this->assertFalse($test->hasDebugRecords()); $this->assertFalse($test->hasDebugRecords());
} }
/**
* @covers Monolog\Handler\BufferHandler::flush
*/
public function testFlush()
{
$test = new TestHandler();
$handler = new BufferHandler($test, 0);
$handler->handle($this->getRecord(Logger::DEBUG));
$handler->handle($this->getRecord(Logger::INFO));
$handler->flush();
$this->assertTrue($test->hasInfoRecords());
$this->assertTrue($test->hasDebugRecords());
$this->assertFalse($test->hasWarningRecords());
}
} }

View File

@@ -10,6 +10,7 @@
*/ */
namespace Monolog\Handler; namespace Monolog\Handler;
use Monolog\Logger;
class SyslogHandlerTest extends \PHPUnit_Framework_TestCase class SyslogHandlerTest extends \PHPUnit_Framework_TestCase
{ {
@@ -26,6 +27,9 @@ class SyslogHandlerTest extends \PHPUnit_Framework_TestCase
$handler = new SyslogHandler('test', 'user'); $handler = new SyslogHandler('test', 'user');
$this->assertInstanceOf('Monolog\Handler\SyslogHandler', $handler); $this->assertInstanceOf('Monolog\Handler\SyslogHandler', $handler);
$handler = new SyslogHandler('test', LOG_USER, Logger::DEBUG, true, LOG_PERROR);
$this->assertInstanceOf('Monolog\Handler\SyslogHandler', $handler);
} }
/** /**

View File

@@ -25,6 +25,23 @@ class LoggerTest extends \PHPUnit_Framework_TestCase
$this->assertEquals('foo', $logger->getName()); $this->assertEquals('foo', $logger->getName());
} }
/**
* @covers Monolog\Logger::getLevelName
*/
public function testGetLevelName()
{
$this->assertEquals('ERROR', Logger::getLevelName(Logger::ERROR));
}
/**
* @covers Monolog\Logger::getLevelName
* @expectedException InvalidArgumentException
*/
public function testGetLevelNameThrows()
{
Logger::getLevelName(5);
}
/** /**
* @covers Monolog\Logger::__construct * @covers Monolog\Logger::__construct
*/ */