PHP遍历多维数组,同时保留键



我有一个多维数组,我不知道它的深度。例如,阵列可能看起来像这样:

$array = array(
    1 => array(
        5 => array(
            3 => 'testvalue1'
        )
    ),
    2 => array(
        6 => 'testvalue2'
    ),
    3 => 'testvalue3',
    4 => 'testvalue4',
);

使用这个数组,我想创建一个目录。这意味着密钥需要保留,因为我将它们用作"章节编号"。例如,"testvalue1"在第1.5.3章中。
现在,我想在保留所有键的情况下遍历数组——不要使用array_walk_recurive,因为包含另一个数组的键已被丢弃(正确吗?(,考虑到速度,最好不要使用嵌套的foreach循环
有什么建议我应该怎么做吗?提前谢谢

PS:对于我的脚本来说,键是字符串("1"而不是1(还是整数都无关紧要,如果将字符串作为键会使array_walk_recurive保留它们。

您可以在堆栈的帮助下迭代数组来构建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不起作用,因为它不会为您提供父元素的键。请参阅这个相关的问题:透明地压平数组,它有一个很好的答案,也有助于更通用的情况。

<?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)." = $arrn";
        }
    }
    toc($td);
    echo "nn".$toc;
?>

http://codepad.org/4l4385MZ

试试这个:

<?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));

相关内容

  • 没有找到相关文章

最新更新