Search code examples
javascriptangularjsframeworksangularjs-ng-repeatangular-filters

How to filter (key, value) with ng-repeat in AngularJs?


I am trying to do something like :

<div ng-controller="TestCtrl">
    <div ng-repeat="(k,v) in items | filter:hasSecurityId">
        {{k}} {{v.pos}}
    </div>
</div>

AngularJs Part:

function TestCtrl($scope) 
{
    $scope.items = {
                     'A2F0C7':{'secId':'12345', 'pos':'a20'},
                     'C8B3D1':{'pos':'b10'}
                   };

    $scope.hasSecurityId = function(k,v)
    {
       return v.hasOwnProperty('secId');
    }
}

But somehow, it is showing me all items. How can I filter on (key,value) ?


Solution

  • Angular filters can only be applied to arrays and not objects, from angular's API -

    "Selects a subset of items from array and returns it as a new array."

    You have two options here:
    1) move $scope.items to an array or -
    2) pre-filter the ng-repeat items, like this:

    <div ng-repeat="(k,v) in filterSecId(items)">
        {{k}} {{v.pos}}
    </div>
    

    And on the Controller:

    $scope.filterSecId = function(items) {
        var result = {};
        angular.forEach(items, function(value, key) {
            if (!value.hasOwnProperty('secId')) {
                result[key] = value;
            }
        });
        return result;
    }
    

    jsfiddle: http://jsfiddle.net/bmleite/WA2BE/