假设我有以下内容:

var array = 
    [
        {"name":"Joe", "age":17}, 
        {"name":"Bob", "age":17}, 
        {"name":"Carl", "age": 35}
    ]

获得所有不同年龄的数组的最佳方法是什么,这样我就得到了一个结果数组:

[17, 35]

是否有一些方法,我可以选择结构数据或更好的方法,这样我就不必遍历每个数组检查“年龄”的值,并检查另一个数组是否存在,如果没有添加它?

如果有某种方法可以让我不用迭代就能得到不同的年龄……

目前效率低下的方式,我想改进…如果它的意思不是“数组”是一个对象的数组,而是一个对象的“映射”与一些唯一的键(即。"1,2,3")也可以。我只是在寻找最高效的方式。

以下是我目前的做法,但对我来说,迭代似乎只是为了提高效率,即使它确实有效……

var distinct = []
for (var i = 0; i < array.length; i++)
   if (array[i].age not in distinct)
      distinct.push(array[i].age)

当前回答

使用ES6特性,你可以这样做:

const uniqueAges = [...new Set( array.map(obj => obj.age)) ];

其他回答

有LINQ .js - LINQ for JavaScript包(npm install LINQ), net开发人员应该很熟悉。

在样本中显示的其他方法中,有明显的过载。

通过属性值从对象数组中区分对象的示例 是

Enumerable.from(array).distinct(“$.id”).toArray();

从https://medium.com/@xmedeko i-recommend-you-to-try-https-github-com-mihaifm-linq-20a4e3c090e9

简单的一行代码,但性能出色。在我的测试中,比ES6解决方案快6%。

var ages = array.map(function(o){return o.age}).filter(function(v,i,a) {
    return a.indexOf(v)===i
});

使用集合和过滤器。这维持了秩序:

Let unique = (items) => { const s = new Set(); 返回items.filter((item) => { If (s.has(item)) { 返回错误; } s.add(项); 返回true; }); } console.log ( 独特的( [ 1, 2, 2, 3, 3, 3 ] ) ); /* 输出: [ “一”, “两个”, “三” ] * /

@travis-j的forEach版本的答案(对现代浏览器和Node JS世界很有帮助):

var unique = {};
var distinct = [];
array.forEach(function (x) {
  if (!unique[x.age]) {
    distinct.push(x.age);
    unique[x.age] = true;
  }
});

Chrome v29.0.1547更快34%:http://jsperf.com/filter-versus-dictionary/3

和一个通用的解决方案,需要一个mapper函数(略慢于直接映射,但这是预期的):

function uniqueBy(arr, fn) {
  var unique = {};
  var distinct = [];
  arr.forEach(function (x) {
    var key = fn(x);
    if (!unique[key]) {
      distinct.push(key);
      unique[key] = true;
    }
  });
  return distinct;
}

// usage
uniqueBy(array, function(x){return x.age;}); // outputs [17, 35]

Const数组= [ {"name": "Joe", "age": 17}, {"name":"Bob", "age":17}, {"name":"Carl", "age": 35} ] const allAges = array。Map (a => a.age); const uniqueSet = new Set(allAges) const uniqueArray =[…uniqueSet] console.log (uniqueArray)