如果我从以下开始:
var people = [
{id: 9, name: 'Bob', age: 14},
{id: 11, name: 'Joe', age: 15},
{id: 12, name: 'Ash', age: 24}]
我想使用underscore.js或lodash尝试获得的是一个哈希/对象,其中包含该集合中所有值的数组:
{
id: [9, 11, 12],
name: ['Bob', 'Joe', 'Ash'],
age: [14, 15, 24]
}
有什么想法吗?
答案 0 :(得分:6)
直接JavaScript代码(无库)的答案:
var result = {};
for (var i = 0; i < people.length; i++) {
var item = people[i];
for (var key in item) {
if (!(key in result))
result[key] = [];
result[key].push(item[key]);
}
}
答案 1 :(得分:2)
这是一个替代的普通javascript答案。它与Nayuki的基本相同,但可能更具表现力。
var obj = {};
people.forEach(function(person){
for(prop in person) {
obj[prop] = obj[prop] || [];
obj[prop].push(person[prop]);
}
});
答案 2 :(得分:1)
我不太了解javascript。 但是一种方法是创建三个数组,让我们说
ng-include
然后遍历people数组
var id = [];
var name = [];
var age = [];
现在您有三个具有各自ID,名称和年龄的数组
最后一步是创建最终对象
for(var i=0; i<people.length; i++){
id.push(people[i].id);
name.push(people[i].name);
age.push(people[i].age);
}
答案 3 :(得分:1)
使用array.map():
var acc = {};
for (k in people[0]) {
acc[k] = people.map(function (x) {
return x[k]
})
}
此解决方案假定所有需要的密钥都可以在people[0]
...
修改强>
这是一个更加极端的版本,应该抓住关键路线:
people.reduce(function (ac, item) {
for (k in item) {
if(!ac[k])
ac[k] =[];
ac[k].push(item[k])
}
return ac
}, {})
答案 4 :(得分:1)
使用Object.keys
,Array.prototype.reduce
和Array.prototype.map
方法的替代方案:
var res = Object.keys(people[0]).reduce(function(ret, key) {
ret[key] = people.map(function(el) { return el[key]; });
return ret;
}, {});