Logo Questions Linux Laravel Mysql Ubuntu Git Menu
 

Using an iterator function in Underscore's _.uniq

Tags:

I've looked at this Stack question, "Removing duplicate objects with Underscore for Javascript" and that is exactly what I am trying to do, but none of the examples work. In fact I can not get any iterator function to work with _.uniq.

_.uniq([1, 2, 1, 3, 1, 4]);
> [1, 2, 3, 4]
_.uniq([1, 2, 1, 3, 1, 4], false, function(a){ return a===4;});
> [1, 2, 3, 4]
_.uniq([1, 2, 1, 3, 1, 4], true, function(a){ return a===4;});
> [1, 2, 1, 3, 1, 4]
_.uniq([1, 2, 1, 3, 1, 4], false, function(a){ return false;});
> [1, 2, 3, 4]
_.uniq([1, 2, 1, 3, 1, 4], false, function(a){ return true;});
> [1, 2, 3, 4]

var people = [ { name: 'John', age: 20 }, { name: 'Mary', age: 31 }, { name: 'Kevin', age: 20 }]; 
_.uniq(people, false, function(p){ return p.age; });

> [ { age: 20, name: "John" }, 
    { age: 31, name: "Mary" },
    { age: 20, name: "Kevin" } ]

I would do:

_.uniq(_.map(people, function(p){ return p.age; }));
> [20, 31]

but it returns only the mapped value, not the original object.

Any help appreciated. I am using underscore version 1.1.7

like image 233
BishopZ Avatar asked Oct 23 '12 16:10

BishopZ


2 Answers

I had the same problem. It is caused because _.uniq() returns a new reduced array so you have to assing it to a variable. So with this little correction it has to work.

var people = [ { name: 'John', age: 20 }, { name: 'Mary', age: 31 }, { name: 'Kevin', age: 20 }];

people = _.uniq(people, false, function(p){ return p.age; });

[ { age: 20, name: "John" }, { age: 31, name: "Mary" } ]

like image 54
user3851962 Avatar answered Sep 26 '22 01:09

user3851962


Looks like comparison functions for _.uniq were introduced in 1.2.0

from the changelog:

_.uniq can now be passed an optional iterator, to determine by what criteria an object should be considered unique.

like image 31
benjaminbenben Avatar answered Sep 26 '22 01:09

benjaminbenben