我正试图根据我在数据库上的一些字符串值建立一个多维数组。基本值如下:
1
1.1
2
2.1
2.1.1
2.1.1.1
2.1.1.2
以此类推。我想要实现的是类似这样的东西:
$arr[1] = 1
$arr[1][1] = 1
$arr[2] = 2
$arr[2][1] = 1
$arr[2][1][1] = 1
$arr[2][1][1][1] = 1
$arr[2][1][1][2] = 2
你能帮帮我吗?
这类任务最容易用递归完成:
<?php
$s = '2.1.1';
$arr = insert(array(), explode('.', $s), 0);
print_r($arr);
function insert($arr, $items, $i)
{
if ($i < count($items)) {
$x = $items[$i];
$arr[$x] = array();
if ($i == count($items)-1) {
$arr[$x] = $x;
} else if ($i < count($items)) {
$arr[$x] = insert($arr[$x], $items, $i+1);
}
}
return $arr;
}
输出:
Array
(
[2] => Array
(
[1] => Array
(
[1] => 1
)
)
)