假设我有以下内容:

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)

当前回答

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

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 ] ) ); /* 输出: [ “一”, “两个”, “三” ] * /

其他回答

有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

让移动= [{id: 1、品牌:“B1”},{id: 2、品牌:“B2”},{id: 3、品牌:“B1”},{id: 4、品牌:“B1”},{id: 5、品牌:“B2”},{id: 6、品牌:“B3”}] let allBrandsArr = mobilePhones .map(row=>{ 返回row.brand; }); let uniqueBrands = allBrandsArr。filter((item, index, array) => (array . indexof (item) === index)); console.log('uniqueBrands ', uniqueBrands);

underscore.js _.uniq (_.pluck(数组,“年龄”))

如果你被ES5卡住了,或者由于某种原因不能使用new Set或new Map,并且你需要一个包含具有唯一键的值的数组(而不仅仅是唯一键的数组),你可以使用以下方法:

function distinctBy(key, array) {
    var keys = array.map(function (value) { return value[key]; });
    return array.filter(function (value, index) { return keys.indexOf(value[key]) === index; });
}

或者是TypeScript中的类型安全等效:

public distinctBy<T>(key: keyof T, array: T[]) {
    const keys = array.map(value => value[key]);
    return array.filter((value, index) => keys.indexOf(value[key]) === index);
}

用法:

var distinctPeople = distinctBy('age', people);

所有其他的答案:

返回唯一键的数组而不是对象(就像返回年龄列表而不是有唯一年龄的人); 使用ES6, new Set, new Map等可能无法提供给你; 没有可配置的键(比如将.age硬编码到不同的函数中); 假设键可以用于索引数组,但这并不总是正确的,TypeScript不允许这样做。

这个答案没有以上四个问题中的任何一个。

使用lodash

var array = [
    { "name": "Joe", "age": 17 },
    { "name": "Bob", "age": 17 },
    { "name": "Carl", "age": 35 }
];
_.chain(array).pluck('age').unique().value();
> [17, 35]