現在のメニュー項目を強調表示する方法は?


205

AngularJS activeは、現在のページのリンクにクラスを設定するのに何らかの方法で役立ちますか?

これには魔法のような方法があると思いますが、見つけられないようです。

私のメニューは次のようになります:

 <ul>
   <li><a class="active" href="/tasks">Tasks</a>
   <li><a href="/actions">Tasks</a>
 </ul>

そして私は私のルートにそれぞれのコントローラーを持っています:TasksControllerActionsController

しかし、aリンク上の「アクティブ」クラスをコントローラーにバインドする方法がわかりません。

ヒントはありますか?

回答:


265

表示中

<a ng-class="getClass('/tasks')" href="/tasks">Tasks</a>

コントローラ上

$scope.getClass = function (path) {
  return ($location.path().substr(0, path.length) === path) ? 'active' : '';
}

これにより、タスクリンクは、 '/ tasks'で始まるすべてのURLにアクティブクラスを持ちます(例: '/ tasks / 1 / reports')


4
これは、「/」と「/ anything」の両方に一致するか、「/ test」、「/ test / this」、「/ test / this / path」などの類似したURLのメニュー項目が複数ある場合、 / test、それらすべてのオプションを強調表示します。
Ben Lesh 2013年

3
これをif($ location.path()== path)および、yパスが「/ blah」などに変更しました
Tim

113
私は表記を好むngClass="{active: isActive('/tasks')}isActive()それはコントローラとマークアップ/スタイリングを切り離すようにブール値を返すであろうが。
Ed Hinchliffe 2013年

6
パスが「/」の場合にコードが2倍にならないように誰かが疑問に思っている場合に備えて、これはそれです(書式設定は申し訳ありません)。$ scope.getClass = function(path){if($ location.path()。 substr(0、path.length)== path){if(path == "/" && $ location.path()== "/"){return "active"; } else if(path == "/"){return ""; } return "active"} else {return ""}}

1
EdHinchliffeは、これがマークアップとロジックを混合していることをすでに指摘しました。また、パスが重複するため、コピーと貼り付けのエラーが発生しやすくなります。@kfisによるディレクティブアプローチは、より多くの行ですが、再利用可能であり、マークアップをよりクリーンに保つことがわかりました。
A.マレー

86

リンクにディレクティブを使用することをお勧めします。

しかし、まだ完璧ではありません。hashbangsに注意してください;)

ディレクティブのJavaScriptは次のとおりです。

angular.module('link', []).
  directive('activeLink', ['$location', function (location) {
    return {
      restrict: 'A',
      link: function(scope, element, attrs, controller) {
        var clazz = attrs.activeLink;
        var path = attrs.href;
        path = path.substring(1); //hack because path does not return including hashbang
        scope.location = location;
        scope.$watch('location.path()', function (newPath) {
          if (path === newPath) {
            element.addClass(clazz);
          } else {
            element.removeClass(clazz);
          }
        });
      }
    };
  }]);

そしてこれがhtmlでどのように使用されるかです:

<div ng-app="link">
  <a href="#/one" active-link="active">One</a>
  <a href="#/two" active-link="active">One</a>
  <a href="#" active-link="active">home</a>
</div>

その後cssでスタイリング:

.active { color: red; }

「ハッシュバングに気をつけて」という意味がわかりません。それはいつもうまくいくようです。反例を提供できますか?
Andriy Drozdyuk 2013年

7
Bootstrapを使用しようとしていて、li内のaのhrefのハッシュに基づいて設定する必要がある場合は、を使用しますvar path = $(element).children("a")[0].hash.substring(1);。これは次のようなスタイルで機能します<li active-link="active"><a href="#/dashboard">Dashboard</a></li>
Dave

2
私が変わってしまうscope.$watch('location.path()', function(newPath) {ためscope.$on('$locationChangeStart', function(){
sanfilippopablo 2013

2
あなたはNG-HREFを使用している場合だけ変更: var path = attrs.href;var path = attrs.href||attrs.ngHref;
ウィリアム・ニーリー

あなたがブートストラップを使用し、上のアクティブなクラスを置く必要がある場合<li>、あなたは変更することができますelement.addClass(clazz);element.parent().addClass(clazz);
JamesRLamar

47

Angularでうまく機能する簡単なアプローチを以下に示します。

<ul>
    <li ng-class="{ active: isActive('/View1') }"><a href="#/View1">View 1</a></li>
    <li ng-class="{ active: isActive('/View2') }"><a href="#/View2">View 2</a></li>
    <li ng-class="{ active: isActive('/View3') }"><a href="#/View3">View 3</a></li>
</ul>

AngularJSコントローラー内:

$scope.isActive = function (viewLocation) {
     var active = (viewLocation === $location.path());
     return active;
};

このスレッドには他にも多くの同様の答えがあります。

Angular JSでブートストラップnavbarアクティブクラスを設定するにはどうすればよいですか?


1
変数は不要なので削除してください。比較結果を返すだけです。return viewLocation === $location.path()
afarazit 2017年

33

ちょうど2セントを議論に追加するために、純粋な角度モジュール(jQueryなし)を作成しました。これは、データを含むハッシュURLでも機能します。(例#/this/is/path?this=is&some=data

モジュールを依存関係として追加しauto-active、メニューの祖先の1つに追加するだけです。このような:

<ul auto-active>
    <li><a href="#/">main</a></li>
    <li><a href="#/first">first</a></li>
    <li><a href="#/second">second</a></li>
    <li><a href="#/third">third</a></li>
</ul>

そしてモジュールはこのようになります:

(function () {
    angular.module('autoActive', [])
        .directive('autoActive', ['$location', function ($location) {
        return {
            restrict: 'A',
            scope: false,
            link: function (scope, element) {
                function setActive() {
                    var path = $location.path();
                    if (path) {
                        angular.forEach(element.find('li'), function (li) {
                            var anchor = li.querySelector('a');
                            if (anchor.href.match('#' + path + '(?=\\?|$)')) {
                                angular.element(li).addClass('active');
                            } else {
                                angular.element(li).removeClass('active');
                            }
                        });
                    }
                }

                setActive();

                scope.$on('$locationChangeSuccess', setActive);
            }
        }
    }]);
}());

(もちろん、ディレクティブ部分だけを使用できます)

また、これは、少なくともまたはちょうど必要な空のハッシュ(example.com/#またはまたはexample.com)に対しては機能しないことにも注意してください。しかし、これはngResourceなどで自動的に行われます。example.com/#/example.com#/

そしてここにフィドルがあります:http : //jsfiddle.net/gy2an/8/


1
素晴らしいソリューションですが、アプリのライブ中のlocationChangeでのみ、最初のページの読み込みでは機能しませんでした。それを処理するようにスニペットを更新しました。
ジェリー

@ジャレック:ありがとう!変更を実装しました。私はこれに関して個人的に問題を抱えていませんでしたが、あなたの解決策はこの問題に遭遇するはずの人にとっては良い安定した解決策のようです。
Pylinux 14

2
他の誰かが良いアイデアを持っている場合、私はプルリクエスト用のGithubリポジトリを作成しました:github.com/Karl-Gustav/autoActive
Pylinux

ng-hrefを使用している場合に発生するいくつかのバグを修正しました。これは次の場所にあります:github.com/Karl-Gustav/autoActive/pull/3
Blake Niemyjski

このスクリプトでパスを指定できるようにすると、他の要素をアクティブにできるようになります。
Blake Niemyjski、2014年

22

私の場合、ナビゲーションを担当する簡単なコントローラーを作成することでこの問題を解決しました

angular.module('DemoApp')
  .controller('NavigationCtrl', ['$scope', '$location', function ($scope, $location) {
    $scope.isCurrentPath = function (path) {
      return $location.path() == path;
    };
  }]);

そして、ng-classを次のように要素に追加するだけです:

<ul class="nav" ng-controller="NavigationCtrl">
  <li ng-class="{ active: isCurrentPath('/') }"><a href="#/">Home</a></li>
  <li ng-class="{ active: isCurrentPath('/about') }"><a href="#/about">About</a></li>
  <li ng-class="{ active: isCurrentPath('/contact') }"><a href="#/contact">Contact</a></li>
</ul>

14

AngularUIルーターのユーザー:

<a ui-sref-active="active" ui-sref="app">

そして、active選択したオブジェクトにクラスを配置します。


2
これはui-routerディレクティブであり、ngRouteとも呼ばれる組み込みルーターを使用する場合は機能しません。そうは言っても、ui-routerは素晴らしいです。
moljac024 14年

同意する、私は最初にそれがuiルーターのみのソリューションであることを言及するのを忘れていました。
frankie4fingers

13

ng-class変数とcssクラスをバインドするディレクティブがあります。また、オブジェクト(classNameとbool値のペア)も受け入れます。

これが例です、http://plnkr.co/edit/SWZAqj


おかげで、これは次のようなパスでは機能しません/test1/blahblah
Andriy Drozdyuk 2012

それで、active: activePath=='/test1'パスが指定された文字列で始まる「アクティブ」が自動的に返されると言っていますか?これはある種の事前定義された演算子または正規表現ですか?
Andriy Drozdyuk 2012

申し訳ありませんが、私はあなたの要件を正しく理解したとは思いません。ここに私の新しい推測があります。ルートが「test1 / blahblah」のときに、「test1」リンクと「test1 / blahblah」リンクの両方を強調表示する必要があります。作業
Tosh

3
更新されたplnkrは次のとおりです。plnkr.co / edit / JI5DtK(これは推測された要件を満たしています)が代替ソリューションを示すだけです。
Tosh

あなたがそこで何をしたかわかる。しかし、私は==html で繰り返しチェックするのが好きではありません。
Andriy Drozdyuk 2013年

13

@ Renan-tomal-fernandesからの回答は良いですが、正しく動作するようにいくつかの改善が必要でした。それがそうであったように、たとえあなたが別のセクションにいたとしても、それはトリガーされたものとしてホームページ(/)へのリンクを常に検出します。

それで、少し改善しました、これがコードです。私はBootstrapを使用して、アクティブパーツがの<li>代わりに要素にあるようにし<a>ます。

コントローラ

$scope.getClass = function(path) {
    var cur_path = $location.path().substr(0, path.length);
    if (cur_path == path) {
        if($location.path().substr(0).length > 1 && path.length == 1 )
            return "";
        else
            return "active";
    } else {
        return "";
    }
}

テンプレート

<div class="nav-collapse collapse">
  <ul class="nav">
    <li ng-class="getClass('/')"><a href="#/">Home</a></li>
    <li ng-class="getClass('/contents/')"><a href="#/contests/">Contents</a></li>
    <li ng-class="getClass('/data/')"><a href="#/data/">Your data</a></li>
  </ul>
</div>

10

これは、上記の優れた提案のいくつかを読んだ後に私が思いついた解決策です。私の特定の状況では、ブートストラップタブコンポーネントをメニューとして使用しようとしていましたが、タブをメニューとして機能させ、各タブがブックマーク可能であるため、このAngular-UIバージョンを使用したくありませんでした。単一のページのナビゲーションとして機能するタブではなく。(http://angular-ui.github.io/bootstrap/#/tabsを参照してください Angular-UIバージョンのブートストラップタブの外観に興味がある場合は、)。

これを処理するための独自のディレクティブを作成することに関するkfisの回答は本当に気に入りましたが、すべてのリンクに配置する必要のあるディレクティブがあると面倒に思えました。そのため、代わりに一度配置される独自のAngularディレクティブを作成しましたul。他の誰かが同じことをしようとしている場合に備えて、私はそれをここに投稿すると思いましたが、前述のように、上記のソリューションの多くも機能します。これは、JavaScriptに関しては少し複雑なソリューションですが、最小限のマークアップで再利用可能なコンポーネントを作成します。

以下は、ディレクティブのJavaScriptとのルートプロバイダーですng:view

var app = angular.module('plunker', ['ui.bootstrap']).
  config(['$routeProvider', function($routeProvider) {
    $routeProvider.
        when('/One', {templateUrl: 'one.html'}).
        when('/Two', {templateUrl: 'two.html'}).
        when('/Three', {templateUrl: 'three.html'}).
        otherwise({redirectTo: '/One'});
  }]).
  directive('navTabs', ['$location', function(location) {
    return {
        restrict: 'A',
        link: function(scope, element) {
            var $ul = $(element);
            $ul.addClass("nav nav-tabs");

            var $tabs = $ul.children();
            var tabMap = {};
            $tabs.each(function() {
              var $li = $(this);
              //Substring 1 to remove the # at the beginning (because location.path() below does not return the #)
              tabMap[$li.find('a').attr('href').substring(1)] = $li;
            });

            scope.location = location;
            scope.$watch('location.path()', function(newPath) {
                $tabs.removeClass("active");
                tabMap[newPath].addClass("active");
            });
        }

    };

 }]);

それからあなたのhtmlであなたは単に:

<ul nav-tabs>
  <li><a href="#/One">One</a></li>
  <li><a href="#/Two">Two</a></li>
  <li><a href="#/Three">Three</a></li>
</ul>
<ng:view><!-- Content will appear here --></ng:view>

ここにそのプランカーがあります:http ://plnkr.co/edit/xwGtGqrT7kWoCKnGDHYN?p=preview 。


9

これは非常に簡単に実装できます。以下に例を示します。

<div ng-controller="MenuCtrl">
  <ul class="menu">
    <li ng-class="menuClass('home')"><a href="#home">Page1</a></li>
    <li ng-class="menuClass('about')"><a href="#about">Page2</a></li>
  </ul>

</div>

そしてあなたのコントローラーはこれでなければなりません:

app.controller("MenuCtrl", function($scope, $location) {
  $scope.menuClass = function(page) {
    var current = $location.path().substring(1);
    return page === current ? "active" : "";
  };
});


4

コントローラのスコープ外にあるメニューにも同様の問題がありました。これが最善の解決策なのか、推奨される解決策なのかはわかりませんが、これが私にとってうまくいきました。以下をアプリ構成に追加しました:

var app = angular.module('myApp');

app.run(function($rootScope, $location){
  $rootScope.menuActive = function(url, exactMatch){
    if (exactMatch){
      return $location.path() == url;
    }
    else {
      return $location.path().indexOf(url) == 0;
    }
  }
});

次に、私が持っているビューでは:

<li><a href="/" ng-class="{true: 'active'}[menuActive('/', true)]">Home</a></li>
<li><a href="/register" ng-class="{true: 'active'}[menuActive('/register')]">
<li>...</li>

ええと...これは受け入れられた答えよりも複雑に見えます。これよりも優れている点を教えてください。
Andriy Drozdyuk 2013年

1
メニューがng-viewの外にあるシナリオで必要になります。ビューコントローラーは外部にアクセスできないため、$ rootScopeを使用して通信を有効にしました。メニューがng-view内にある場合、このソリューションを使用してもメリットはありません。
mrt '19年

4

Angularバージョン6とBootstrap 4.1の併用

以下のように出来ました。

次の例では、URLに「/ contact」が表示されると、ブートストラップアクティブがhtmlタグに追加されます。URLが変更されると削除されます。

<ul>
<li class="nav-item" routerLink="/contact" routerLinkActive="active">
    <a class="nav-link" href="/contact">Contact</a>
</li>
</ul>

このディレクティブを使用すると、リンクのルートがアクティブになったときに要素にCSSクラスを追加できます。

Angularウェブサイトで詳細を読む


3

ディレクティブを使用して(ここではDOM操作を行っているため)、おそらく「角度のある方法」で最も近い方法を実行します。

$scope.timeFilters = [
  {'value':3600,'label':'1 hour'},
  {'value':10800,'label':'3 hours'},
  {'value':21600,'label':'6 hours'},
  {'value':43200,'label':'12 hours'},
  {'value':86400,'label':'24 hours'},
  {'value':604800,'label':'1 week'}
]

angular.module('whatever', []).directive('filter',function(){
return{
    restrict: 'A',
    template: '<li ng-repeat="time in timeFilters" class="filterItem"><a ng-click="changeTimeFilter(time)">{{time.label}}</a></li>',
    link: function linkFn(scope, lElement, attrs){

        var menuContext = attrs.filter;

        scope.changeTimeFilter = function(newTime){
          scope.selectedtimefilter = newTime;

        }

        lElement.bind('click', function(cevent){
            var currentSelection = angular.element(cevent.srcElement).parent();
            var previousSelection = scope[menuContext];

            if(previousSelection !== currentSelection){
                if(previousSelection){
                    angular.element(previousSelection).removeClass('active')
                }
                scope[menuContext] = currentSelection;

                scope.$apply(function(){
                    currentSelection.addClass('active');
                })
            }
        })
    }
}
})

次に、HTMLは次のようになります。

<ul class="dropdown-menu" filter="times"></ul>

面白い。しかしmenu-item、各行で冗長なようです。ul要素に属性(例:)を付ける<ul menu>方が良いかもしれませんが、それが可能かどうかはわかりません。
Andriy Drozdyuk 2013

新しいバージョンで更新されました-静的な順序なしリストの代わりに、Boostrapドロップダウンメニューを選択リストとして使用しています。
Wesley Hales 2013

これは最も慣用的な角度のように見えます。これは、stackoverflow.com / questions / 14994391 /…で提供されているアドバイスに適合しているようで、ビュー、href、およびng-classでパスが重複するのを回避します。
fundead 2013

2

私はそれをこのようにしました:

var myApp = angular.module('myApp', ['ngRoute']);

myApp.directive('trackActive', function($location) {
    function link(scope, element, attrs){
        scope.$watch(function() {
            return $location.path();
        }, function(){
            var links = element.find('a');
            links.removeClass('active');
            angular.forEach(links, function(value){
                var a = angular.element(value);
                if (a.attr('href') == '#' + $location.path() ){
                    a.addClass('active');
                }
            });
        });
    }
    return {link: link};
});

これにより、track-activeディレクティブがあるセクションにリンクを含めることができます。

<nav track-active>
     <a href="#/">Page 1</a>
     <a href="#/page2">Page 2</a>
     <a href="#/page3">Page 3</a>
</nav>

このアプローチは、他の方法よりもはるかにクリーンに思えます。

また、jQueryを使用している場合、jQliteは基本的なセレクターしかサポートしていないので、jQueryをもっとすっきりさせることができます。angularのインクルードの前にjqueryを組み込んだよりクリーンなバージョンは次のようになります。

myApp.directive('trackActive', function($location) {
    function link(scope, element, attrs){
        scope.$watch(function() {
            return $location.path();
        }, function(){
            element.find('a').removeClass('active').find('[href="#'+$location.path()+'"]').addClass('active');
        });
    }
    return {link: link};
});

ここにjsFiddleがあります


2

この問題の私の解決策route.currentは、角度テンプレートで使用します。

あなたが持っているとして/tasks、あなたのメニューのハイライトへのルートを、あなた自身のプロパティを追加することができmenuItem、あなたのモジュールで宣言したルートに:

$routeProvider.
  when('/tasks', {
    menuItem: 'TASKS',
    templateUrl: 'my-templates/tasks.html',
    controller: 'TasksController'
  );

次に、テンプレートでtasks.html次のng-classディレクティブを使用できます。

<a href="app.html#/tasks" 
    ng-class="{active : route.current.menuItem === 'TASKS'}">Tasks</a>

私の意見では、これは提案されたすべてのソリューションよりもはるかにクリーンです。


1

以下は、異なるレベルのパス一致を可能にするために行ったkfisディレクティブの拡張です。厳密な一致ではネストとデフォルトの状態リダイレクトが許可されないため、本質的に私は特定の深さまでURLパスを一致させる必要性を発見しました。お役に立てれば。

    .directive('selectedLink', ['$location', function(location) {
    return {
        restrict: 'A',
        scope:{
            selectedLink : '='
            },
        link: function(scope, element, attrs, controller) {
            var level = scope.selectedLink;
            var path = attrs.href;
            path = path.substring(1); //hack because path does not return including hashbang
            scope.location = location;
            scope.$watch('location.path()', function(newPath) {
                var i=0;
                p = path.split('/');
                n = newPath.split('/');
                for( i ; i < p.length; i++) { 
                    if( p[i] == 'undefined' || n[i] == 'undefined' || (p[i] != n[i]) ) break;
                    }

                if ( (i-1) >= level) {
                    element.addClass("selected");
                    } 
                else {
                    element.removeClass("selected");
                    }
                });
            }

        };
    }]);

そして、ここに私がリンクを使用する方法があります

<nav>
    <a href="#/info/project/list"  selected-link="2">Project</a>
    <a href="#/info/company/list" selected-link="2">Company</a>
    <a href="#/info/person/list"  selected-link="2">Person</a>
</nav>

このディレクティブは、ディレクティブの属性値で指定された深度レベルと一致します。他の場所で何度も使用できるという意味です。


1

以下は、アクティブなリンクを強調するためのさらに別のディレクティブです。

主な機能:

  • 動的角度式を含むhrefで正常に動作します
  • ハッシュバンナビゲーションと互換性があります
  • アクティブクラスをリンク自体ではなく親に適用する必要があるBootstrapと互換性があります。
  • ネストされたパスがアクティブな場合にリンクをアクティブにすることができます
  • アクティブでない場合、リンクを無効にすることができます

コード:

.directive('activeLink', ['$location', 
function($location) {
    return {
        restrict: 'A',
        link: function(scope, elem, attrs) {
            var path = attrs.activeLink ? 'activeLink' : 'href';
            var target = angular.isDefined(attrs.activeLinkParent) ? elem.parent() : elem;
            var disabled = angular.isDefined(attrs.activeLinkDisabled) ? true : false;
            var nested = angular.isDefined(attrs.activeLinkNested) ? true : false;

            function inPath(needle, haystack) {
                var current = (haystack == needle);
                if (nested) {
                    current |= (haystack.indexOf(needle + '/') == 0);
                }

                return current;
            }

            function toggleClass(linkPath, locationPath) {
                // remove hash prefix and trailing slashes
                linkPath = linkPath ? linkPath.replace(/^#!/, '').replace(/\/+$/, '') : '';
                locationPath = locationPath.replace(/\/+$/, '');

                if (linkPath && inPath(linkPath, locationPath)) {
                    target.addClass('active');
                    if (disabled) {
                        target.removeClass('disabled');
                    }
                } else {
                    target.removeClass('active');
                    if (disabled) {
                        target.addClass('disabled');
                    }
                }
            }

            // watch if attribute value changes / evaluated
            attrs.$observe(path, function(linkPath) {
                toggleClass(linkPath, $location.path());
            });

            // watch if location changes
            scope.$watch(
                function() {
                    return $location.path(); 
                }, 
                function(newPath) {
                    toggleClass(attrs[path], newPath);
                }
            );
        }
    };
}
]);

使用法:

角度式の簡単な例、$ scope.var = 2とすると、場所が/ url / 2の場合、リンクがアクティブになります。

<a href="#!/url/{{var}}" active-link>

ブートストラップの例、親liはアクティブなクラスを取得します。

<li>
    <a href="#!/url" active-link active-link-parent>
</li>

ネストされたURLの例、ネストされたURLがアクティブな場合、リンクはアクティブになります(つまり、/ url / 1/ url / 2url / 1/2 / ...

<a href="#!/url" active-link active-link-nested>

複雑な例、リンクは1つのURL(/ url1)を指しますが、別のURL が選択されている場合(/ url2)はアクティブになります。

<a href="#!/url1" active-link="#!/url2" active-link-nested>

無効なリンクの例、それがアクティブでない場合、「無効」クラスになります:

<a href="#!/url" active-link active-link-disabled>

すべてのactive-link- *属性は任意の組み合わせで使用できるため、非常に複雑な条件を実装できます。


1

個々のリンクを選択するのではなく、ラッパーでディレクティブのリンクが必要な場合(Batarangでスコープを確認しやすくなります)、これも非常にうまく機能します。

  angular.module("app").directive("navigation", [
    "$location", function($location) {
      return {
        restrict: 'A',
        scope: {},
        link: function(scope, element) {
          var classSelected, navLinks;

          scope.location = $location;

          classSelected = 'selected';

          navLinks = element.find('a');

          scope.$watch('location.path()', function(newPath) {
            var el;
            el = navLinks.filter('[href="' + newPath + '"]');

            navLinks.not(el).closest('li').removeClass(classSelected);
            return el.closest('li').addClass(classSelected);
          });
        }
      };
    }
  ]);

マークアップは次のようになります。

    <nav role="navigation" data-navigation>
        <ul>
            <li><a href="/messages">Messages</a></li>
            <li><a href="/help">Help</a></li>
            <li><a href="/details">Details</a></li>
        </ul>
    </nav>

また、この例では「全脂肪」のjQueryを使用していることにも触れておきますが、フィルタリングなどで行ったことを簡単に変更できます。


1

これが私の2セントです。これは問題なく動作します。

注:これは子ページ(私が必要とするもの)と一致しません。

見る:

<a ng-class="{active: isCurrentLocation('/my-path')}"  href="/my-path" >
  Some link
</a>

コントローラ:

// make sure you inject $location as a dependency

$scope.isCurrentLocation = function(path){
    return path === $location.path()
}

1

@kfisの回答によると、これはコメントであり、私の推奨する最終的なディレクティブは以下のとおりです。

.directive('activeLink', ['$location', function (location) {
    return {
      restrict: 'A',
      link: function(scope, element, attrs, controller) {
        var clazz = attrs.activeLink;        
        var path = attrs.href||attrs.ngHref;
        path = path.substring(1); //hack because path does not return including hashbang
        scope.location = location;
        scope.$watch('window.location.href', function () {
          var newPath = (window.location.pathname + window.location.search).substr(1);
          if (path === newPath) {
            element.addClass(clazz);
          } else {
            element.removeClass(clazz);
          }
        });
      }
    };
  }]);

そしてこれがhtmlでどのように使用されるかです:

<div ng-app="link">
  <a href="#/one" active-link="active">One</a>
  <a href="#/two" active-link="active">One</a>
  <a href="#" active-link="active">home</a>
</div>

その後cssでスタイリング:

.active { color: red; }

1

ui-routerを使用しているユーザーの場合、私の答えはEnder2050と多少似ていますが、状態名のテストを介してこれを行うことを好みます。

$scope.isActive = function (stateName) {
  var active = (stateName === $state.current.name);
  return active;
};

対応するHTML:

<ul class="nav nav-sidebar">
    <li ng-class="{ active: isActive('app.home') }"><a ui-sref="app.home">Dashboard</a></li>
    <li ng-class="{ active: isActive('app.tiles') }"><a ui-sref="app.tiles">Tiles</a></li>
</ul>

1

上記のディレクティブの提案はどれも私にとって役に立ちませんでした。あなたがこのようなブートストラップnavbarを持っているなら

<ul class="nav navbar-nav">
    <li><a ng-href="#/">Home</a></li>
    <li><a ng-href="#/about">About</a></li>
  ...
</ul>

(これは$ yo angularスタートアップの可能性があります)次に、要素自体ではなく、要素クラスリストに追加.activeします。すなわち。だから私はこれを書いた: <li><li class="active">..</li>

.directive('setParentActive', ['$location', function($location) {
  return {
    restrict: 'A',
    link: function(scope, element, attrs, controller) {
      var classActive = attrs.setParentActive || 'active',
          path = attrs.ngHref.replace('#', '');
      scope.location = $location;
      scope.$watch('location.path()', function(newPath) {
        if (path == newPath) {
          element.parent().addClass(classActive);
        } else {
          element.parent().removeClass(classActive);
        }
      })
    }
  }
}])

使用法set-parent-active; .activeデフォルトなので、設定する必要はありません

<li><a ng-href="#/about" set-parent-active>About</a></li>

<li>要素は.active、リンクがアクティブなときになります。の.activeような代替クラスを使用するには.highlight、単に

<li><a ng-href="#/about" set-parent-active="highlight">About</a></li>

scope。$ on( "$ routeChangeSuccess"、function(event、current、previous){applyActiveClass();});を試しました。ただし、リンクがクリックされたときにのみ機能し、「ページの読み込み時」(更新ボタンをクリックしたとき)では機能しません。場所を見るのがうまくいった
16

0

私にとって最も重要なことは、ブートストラップのデフォルトコードをまったく変更しないことでした。ここでは、メニューオプションを検索して、必要な動作を追加するのが私のメニューコントローラです。

file: header.js
function HeaderCtrl ($scope, $http, $location) {
  $scope.menuLinkList = [];
  defineFunctions($scope);
  addOnClickEventsToMenuOptions($scope, $location);
}

function defineFunctions ($scope) {
  $scope.menuOptionOnClickFunction = function () {
    for ( var index in $scope.menuLinkList) {
      var link = $scope.menuLinkList[index];
      if (this.hash === link.hash) {
        link.parentElement.className = 'active';
      } else {
        link.parentElement.className = '';
      }
    }
  };
}

function addOnClickEventsToMenuOptions ($scope, $location) {
  var liList = angular.element.find('li');
  for ( var index in liList) {
    var liElement = liList[index];
    var link = liElement.firstChild;
    link.onclick = $scope.menuOptionOnClickFunction;
    $scope.menuLinkList.push(link);
    var path = link.hash.replace("#", "");
    if ($location.path() === path) {
      link.parentElement.className = 'active';
    }
  }
}

     <script src="resources/js/app/header.js"></script>
 <div class="navbar navbar-fixed-top" ng:controller="HeaderCtrl">
    <div class="navbar-inner">
      <div class="container-fluid">
        <button type="button" class="btn btn-navbar" data-toggle="collapse" data-target=".nav-collapse">
          <span class="icon-bar"></span> <span class="icon-bar"></span> 
<span     class="icon-bar"></span>
        </button>
        <a class="brand" href="#"> <img src="resources/img/fom-logo.png"
          style="width: 80px; height: auto;">
        </a>
        <div class="nav-collapse collapse">
          <ul class="nav">
            <li><a href="#/platforms">PLATFORMS</a></li>
            <li><a href="#/functionaltests">FUNCTIONAL TESTS</a></li>
          </ul> 
        </div>
      </div>
    </div>
  </div>

0

同じ問題がありました。これが私の解決策です:

.directive('whenActive',
  [
    '$location',
    ($location)->
      scope: true,
      link: (scope, element, attr)->
        scope.$on '$routeChangeSuccess', 
          () ->
            loc = "#"+$location.path()
            href = element.attr('href')
            state = href.indexOf(loc)
            substate = -1

            if href.length > 3
              substate = loc.indexOf(href)
            if loc.length is 2
              state = -1

            #console.log "Is Loc: "+loc+" in Href: "+href+" = "+state+" and Substate = "+substate

            if state isnt -1 or substate isnt -1
              element.addClass 'selected'
              element.parent().addClass 'current-menu-item'
            else if href is '#' and loc is '#/'
              element.addClass 'selected'
              element.parent().addClass 'current-menu-item'
            else
              element.removeClass 'selected'
              element.parent().removeClass 'current-menu-item'
  ])

0

私はこのためのディレクティブを書いたところです。

使用法:

<ul class="nav navbar-nav">
  <li active><a href="#/link1">Link 1</a></li>
  <li active><a href="#/link2">Link 2</a></li>
</ul>

実装:

angular.module('appName')
  .directive('active', function ($location, $timeout) {
    return {
      restrict: 'A',
      link: function (scope, element, attrs) {
        // Whenever the user navigates to a different page...
        scope.$on('$routeChangeSuccess', function () {
          // Defer for other directives to load first; this is important
          // so that in case other directives are used that this directive
          // depends on, such as ng-href, the href is evaluated before
          // it's checked here.
          $timeout(function () {
            // Find link inside li element
            var $link = element.children('a').first();

            // Get current location
            var currentPath = $location.path();

            // Get location the link is pointing to
            var linkPath = $link.attr('href').split('#').pop();

            // If they are the same, it means the user is currently
            // on the same page the link would point to, so it should
            // be marked as such
            if (currentPath === linkPath) {
              $(element).addClass('active');
            } else {
              // If they're not the same, a li element that is currently
              // marked as active needs to be "un-marked"
              element.removeClass('active');
            }
          });
        });
      }
    };
  });

テスト:

'use strict';

describe('Directive: active', function () {

  // load the directive's module
  beforeEach(module('appName'));

  var element,
      scope,
      location,
      compile,
      rootScope,
      timeout;

  beforeEach(inject(function ($rootScope, $location, $compile, $timeout) {
    scope = $rootScope.$new();
    location = $location;
    compile = $compile;
    rootScope = $rootScope;
    timeout = $timeout;
  }));

  describe('with an active link', function () {
    beforeEach(function () {
      // Trigger location change
      location.path('/foo');
    });

    describe('href', function () {
      beforeEach(function () {
        // Create and compile element with directive; note that the link
        // is the same as the current location after the location change.
        element = angular.element('<li active><a href="#/foo">Foo</a></li>');
        element = compile(element)(scope);

        // Broadcast location change; the directive waits for this signal
        rootScope.$broadcast('$routeChangeSuccess');

        // Flush timeout so we don't have to write asynchronous tests.
        // The directive defers any action using a timeout so that other
        // directives it might depend on, such as ng-href, are evaluated
        // beforehand.
        timeout.flush();
      });

      it('adds the class "active" to the li', function () {
        expect(element.hasClass('active')).toBeTruthy();
      });
    });

    describe('ng-href', function () {
      beforeEach(function () {
        // Create and compile element with directive; note that the link
        // is the same as the current location after the location change;
        // however this time with an ng-href instead of an href.
        element = angular.element('<li active><a ng-href="#/foo">Foo</a></li>');
        element = compile(element)(scope);

        // Broadcast location change; the directive waits for this signal
        rootScope.$broadcast('$routeChangeSuccess');

        // Flush timeout so we don't have to write asynchronous tests.
        // The directive defers any action using a timeout so that other
        // directives it might depend on, such as ng-href, are evaluated
        // beforehand.
        timeout.flush();
      });

      it('also works with ng-href', function () {
        expect(element.hasClass('active')).toBeTruthy();
      });
    });
  });

  describe('with an inactive link', function () {
    beforeEach(function () {
      // Trigger location change
      location.path('/bar');

      // Create and compile element with directive; note that the link
      // is the NOT same as the current location after the location change.
      element = angular.element('<li active><a href="#/foo">Foo</a></li>');
      element = compile(element)(scope);

      // Broadcast location change; the directive waits for this signal
      rootScope.$broadcast('$routeChangeSuccess');

      // Flush timeout so we don't have to write asynchronous tests.
      // The directive defers any action using a timeout so that other
      // directives it might depend on, such as ng-href, are evaluated
      // beforehand.
      timeout.flush();
    });

    it('does not add the class "active" to the li', function () {
      expect(element.hasClass('active')).not.toBeTruthy();
    });
  });

  describe('with a formerly active link', function () {
    beforeEach(function () {
      // Trigger location change
      location.path('/bar');

      // Create and compile element with directive; note that the link
      // is the same as the current location after the location change.
      // Also not that the li element already has the class "active".
      // This is to make sure that a link that is active right now will
      // not be active anymore when the user navigates somewhere else.
      element = angular.element('<li class="active" active><a href="#/foo">Foo</a></li>');
      element = compile(element)(scope);

      // Broadcast location change; the directive waits for this signal
      rootScope.$broadcast('$routeChangeSuccess');

      // Flush timeout so we don't have to write asynchronous tests.
      // The directive defers any action using a timeout so that other
      // directives it might depend on, such as ng-href, are evaluated
      // beforehand.
      timeout.flush();
    });

    it('removes the "active" class from the li', function () {
      expect(element.hasClass('active')).not.toBeTruthy();
    });
  });
});

0

ルート:

$routeProvider.when('/Account/', { templateUrl: '/Home/Account', controller: 'HomeController' });

メニューhtml:

<li id="liInicio" ng-class="{'active':url=='account'}">

コントローラ:

angular.module('Home').controller('HomeController', function ($scope, $http, $location) {
    $scope.url = $location.url().replace(/\//g, "").toLowerCase();
...

ここで見つけた問題は、ページ全体が読み込まれたときにのみメニュー項目がアクティブになることです。部分ビューがロードされても、メニューは変わりません。なぜそれが起こるのか誰かが知っていますか?


0
$scope.getClass = function (path) {
return String(($location.absUrl().split('?')[0]).indexOf(path)) > -1 ? 'active' : ''
}


<li class="listing-head" ng-class="getClass('/v/bookings')"><a href="/v/bookings">MY BOOKING</a></li>
<li class="listing-head" ng-class="getClass('/v/fleets')"><a href="/v/fleets">MY FLEET</a></li>
<li class="listing-head" ng-class="getClass('/v/adddriver')"><a href="/v/adddriver">ADD DRIVER</a></li>
<li class="listing-head" ng-class="getClass('/v/bookings')"><a href="/v/invoice">INVOICE</a></li>
<li class="listing-head" ng-class="getClass('/v/profile')"><a href="/v/profile">MY PROFILE</a></li>
<li class="listing-head"><a href="/v/logout">LOG OUT</a></li>

0

私は最も簡単な解決策を見つけました。HTMLのindexOfを比較するだけです

var myApp = angular.module('myApp', []);

myApp.run(function($rootScope) {
    $rootScope.$on("$locationChangeStart", function(event, next, current) { 
         $rootScope.isCurrentPath = $location.path();  
    });
});



<li class="{{isCurrentPath.indexOf('help')>-1 ? 'active' : '' }}">
<a href="/#/help/">
          Help
        </a>
</li>
弊社のサイトを使用することにより、あなたは弊社のクッキーポリシーおよびプライバシーポリシーを読み、理解したものとみなされます。
Licensed under cc by-sa 3.0 with attribution required.