xxxxxxxxxx
var object = {'Apple':1,'Banana':8,'Pineapple':null};
//convert object keys to array
var k = Object.keys(object);
//convert object values to array
var v = Object.values(object);
xxxxxxxxxx
// how to convert object to array in javascript
// using Object.entries()
const credits = { producer: 'John', director: 'Jane', assistant: 'Peter' };
const arr = Object.entries(credits);
console.log(arr);
/** Output:
[ [ 'producer', 'John' ],
[ 'director', 'Jane' ],
[ 'assistant', 'Peter' ]
]
**/
// if you want to perfrom reverse means array to object.
console.log(Object.fromEntries(arr)); // { producer: 'John', director: 'Jane', assistant: 'Peter' }
// convert object values to array
// using Object.values()
console.log(Object.values(credits)); // [ 'John', 'Jane', 'Peter' ]
// convert object keys to array
// using Object.keys()
console.log(Object.keys(credits)); // [ 'producer', 'director', 'assistant' ]
xxxxxxxxxx
//ES6 Object to Array
const numbers = {
one: 1,
two: 2,
};
console.log(Object.values(numbers));
// [ 1, 2 ]
console.log(Object.entries(numbers));
// [ ['one', 1], ['two', 2] ]
xxxxxxxxxx
//Supposing fooObj to be an object
fooArray = Object.entries(fooObj);
fooArray.forEach(([key, value]) => {
console.log(key); // 'one'
console.log(value); // 1
})
xxxxxxxxxx
var obj = {"1":5,"2":7,"3":0,"4":0,"5":0,"6":0,"7":0,"8":0,"9":0,"10":0,"11":0,"12":0}
var result = Object.keys(obj).map((key) => [Number(key), obj[key]]);
console.log(result);
xxxxxxxxxx
const array = [];
Object.entries(object).forEach(([key, value]) => array.push(value));
console.log(array) // [ 1, 2, 3 ]
xxxxxxxxxx
function arrayToObject(arr) {
var obj = {};
for (var i = 0; i < arr.length; ++i){
obj[i] = arr[i];
}
return obj;
}
var colors=["red","blue","green"];
var colorsObj=arrayToObject(colors);//{0: "red", 1: "blue", 2: "green"}
xxxxxxxxxx
const rooms = {r1: "Room 1", r2: "Room 2", r3: "Room 3"};
const arrayResult = Object.keys(rooms).map(room => {
return {id: room, name: rooms[room]}
});
xxxxxxxxxx
var obj = {"1":5,"2":7,"3":0,"4":0,"5":0,"6":0,"7":0,"8":0,"9":0,"10":0,"11":0,"12":0}
var result = Object.keys(obj).map((key) => [Number(key), obj[key]]);
console.log(result);
Run code snippet