Is there a way to find out how "deep" a PHP array is? Is there a way to find out how "deep" a PHP array is? arrays arrays

Is there a way to find out how "deep" a PHP array is?


Here's another alternative that avoids the problem Kent Fredric pointed out. It gives print_r() the task of checking for infinite recursion (which it does well) and uses the indentation in the output to find the depth of the array.

function array_depth($array) {    $max_indentation = 1;    $array_str = print_r($array, true);    $lines = explode("\n", $array_str);    foreach ($lines as $line) {        $indentation = (strlen($line) - strlen(ltrim($line))) / 4;        if ($indentation > $max_indentation) {            $max_indentation = $indentation;        }    }    return ceil(($max_indentation - 1) / 2) + 1;}


This should do it:

<?phpfunction array_depth(array $array) {    $max_depth = 1;    foreach ($array as $value) {        if (is_array($value)) {            $depth = array_depth($value) + 1;            if ($depth > $max_depth) {                $max_depth = $depth;            }        }    }    return $max_depth;}?>

Edit: Tested it very quickly and it appears to work.


Beware of the examples that just do it recursively.

Php can create arrays with references to other places in that array, and can contain objects with likewise recursive referencing, and any purely recursive algorithm could be considered in such a case a DANGEROUSLY naive one, in that it will overflow stack depth recursing, and never terminate.

( well, it will terminate when it exceeds stack depth, and at that point your program will fatally terminate, not what I think you want )

In past, I have tried serialise -> replacing reference markers with strings -> deserialise for my needs, ( Often debugging backtraces with loads of recursive references in them ) which seems to work OK, you get holes everywhere, but it works for that task.

For your task, if you find your array/structure has recursive references cropping up in it, you may want to take a look at the user contributed comments here: http://php.net/manual/en/language.references.spot.php

and then somehow find a way to count the depth of a recursive path.

You may need to get out your CS books on algorithms and hit up these babies:

( Sorry for being so brief, but delving into graph theory is a bit more than suited for this format ;) )