0

我是 druapl 主题开发的新手。从 drupal 管理员创建分层菜单。我想在我的 page.tpl.php 文件中呈现这个菜单。我使用了以下代码,但它没有呈现子菜单。它并不是将它们显示为不显示,而是它们(子菜单)根本没有呈现。

$params = array(
  'links' => menu_navigation_links('menu-eschopper-main-menu'),
  'attributes' => array(
    'class'=> array('nav','navbar-nav','collapse', 'navbar-collapse'),
  ),
);
print theme('links', $params);
4

2 回答 2

4

我曾经手动完成,以完美控制渲染。您可以使用menu_tree_all_data()加载菜单链接,并在其上使用 foreach:

模板.php

function render_menu_tree($menu_tree) {
    print '<ul>';
    foreach ($menu_tree as $link) {
        print '<li>';
        $link_path = '#';
        $link_title = $link['link']['link_title'];
        if($link['link']['link_path']) {
            $link_path = drupal_get_path_alias($link['link']['link_path']);
        }
        print '<a href="/' . $link_path . '">' . $link_title . '</a>';
        if(count($link['below']) > 0) {
            render_menu_tree($link['below']);
        }
        print '</li>';
    }
    print '</ul>';
}

page.tpl.php

$main_menu_tree = menu_tree_all_data('menu-name', null, 3);
render_menu_tree($main_menu_tree);

menu_tree_all_data('menu-name')如果您不想使用深度限制,请改用。

于 2015-06-01T09:32:12.350 回答
0

您使用的功能“menu_navigation_links”仅显示单个级别的链接。您最好查看菜单块模块(https://www.drupal.org/project/menu_block)或使用以下示例的功能:

/**
 * Get a menu tree from a given parent.
 *
 * @param string $path
 *   The path of the parent item. Defaults to the current path.
 * @param int $depth
 *   The depth from the menu to get. Defaults to 1.
 *
 * @return array
 *   A renderable menu tree.
 */
function _example_landing_get_menu($path = NULL, $depth = 1) {
  $parent = menu_link_get_preferred($path);
  if (!$parent) {
    return array();
  }

  $parameters = array(
    'active_trail' => array($parent['plid']),
    'only_active_trail' => FALSE,
    'min_depth' => $parent['depth'] + $depth,
    'max_depth' => $parent['depth'] + $depth,
    'conditions' => array('plid' => $parent['mlid']),
  );

  return menu_build_tree($parent['menu_name'], $parameters);
}

此函数将返回从给定 url 开始的给定深度的菜单树。

以下代码将生成一个子菜单,以当前页面为父页面,并显示深度为 2 的子项目。

$menu = _example_landing_get_menu(NULL, 2);
print render($menu);
于 2014-11-20T12:08:58.313 回答