2

我有一个具有分层菜单的表,例如

"id" "parent_id" "name"
1 0 menu
2 1 item1
3 2 item1_1
4 1 item2
5 4 item2_1
...
...

我这里有 100 多个菜单项。为了获取数组中的所有项目,我必须编写一个像这样的递归函数

getmenu function(parent_id = 1)
{
  $items = mysql_query("SELECT id FROM table WHERE parent_id = " + parent_id);
  while ($item = msyql_Fetch_assoc($items)) {
    ...here I put them in array and call recursive function again to get sub items...
    getmenu($item['id']);
  }   
}

但这会执行 100 次查询。这是从数据库中获取分层菜单的最佳方法吗?这种方式加载mysql很多吗?

4

2 回答 2

4
$stmt = "SELECT id, parent_id FROM table";
$items = Array();
$result = mysql_query($stmt);

while ($line = mysql_fetch_assoc($result)) {
    $items[] = $line;
}

$hierarchy = Array();

foreach($items as $item) {
    $parentID = empty($item['parent_id']) ? 0 : $item['parent_id'];

    if(!isset($hierarchy[$parentID])) {
        $hierarchy[$parentID] = Array();
    }

    $hierarchy[$parentID][] = $item;
}

根级别将是$hierarchy[0]. 键是项目 ID,值都是直接子项。

于 2010-06-23T14:30:38.007 回答
4

如果您不介意更复杂的解决方案,请查看嵌套集。嵌套集具有非常好的SELECT性能,我认为选择在这里更重要。

借助嵌套集,可以以非常时尚和优雅的方式管理复杂的分层数据。

于 2010-06-23T14:44:36.113 回答