66

I have simple function to return me object which meets my criteria.

Code looks like:

    var res = _.find($state.get(), function(i) {
        var match = i.name.match(re);
        return match &&
            (!i.restrict || i.restrict($rootScope.user));
    });

How can I find all results (not just first) which meets this criteria but all results.

Thanks for any advise.

Andurit
  • 5,612
  • 14
  • 69
  • 121

3 Answers3

122

Just use _.filter - it returns all matched items.

_.filter

Iterates over elements of collection, returning an array of all elements predicate returns truthy for. The predicate is invoked with three arguments: (value, index|key, collection).

Mike Bovenlander
  • 5,236
  • 5
  • 28
  • 47
stasovlas
  • 7,136
  • 2
  • 28
  • 29
8

You can use _.filter, passing in all of your requirements like so:

var res = _.filter($state.get(), function(i) {
        var match = i.name.match(re);
        return match &&
            (!i.restrict || i.restrict($rootScope.user));
    });

Link to documentation

Gerard Simpson
  • 2,026
  • 2
  • 30
  • 45
7

Without lodash using ES6, FYI:

Basic example (gets people whose age is less than 30):

const peopleYoungerThan30 = personArray.filter(person => person.age < 30)

Example using your code:

$state.get().filter(i => {
    var match = i.name.match(re);
    return match &&
            (!i.restrict || i.restrict($rootScope.user));
})
ABCD.ca
  • 2,365
  • 3
  • 32
  • 24