web-dev-qa-db-ja.com

php:関数の呼び出し元を特定します

PHPの関数がどこから呼び出されたのかを調べる方法はありますか?例:

function epic()
{
  fail();
}

function fail()
{
  //at this point, how do i know, that epic() has called this function?
}
90
pol_b

debug_backtrace() を使用できます。

例:

<?php

function epic( $a, $b )
{
    fail( $a . ' ' . $b );
}

function fail( $string )
{
    $backtrace = debug_backtrace();

    print_r( $backtrace );
}

epic( 'Hello', 'World' );

出力:

Array
(
    [0] => Array
        (
            [file] => /Users/romac/Desktop/test.php
            [line] => 5
            [function] => fail
            [args] => Array
                (
                    [0] => Hello World
                )

        )

    [1] => Array
        (
            [file] => /Users/romac/Desktop/test.php
            [line] => 15
            [function] => epic
            [args] => Array
                (
                    [0] => Hello
                    [1] => World
                )

        )

)
122
romac

debug_backtrace() を使用します。

function fail()
{
    $backtrace = debug_backtrace();

    // Here, $backtrace[0] points to fail(), so we'll look in $backtrace[1] instead
    if (isset($backtrace[1]['function']) && $backtrace[1]['function'] == 'epic')
    {
        // Called by epic()...
    }
}
24
BoltClock

私が見つけた最速で最もシンプルなソリューション

public function func() { //function whose call file you want to find
    $trace = debug_backtrace(DEBUG_BACKTRACE_IGNORE_ARGS, 1);
}

$trace: Array
(
    [0] => Array
        (
            [file] => C:\wamp\www\index.php
            [line] => 56
            [function] => func
            [class] => (func Class namespace)
            [type] => ->
        )

)

Lenovoノートパソコンで速度をテストします:Intel Pentiom CPU N3530 2.16GHz、RAM 8GB

global $times;
$start = microtime(true);
$trace = debug_backtrace(DEBUG_BACKTRACE_IGNORE_ARGS, 1);
$times[] = microtime(true) - $start;

結果:

count($times):  97
min:    2.6941299438477E-5
max:   10.68115234375E-5
avg:    3.3095939872191E-5
median: 3.0517578125E-5
sum:  321.03061676025E-5

the same results with notation without E-5
count($times):  97
min:    0.000026941299438477
max:    0.0001068115234375
avg:    0.000033095939872191
median: 0.000030517578125
sum:    0.0032103061676025
16

したがって、まだ方法がわからない場合は、ここに解決策があります:

$backtrace = debug_backtrace();
echo 'Mu name is '.$backtrace[1]['function'].', and I have called him! Muahahah!';
14
marverix

Debug_backtrace関数を使用します。 http://php.net/manual/en/function.debug-backtrace.php

5
Yehonatan

以下のコードを試してください。

foreach(debug_backtrace() as $t) {              
   echo $t['file'] . ' line ' . $t['line'] . ' calls ' . $t['function'] . "()<br/>";
}
3
Makwana Ketan

スタックの最上部で呼び出しの正確な起点を追跡する場合は、次のコードを使用できます。

$call_Origin = end(debug_backtrace(DEBUG_BACKTRACE_IGNORE_ARGS));

これは、連鎖関数を無視し、最も関連性の高い呼び出し情報のみを取得します(関連するものは、あなたが何を達成しようとしているかによって大まかに使用されます)。

3
Phillip Weber