我刚刚写了一个“日志记录”类,想问一个关于该类用法,如何使它更易于使用的问题。
例如:
$log = new Log();
$log->Error("You have an error!", __FILE__, __CLASS__, __FUNCTION__, __LINE__);
这是我目前如何将错误写入日志文件的方法,但这似乎很复杂?!有没有办法从“调用” php的日志类中获取“魔术常数”?
这是课程代码(也欢迎其他提示):
<?php
class Log
{
private $path;
public function __construct()
{
$config = new Config(); // init. from autoloader
$path = $config->app_log_dir;
if (!is_dir($path) && !is_writable($path))
{
error_log('[ERROR] [Log::__Construct()] -> ' . $path . ' does not exist or is not writeable!',0);
header("HTTP/1.0 500 Internal Server Error");
exit();
}
$this->path = $path;
}
public function Error($message, $file, $class = '', $function = '', $line)
{
$array_data = array($message, $file, $class, $function, $line);
$this->write('ERROR', $array_data);
}
public function TestError($message, $file = __FILE__, $class = __CLASS__, $function = __FUNCTION__, $line = __LINE__)
{
$array_data = array($message, $file, $class, $function, $line);
$this->write('TESTERROR', $array_data);
}
private function write($error_type, $array_data)
{
$date = date("Y-m-d H:i:s");
$dateFile = date("Y-m-d");
$message = "[{$date}] [{$error_type}] [{$array_data[1]}->{$array_data[2]}::{$array_data[3]}:{$array_data[4]}] $array_data[0]".PHP_EOL;
try
{
file_put_contents($this->path.'/'.$dateFile.'.log', $message, FILE_APPEND);
}
catch (Exception $e)
{
error_log('[ERROR] [Log::write()] -> ' . $e, 0);
header("HTTP/1.0 500 Internal Server Error");
exit();
}
}
}
答案 0 :(得分:0)
将这些常量作为函数参数传递:
public function Error(
$message,
$file = __FILE__,
$class = __CLASS__,
$function = __FUNCTION__,
$line = __LINE__,
) {
// ...
}
并像往常一样拨打电话:
$log->Error('xxx');
如果可以的话,您的代码会发出臭味,为什么不使用Monolog之类的PSR-3兼容记录器?甚至可以像Whoops这样的专家处理错误。
答案 1 :(得分:0)
所以您可以:
public function Error($message, $debug)
{
$array_data = array($message, $debug);
$this->write('ERROR', $array_data);
}
$log->Error("Oh noo!!", print_r(debug_backtrace(),true) );
回溯包含潜在的大量数据,因此在这里我不打算举例说明完整的数据,但它可以包含:
function
;当前函数名称。另请参见__FUNCTION__。
line
;当前行号。另请参见__LINE__。
file
;当前文件名。另请参见__FILE__。
class
;当前的类名。另请参见__CLASS__。
object
;当前对象。
type
;当前通话类型。如果方法调用,则返回“->
”。如果是静态方法调用,则返回“::
”。如果有功能 呼叫,什么也不会返回。
args
;如果在函数内部,则会列出函数参数。如果在包含文件中,则列出包含的文件名。
debug_backtrace()
是调试PHP的黄金信息。这涵盖了您在问题中要求的所有内容。