I know I could use the loop-every-single-list-item approach to filter out unique elements in a given list, but I feel like there's probably a neat, quick way to do it.
How can I find unique list items in JavaScript, without looping through and filtering them manually?
Lately I was working on event handling patch and needed fast method for filtering out unique function handlers in a callback lists which got to be run quite frequently.
Here's what I'm trying to do:
  Array.prototype.unique = (function () {
    // main Array#unique method
    var uni = function uni () {
      return this.filter(uni.x);
    };
    // attach a helper for resolving unique elements
    // if element is at current position, not before, 
    // it's unique one, pass `true` flag to .filter()
    uni.x = function (node, pos, ls) {
      return pos === ls.indexOf(node);
    };
    // save
    return uniq;
  })();
Implementation:
// sample list:
//   generate ~1K long list of integers:
//     get the keys of string object of length 32,
//     map every item to key-list itself, 
//     flatten, shuffle..
var ls = 
  Array.prototype.concat.apply([], 
    Object.keys(new String('1'.repeat(32)))).
  map(function (node, pos, list) { return list; }).
  sort(function () { return Math.random() < Math.random(); });
// run each function 1K times fetching unique values 
for (
  var 
    it   = -1, 
    l    = 1000, 
    // record iteration start
    tm   = Date.now();
  ++it < l; 
  ls.unique()
);
 
     
     
    