假设我有以下内容:
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)
你可以使用lodash来写一段不那么冗长的代码
方法1:嵌套方法
let array =
[
{"name":"Joe", "age":17},
{"name":"Bob", "age":17},
{"name":"Carl", "age": 35}
]
let result = _.uniq(_.map(array,item=>item.age))
方法二:方法链式或级联式
let array =
[
{"name":"Joe", "age":17},
{"name":"Bob", "age":17},
{"name":"Carl", "age": 35}
]
let result = _.chain(array).map(item=>item.age).uniq().value()
您可以从https://lodash.com/docs/4.17.15#uniq阅读有关lodash的uniq()方法
高效和干净的方法,使用iter-ops库:
import {pipe, distinct, map} from 'iter-ops';
const array =
[
{name: 'Joe', age: 17},
{name: 'Bob', age: 17},
{name: 'Carl', age: 35}
];
const i = pipe(
array,
distinct(a => a.age),
map(m => m.age)
);
const uniqueAges = [...i]; //=> [17, 35]
刚找到这个,我觉得很有用
_.map(_.indexBy(records, '_id'), function(obj){return obj})
还是用下划线,如果你有一个这样的对象
var records = [{_id:1,name:'one', _id:2,name:'two', _id:1,name:'one'}]
它只会给你唯一的对象。
这里发生的是indexBy返回一个像这样的映射
{ 1:{_id:1,name:'one'}, 2:{_id:2,name:'two'} }
因为它是一个映射,所有的键都是唯一的。
然后我把这个列表映射回数组。
如果你只需要不同的值
_.map(_.indexBy(records, '_id'), function(obj,key){return key})
请记住,键是作为字符串返回的,因此,如果您需要整数,您应该这样做
_.map(_.indexBy(records, '_id'), function(obj,key){return parseInt(key)})
Const数组= [
{" id ": " 93 ", "名称":" CVAM_NGP_KW "},
{" id ": " 94 ", "名称":" CVAM_NGP_PB "},
{" id ": " 93 ", "名称":" CVAM_NGP_KW "},
{" id ": " 94 ", "名称":" CVAM_NGP_PB "}
]
函数uniq(数组,字段){
返回数组中。Reduce((累加器,电流)=> {
如果(! accumulator.includes(当前(领域))){
accumulator.push(当前(领域))
}
返回蓄电池;
}, []
)
}
Const id = uniq(数组,'id');
console.log (ids)
/ *输出
(“93”,“94”)
* /
以防你需要整个对象的唯一性
const _ = require('lodash');
var objects = [
{ 'x': 1, 'y': 2 },
{ 'y': 1, 'x': 2 },
{ 'x': 2, 'y': 1 },
{ 'x': 1, 'y': 2 }
];
_.uniqWith(objects, _.isEqual);
[对象{x: 1, y: 2},对象{x: 2, y: 1}]