单数组到多数组javascript

时间:2018-06-28 19:45:17

标签: javascript arrays key associative

y具有关联的数组,并希望仅使用一个键值来保存多个数组,如下所示:

[
  key1: value1,
  key2: value2,
  key3: value3
]

[ key1: value1 ]
[ key2: value2 ]
[ key3: value3 ]

1 个答案:

答案 0 :(得分:0)

Associative Arrays are the same as Objects在JavaScript中,据我所知,大多数人都称它们为“对象”,而不是“关联数组”(在JavaScript上下文中)。 此答案还将把关联数组称为对象。

问题中的任何对象均无效。
您需要将对象文字用大括号括起来,而不是方括号(方括号用于数组文字)。 您需要将它们分配给变量(或将它们作为参数传递,或在它们前面使用return关键字,等等。)

我假设您要变成多个对象的对象是您的第一个示例,而第二个示例是完成后的外观。 这是您的示例,为了符合该假设,对其进行了重写。

// assign it to a variable
var firstExample = {
  key1: 'value1',   // dunno if value1, 2, or 3 are strings, but stringifying them works for an example
  key2: 'value2',
  key3: 'value3'
};

var secondExample = [   // I assume you want an array of objects, each with a single key/value pair.
    { key1: 'value1' },
    { key2: 'value2' },
    { key3: 'value3' },
];

也就是说,我能想到的最简单的方法来完成您要寻找的是获取对象的键,然后遍历它们并将它们映射到单个对象。

var firstExample = {
  key1: 'value1',
  key2: 'value2',
  key3: 'value3'
};

var secondExample = [
    { key1: 'value1' },
    { key2: 'value2' },
    { key3: 'value3' },
];

// ES6 syntax
const arrayOfObjects = Object.keys(firstExample).map(key => ( { [key]: firstExample[key] } ));

console.log('Array of objects', arrayOfObjects);
console.log('arrayOfObjects is equivalent to secondExample:', JSON.stringify(arrayOfObjects) === JSON.stringify(secondExample));

// ES5 syntax
var es5 = Object.keys(firstExample).map(function (key) {
    var o = {};
    o[key] = firstExample[key];
    return o;
});

console.log('ES5-syntax array of objects', es5);
console.log('es5 is equivalent to secondExample:', JSON.stringify(es5) === JSON.stringify(secondExample));