web-dev-qa-db-ja.com

メニューから現在のナビゲーションパスを表示する

こんなものが欲しい

ホーム>製品>スチール>ネイル

この情報はメニュー構造から来るべきです! Breadcrumb NavXTをインストールしましたが、定義したパスのみを使用するようです(これは親プロセスなどです)。しかし、これはユーザーからではなくメニュー構造から必要です。各ページに親ページを設定する必要がありますか。それとも、メニューから階層を読み取る解決策がありますか。着席しているブレッドクラムNavXTを見つけられませんでした、そしてそれにはPHPスクリプトを書かなければならないようです。

編集する

私のフォローアップ質問のために、私は次のコードを追加しました:

if(in_array('current-menu-item', $item->classes)){
    $attributes .= ' class="active"';
}
4
testing

最善の方法は、カスタムウォーカーで wp_nav_menu を使用することです。

前提条件:

使用法

ブレッドクラムが欲しいところならどこにでも( テーマの場所が 'primary' の場合):

<?php wp_nav_menu( array( 
    'container' => 'none', 
    'theme_location' => 'primary',
    'walker'=> new SH_BreadCrumbWalker, 
    'items_wrap' => '<div id="breadcrumb-%1$s" class="%2$s">%3$s</div>'
 ) ); ?>

カスタムウォーカー

これは非常に basic です。 (これは別の方法で行うこともできます - 代わりにdisplay_elementを上書きしますか? - しかし、これは最も簡単な方法です)。これはあなたのfunctions.phpに住んでいるはずです

class SH_BreadCrumbWalker extends Walker{
    /**
     * @see Walker::$tree_type
     * @var string
     */
    var $tree_type = array( 'post_type', 'taxonomy', 'custom' );

    /**
     * @see Walker::$db_fields
     * @var array
     */
    var $db_fields = array( 'parent' => 'menu_item_parent', 'id' => 'db_id' );

    /**
     * delimiter for crumbs
     * @var string
     */
    var $delimiter = ' > ';

    /**
     * @see Walker::start_el()
     *
     * @param string $output Passed by reference. Used to append additional content.
     * @param object $item Menu item data object.
     * @param int $depth Depth of menu item.
     * @param int $current_page Menu item ID.
     * @param object $args
     */
    function start_el(&$output, $item, $depth, $args) {

        //Check if menu item is an ancestor of the current page
        $classes = empty( $item->classes ) ? array() : (array) $item->classes;
        $current_identifiers = array( 'current-menu-item', 'current-menu-parent', 'current-menu-ancestor' ); 
        $ancestor_of_current = array_intersect( $current_identifiers, $classes );     


        if( $ancestor_of_current ){
            $title = apply_filters( 'the_title', $item->title, $item->ID );

            //Preceed with delimter for all but the first item.
            if( 0 != $depth )
                $output .= $this->delimiter;

            //Link tag attributes
            $attributes  = ! empty( $item->attr_title ) ? ' title="'  . esc_attr( $item->attr_title ) .'"' : '';
            $attributes .= ! empty( $item->target )     ? ' target="' . esc_attr( $item->target     ) .'"' : '';
            $attributes .= ! empty( $item->xfn )        ? ' rel="'    . esc_attr( $item->xfn        ) .'"' : '';
            $attributes .= ! empty( $item->url )        ? ' href="'   . esc_attr( $item->url        ) .'"' : '';

            //Add to the HTML output
            $output .= '<a'. $attributes .'>'.$title.'</a>';
        }
    }
}
5
Stephen Harris