Andurit
Andurit

Reputation: 5762

lodash _.find all matches

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.

Upvotes: 66

Views: 89904

Answers (3)

stasovlas
stasovlas

Reputation: 7406

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).

Upvotes: 125

ABCD.ca
ABCD.ca

Reputation: 2495

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));
})

Upvotes: 8

Gerard Simpson
Gerard Simpson

Reputation: 2126

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

Upvotes: 8

Related Questions