AngularJS中的子菜单(展开/折叠树)

时间:2014-10-26 08:27:58

标签: javascript html angularjs angularjs-directive angular-ui

过去的一天,我一直在寻找使用角度来控制带子菜单的菜单列表的最佳方法。

使用jQuery,您可以在特定类型的元素(如<li>)上单击事件后进行侦听,并在其子元素中添加一个类以打开菜单。

我尝试使用Angular执行与此页面http://geedmo.com/themeforest/wintermin/dashboard.html上的菜单相同的操作。但是无法通过使用我自己的指令或现有的指令(如ng-hide和ng-show)找到正确的方法。

如果有人有一个示例og指南如何以最好的方式做到这一点,我的一天将被保存。 :)

我也很有角度,所以每天都在学习新事物。

1 个答案:

答案 0 :(得分:8)

您可以使用以下代码在AngularJS上创建展开/折叠子菜单。

我已为您附上JSFiddle示例。

<div ng-controller="MyCtrl">
    <ul>
        <li ng-repeat="item in items" ng-click="showChilds(item)">
            <span>{{item.name}}</span>
            <ul>
                <li ng-repeat="subItem in item.subItems" ng-show="item.active">
                    <span>---{{subItem.name}}</span>
                </li>
            </ul>
        </li>
    </ul>
</div>

你的JS控制器:

function MyCtrl($scope) {    
    $scope.showChilds = function(item){
        item.active = !item.active;
    };

    $scope.items = [
        {
            name: "Item1",
            subItems: [
                {name: "SubItem1"},
                {name: "SubItem2"}
            ]
        },
        {
            name: "Item2",
            subItems: [
                {name: "SubItem3"},
                {name: "SubItem4"},
                {name: "SubItem5"}
            ]
        },
        {
            name: "Item3",
            subItems: [
                {name: "SubItem6"}
            ]
        }
    ];
};

<强>更新

由于您的评论我已经更新了我的帖子,当我们点击新菜单的项目时,前一个应该被折叠。

代码中的小变化。

根据您的需要新JSFiddle

<div ng-controller="MyCtrl">
    <ul>
        <li ng-repeat="item in items" ng-click="showChilds($index)">
            <span>{{item.name}}</span>
            <ul>
                <li ng-repeat="subItem in item.subItems" ng-show="item.active">
                    <span>---{{subItem.name}}</span>
                </li>
            </ul>
        </li>
    </ul>
</div>

你是JS控制器:

function MyCtrl($scope) {    
    $scope.showChilds = function(index){
        $scope.items[index].active = !$scope.items[index].active;
        collapseAnother(index);
    };

    var collapseAnother = function(index){
        for(var i=0; i<$scope.items.length; i++){
            if(i!=index){
                $scope.items[i].active = false;
            }
        }
    };

    $scope.items = [
       // items array the same with the previous example
    ];
};