Home > Article > Backend Development > How to Determine the Depth of a Multidimensional PHP Array?
PHP arrays can contain nested arrays, creating complex hierarchical structures. Determining the maximum depth of nesting within these arrays can be essential for data analysis and manipulation.
One approach to determine the depth of an array is to recursively traverse its elements, counting the number of levels. The following function, array_depth(), takes an array as an input and calculates its maximum depth:
function array_depth($array) { $max_depth = 0; foreach ($array as $element) { if (is_array($element)) { $depth = $array_depth($element); if ($depth > $max_depth) { $max_depth = $depth; } } } return $max_depth + 1; }
In this function:
Another method avoids the potential issue of infinite recursion. It utilizes the indentation in the output of print_r(), which reflects the array's structure. The array_depth() function below uses this approach:
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; }
The above is the detailed content of How to Determine the Depth of a Multidimensional PHP Array?. For more information, please follow other related articles on the PHP Chinese website!