Home > Article > Backend Development > How to Convert Multidimensional Arrays to 2D Arrays with Dot Notation Keys in PHP?
Converting Multidimensional Arrays to 2D Arrays with Dot Notation Keys in PHP
PHP's array structure allows for the use of dot notation, which provides a convenient way to access nested array elements. However, there are scenarios where converting a multidimensional array to a 2D array with dot notation keys is necessary.
Problem:
Given a multidimensional array, the goal is to transform it into a 2D array where each element is assigned a dot-notated key representing its path within the original array structure.
Solution:
Utilizing the RecursiveIteratorIterator and RecursiveArrayIterator classes enables us to traverse the multidimensional array recursively. During the traversal, keys are accumulated based on the depth of the iteration. The leaf values of the array are then assigned to the constructed dot-notated keys, resulting in the desired 2D array.
Code:
<code class="php">$ritit = new RecursiveIteratorIterator(new RecursiveArrayIterator($myArray)); $result = array(); foreach ($ritit as $leafValue) { $keys = array(); foreach (range(0, $ritit->getDepth()) as $depth) { $keys[] = $ritit->getSubIterator($depth)->key(); } $result[ join('.', $keys) ] = $leafValue; }</code>
Output:
Array ( [key1] => value1 [key2.subkey] => subkeyval [key3] => value3 [key4.subkey4.subsubkey4] => subsubkeyval4 [key4.subkey4.subsubkey5] => subsubkeyval5 [key4.subkey5] => subkeyval5 )
By utilizing the recursive nature of the iterator classes and the construction of dot-notated keys during the traversal, this code snippet effectively converts multidimensional arrays to 2D arrays with dot notation keys.
The above is the detailed content of How to Convert Multidimensional Arrays to 2D Arrays with Dot Notation Keys in PHP?. For more information, please follow other related articles on the PHP Chinese website!