php – 从“正确”来源抛出错误

我希望标题不会太混乱,我将在下面尝试解释.

假设我在一个单独的文件中有一个函数,functions.php:

function divide($num1, $num2) {
    if ($num1 == 0 || $num2 == 0) {
        trigger_error("Cannot divide by 0", E_USER_ERROR);
    } else {
        return ($num1 / $num2);
    }
}

另一个调用它的文件:

include "functions.php";

echo divide(10, 0);

我的错误是

Fatal error: Cannot divide by 0 in
C:\Users\Derek\Desktop\projects\functions.php on line 5

我的问题是,如何将该错误转而指向主代码中错误的位置,因此我得到:

Fatal error: Cannot divide by 0 in
C:\Users\Derek\Desktop\projects\main.php on line 3

我想要这个的特殊原因是因为我有一个名为load_class的函数,它只是找到一个PHP文件并在其中实例化对象,但是如果给出一个不正确的文件名,它会从load_class中报告一个错误,这在技术上是正确的,但它不是如果我不记得我在哪里首先调用load_class,那将特别有用.我希望错误指向错误调用load_class的文件.

另外,我想编写一个函数error()(如下所示),当给出一个消息作为参数时会抛出更多“有意义”的错误消息,但是当这样做时,错误总是说它来自error() ,而不是错误实际来自哪里!

例如,在error.php中:

/**
 * error()
 * 
 * Throws an error of a certain type
 * 
 * @param  string $type    The type of error. "Fatal", "warning," or "notice"
 * @param  string $message A description of the error
 * @return void
 */
function error($type, $message) {
    switch (strtolower($type)) {
        case 'fatal':
            trigger_error($message, E_USER_ERROR);
            break;
        case 'notice':
            trigger_error($message, E_USER_NOTICE);
        default:
            trigger_error($message, E_USER_WARNING);
            break;
    }
}

并在index.php中

error("fatal", "A sample warning!");

我给出的错误是:

Fatal error: A sample warning! in
C:\Users\Derek\Desktop\projects\synthesis\sys\Error.php on line 45

但错误没有发生在error.php中,它发生在index.php中!如何让它显示它真正来自哪里?

最佳答案
debug_backtrace函数允许您将堆栈跟踪作为数组获取.您可以从那里选择原始位置.

接下来,您需要进入错误消息以使其看起来相似.例:

function divide($num1, $num2) {
    if ($num1 == 0 || $num2 == 0) {
        trigger_error_original("Cannot divide by 0", E_USER_ERROR);
    } else {
        return ($num1 / $num2);
    }
}

function trigger_error_original($message, $type) {
    $trace = debug_backtrace(FALSE);
    list($location) = array_slice($trace, 1, 1) + array('file' => 'unknown', 'line' => 'unknown');
    $message .= sprintf(" in %s on line %d\nTriggered", $location['file'], $location['line']);
    trigger_error($message, $type);
}

divide(1, 0);

错误消息显示如下:

> php test-pad.php

Fatal error: Cannot divide by 0 in test-pad.php on line 18
Triggered in test-pad.php on line 15

这样做的缺点是,您需要更改代码才能拥有此“功能”.如果您需要这个来调试自己的代码,那么在日志中启用回溯要好得多. Xdebug extension为您完成此操作,或者您可以编写自己的error handler来处理这个问题.

另请参阅相关问题Caller function in PHP 5?.我使用了array_slice,以便您可以创建一个附加参数来定义要在回溯中“向上”运行的步数.

点赞