0

我有一个将数组更改为 html 列表(ol/ul)的函数。数组的深度作为参数传递。

我只想在一个函数中做到这一点。

for($i = 0; $i < $depth; $i++) {
   foreach($list_array as $li) {
      if(! is_array($li))
      {
         $str .= '<li>' . $li . '</li>';
      }
   }
}

这段代码给了我数组的第一个维度。每次$i增量时,我都想展平这个数组。

你有什么建议可能有用吗?

是的,我知道array_walk_recursive(),对象迭代器等......我想知道是否有一种简单的方法可以在不使用任何其他方法的情况下完成这项任务。我什么都想不出来。

不,这不是任何不允许我使用迭代器等的大学项目。

编辑:

print_list(array(
   'some first element',
   'some second element',
   array(
      'nested element',
      'another nested element',
      array(
         'something else'
      )
   )
));

应该输出类似:

<ul>
   <li>some first element</li>
   <li>some second element</li>
   <ul>
      <li>nested element</li>
      <li>another nested element</li> // etc
4

2 回答 2

1

这可能是使用递归最容易完成的:

function print_list($array){
    echo '<ul>';
    // examine every value in the array
    // (including values that may also be arrays)
    for($array as $val){
        if(is_array($val){
            // when we discover the value is, in fact, an array
            // print it as if it were the top-level array using
            // this function
            print_list($val);
        }else{
            // if this is a regular value, print it as a list item
            echo '<li>'.$val.'</li>';
        }
    }
    echo '</ul>';
}

如果你想做缩进,你可以定义一个深度跟踪参数和一个协程 ( print_list_internal($array, $depth)) 或者只是添加一个默认参数 ( print_list($array,$depth=0)),然后根据$depth.

于 2013-03-29T19:00:46.637 回答
1
function print_list($array) {
  echo '<ul>';
  // First print all top-level elements
  foreach ($array as $val) {
    if (!is_array($val)) {
      echo '<li>'.$val.'</li>';
    }
  }
  // Then recurse into all the sub-arrays
  foreach ($array as $val) {
    if (is_array($val)) {
      print_list($val);
    }
  }
  echo '</ul>';
}
于 2013-03-29T19:05:07.930 回答