Vấn đề xây dựng cây từ một mảng phẳng đã được giải quyết ở đây với giải pháp đệ quy, được sửa đổi một chút:
/**
* 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;
}
trong đó chúng tôi đã thêm wpse_children
thuộc tính tiền tố để tránh xung đột tên.
Bây giờ chúng ta chỉ phải xác định một hàm trợ giúp đơn giản:
/**
* 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;
}
Giờ đây, việc chuyển đổi một menu điều hướng thành cấu trúc cây của nó trở nên cực kỳ dễ dàng với:
$tree = wpse_nav_menu_2_tree( 'my_menu' ); // <-- Modify this to your needs!
print_r( $tree );
Đối với JSON, chúng ta chỉ cần sử dụng:
$json = json_encode( $tree );
Đối với một phiên bản hơi khác, nơi chúng tôi lựa chọn cẩn thận các thuộc tính, hãy xem phiên bản đầu tiên của câu trả lời này tại đây .
Cập nhật: Lớp Walker
Đây là một ý tưởng khá sơ sài làm thế nào chúng ta có thể cố gắng nối vào phần đệ quy của display_element()
phương thức của Walker
lớp trừu tượng .
$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 );
đâu WPSE_Nav_Menu_Tree
là phần mở rộng của Walker_Nav_Menu
lớp:
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);
}
}
Điều này có thể cho chúng ta một cách tiếp cận khác nếu nó hoạt động.