我有一个多维数组,其中我无法知道深度。例如,数组可能如下所示:
$array = array(
1 => array(
5 => array(
3 => 'testvalue1'
)
),
2 => array(
6 => 'testvalue2'
),
3 => 'testvalue3',
4 => 'testvalue4',
);
使用这个数组我想创建一个目录。这意味着需要保留密钥,因为我将它们用作“章节编号”。例如,“testvalue1”在第1.5.3章中
现在我想在保留所有键的同时遍历数组 - 不使用array_walk_recursive,因为包含另一个数组的键被删除(正确?),并且考虑到速度,最好不使用嵌套的foreach循环。
有什么建议我应该怎么做?在此先感谢。
PS:对于我的脚本,如果键是字符串(“1”而不是1)或整数,则无关紧要,如果将字符串作为键将使array_walk_recursive保留它们。
答案 0 :(得分:8)
您可以借助堆栈迭代数组来构建您的toc。
$stack = &$array;
$separator = '.';
$toc = array();
while ($stack) {
list($key, $value) = each($stack);
unset($stack[$key]);
if (is_array($value)) {
$build = array($key => ''); # numbering without a title.
foreach ($value as $subKey => $node)
$build[$key . $separator . $subKey] = $node;
$stack = $build + $stack;
continue;
}
$toc[$key] = $key. ' ' . $value;
}
print_r($toc);
输出:
Array
(
[1] => 1
[1.5] => 1.5
[1.5.3] => 1.5.3 testvalue1
[2] => 2
[2.6] => 2.6 testvalue2
[3] => 3 testvalue3
[4] => 4 testvalue4
)
如果需要,您还可以另外处理关卡,但您的问题并不清楚。
array_walk_recursive
不起作用,因为它不会为您提供父元素的键。请参阅此相关问题:Transparently flatten an array,它有一个很好的答案,也有助于更一般的案例。
答案 1 :(得分:2)
<?php
$td = array(1=>array(5=>array(3=>'testvalue1',array(6=>'testvalue2'))),2=>array(6=>'testvalue2',array(6=>'testvalue2',array(6=>'testvalue2'),array(6=>'testvalue2',array(6=>'testvalue2')))),3=>'testvalue3',4=>'testvalue4');
print_r($td);
$toc = '';
function TOC($arr,$ke='',$l=array()) {
if (is_array($arr)) {
if ($ke != '') array_push($l,$ke);
foreach($arr as $k => $v)
TOC($v,$k,$l);
}
else {
array_push($l,$ke);
$GLOBALS['toc'].=implode('.',$l)." = $arr\n";
}
}
toc($td);
echo "\n\n".$toc;
?>
答案 2 :(得分:0)
试试这个:
<?php
$ar = array(
1 => array(
5 => array(
3 => 'testvalue1',
5 => 'test',
6 => array(
9 => 'testval 9'
)
),
8 => 'testvalue9'
),
2 => array(
6 => 'testvalue2',
7 => 'testvalue8',
2 => array(
6 => 'testvalue2',
7 => 'testvalue8'
),
),
3 => 'testvalue3',
4 => 'testvalue4'
);
function getNestedItems($input, $level = array()){
$output = array();
foreach($input as $key => $item){
$level[] = $key;
if(is_array($item)){
$output = (array)$output + (array)getNestedItems($item, $level);
} else {
$output[(string)implode('.', $level)] = $item;
}
array_pop($level);
}
return $output;
}
var_dump(getNestedItems($ar));