我正在寻找一种在PHP中打印调用堆栈的方法。

如果函数刷新IO缓冲区,则加分。


当前回答

如果一个人只是对文件感兴趣,你可以使用以下:

print_r (array_column debug_backtrace()、“文件”);

同样地,您可以用不同的键替换文件,只是为了查看该数据。

其他回答

如果你想生成一个反向跟踪,你需要寻找debug_backtrace和/或debug_print_backtrace。

例如,第一个会给你一个像这样的数组(引用手册):

array(2) {
[0]=>
array(4) {
    ["file"] => string(10) "/tmp/a.php"
    ["line"] => int(10)
    ["function"] => string(6) "a_test"
    ["args"]=>
    array(1) {
      [0] => &string(6) "friend"
    }
}
[1]=>
array(4) {
    ["file"] => string(10) "/tmp/b.php"
    ["line"] => int(2)
    ["args"] =>
    array(1) {
      [0] => string(10) "/tmp/a.php"
    }
    ["function"] => string(12) "include_once"
  }
}

它们显然不会刷新I/O缓冲区,但您可以自己使用flush和/或ob_flush来实现这一点。

(请参阅第一个的手册页,找出为什么“and/or”;-))

Walltearer的解决方案非常出色,特别是如果包含在'pre'标签中:

<pre>
<?php debug_print_backtrace(DEBUG_BACKTRACE_IGNORE_ARGS); ?>
</pre>

-它将调用放在单独的行上,整齐地编号

回溯会转储大量您不需要的垃圾。它需要很长时间,很难阅读。你想要的通常是"什么从哪里叫什么?"这里是一个简单的静态函数解决方案。我通常把它放在一个名为“调试”的类中,其中包含了我所有的调试实用程序函数。

class debugUtils {
    public static function callStack($stacktrace) {
        print str_repeat("=", 50) ."\n";
        $i = 1;
        foreach($stacktrace as $node) {
            print "$i. ".basename($node['file']) .":" .$node['function'] ."(" .$node['line'].")\n";
            $i++;
        }
    } 
}

你这样称呼它:

debugUtils::callStack(debug_backtrace());

它产生如下输出:

==================================================
 1. DatabaseDriver.php::getSequenceTable(169)
 2. ClassMetadataFactory.php::loadMetadataForClass(284)
 3. ClassMetadataFactory.php::loadMetadata(177)
 4. ClassMetadataFactory.php::getMetadataFor(124)
 5. Import.php::getAllMetadata(188)
 6. Command.php::execute(187)
 7. Application.php::run(194)
 8. Application.php::doRun(118)
 9. doctrine.php::run(99)
 10. doctrine::include(4)
==================================================

记录跟踪

$e = new Exception;
error_log(var_export($e->getTraceAsString(), true));

谢谢@Tobiasz

我修改了上面Don Briggs的回答,使用内部错误记录而不是公开打印,这可能是您在活动服务器上工作时最关心的问题。此外,增加了一些更多的修改,如选项包括完整的文件路径,而不是基本名称(因为,可能有相同名称的文件在不同的路径),以及(对于那些需要它的人)一个完整的节点堆栈输出:

class debugUtils {
    public static function callStack($stacktrace) {
        error_log(str_repeat("=", 100));
        $i = 1;
        foreach($stacktrace as $node) {
            // uncomment next line to debug entire node stack
            // error_log(print_r($node, true));
            error_log( $i . '.' . ' file: ' .$node['file'] . ' | ' . 'function: ' . $node['function'] . '(' . ' line: ' . $node['line'] . ')' );
            $i++;
        }
        error_log(str_repeat("=", 100));
    } 
}

// call debug stack
debugUtils::callStack(debug_backtrace());