Проблема построения дерева из плоского массива была решена здесь с этим, слегка модифицирована, рекурсивное решение:
/**
* Modification of "Build a tree from a flat array in PHP"
*
* Authors: @DSkinner, @ImmortalFirefly and @SteveEdson
*
* @link https://stackoverflow.com/a/28429487/2078474
*/
function buildTree( array &$elements, $parentId = 0 )
{
$branch = array();
foreach ( $elements as &$element )
{
if ( $element->menu_item_parent == $parentId )
{
$children = buildTree( $elements, $element->ID );
if ( $children )
$element->wpse_children = $children;
$branch[$element->ID] = $element;
unset( $element );
}
}
return $branch;
}
где мы добавили префикс wpse_children
атрибут, чтобы избежать конфликта имен.
Теперь нам осталось только определить простую вспомогательную функцию:
/**
* Transform a navigational menu to it's tree structure
*
* @uses buildTree()
* @uses wp_get_nav_menu_items()
*
* @param String $menud_id
* @return Array|null $tree
*/
function wpse_nav_menu_2_tree( $menu_id )
{
$items = wp_get_nav_menu_items( $menu_id );
return $items ? buildTree( $items, 0 ) : null;
}
Теперь становится очень легко преобразовать навигационное меню в его древовидную структуру с помощью:
$tree = wpse_nav_menu_2_tree( 'my_menu' ); // <-- Modify this to your needs!
print_r( $tree );
Для JSON мы можем просто использовать:
$json = json_encode( $tree );
Для немного другой версии, где мы выбрали атрибуты, ознакомьтесь с первой версией этого ответа здесь .
Обновление: класс Уокера
Вот довольно схематичная идея, как мы можем попытаться подключиться к рекурсивной части display_element()
метода абстрактного Walker
класса.
$w = new WPSE_Nav_Menu_Tree;
$args = (object) [ 'items_wrap' => '', 'depth' => 0, 'walker' => $w ];
$items = wp_get_nav_menu_items( 'my_menu' );
walk_nav_menu_tree( $items, $args->depth, $args );
print_r( $w->branch );
где WPSE_Nav_Menu_Tree
расширение Walker_Nav_Menu
класса:
class WPSE_Nav_Menu_Tree extends Walker_Nav_Menu
{
public $branch = [];
public function display_element($element, &$children, $max_depth, $depth = 0, $args, &$output )
{
if( 0 == $depth )
$this->branch[$element->ID] = $element;
if ( isset($children[$element->ID] ) )
$element->wpse_children = $children[$element->ID];
parent::display_element($element, $children, $max_depth, $depth, $args, $output);
}
}
Это может дать нам альтернативный подход, если он работает.