1234567891011121314151617181920212223242526272829303132333435363738394041424344454647484950515253545556575859606162636465666768697071727374757677787980818283848586878889909192939495 |
- <?php
- /**
- * File log writer. Writes out messages and stores them in a YYYY/MM directory.
- *
- * @package KO7
- * @category Logging
- *
- * @copyright (c) 2007-2016 Kohana Team
- * @copyright (c) since 2016 Koseven Team
- * @license https://koseven.dev/LICENSE
- */
- class KO7_Log_File extends Log_Writer {
- /**
- * @var string Directory to place log files in
- */
- protected $_directory;
- /**
- * Creates a new file logger. Checks that the directory exists and
- * is writable.
- *
- * $writer = new Log_File($directory);
- *
- * @param string $directory log directory
- * @return void
- */
- public function __construct($directory)
- {
- if ( ! is_dir($directory) OR ! is_writable($directory))
- {
- throw new KO7_Exception('Directory :dir must be writable',
- [':dir' => Debug::path($directory)]);
- }
- // Determine the directory path
- $this->_directory = realpath($directory).DIRECTORY_SEPARATOR;
- }
- /**
- * Writes each of the messages into the log file. The log file will be
- * appended to the `YYYY/MM/DD.log.php` file, where YYYY is the current
- * year, MM is the current month, and DD is the current day.
- *
- * $writer->write($messages);
- *
- * @param array $messages
- * @return void
- */
- public function write(array $messages)
- {
- // Set the yearly directory name
- $directory = $this->_directory.date('Y');
- if ( ! is_dir($directory))
- {
- // Create the yearly directory
- mkdir($directory, 02777);
- // Set permissions (must be manually set to fix umask issues)
- chmod($directory, 02777);
- }
- // Add the month to the directory
- $directory .= DIRECTORY_SEPARATOR.date('m');
- if ( ! is_dir($directory))
- {
- // Create the monthly directory
- mkdir($directory, 02777);
- // Set permissions (must be manually set to fix umask issues)
- chmod($directory, 02777);
- }
- // Set the name of the log file
- $filename = $directory.DIRECTORY_SEPARATOR.date('d').EXT;
- if ( ! file_exists($filename))
- {
- // Create the log file
- file_put_contents($filename, NULL);
- // Allow anyone to write to log files
- chmod($filename, 0666);
- }
- foreach ($messages as $message)
- {
- // Write each message into the log file
- file_put_contents($filename, PHP_EOL.$this->format_message($message), FILE_APPEND);
- }
- }
- }
|