I have an object like this:
JavaScript
x
8
1
const total = {
2
"Apple": 0.6,
3
"Banana": 0.6,
4
"Orange": 1,
5
"Grapes": 0.4,
6
"Pineapple": 0.4
7
};
8
Now I want to convert it into an array of key–value objects where each object has the same set of two properties, "name"
and "value"
, which hold the key and value, respectively, of each property of the original object:
JavaScript
1
8
1
[
2
{ "name": "Apple", "value": 0.6 },
3
{ "name": "Banana", "value": 0.6 },
4
{ "name": "Orange", "value": 1 },
5
{ "name": "Grapes", "value": 0.4 },
6
{ "name": "Pineapple", "value": 0.4 }
7
]
8
Advertisement
Answer
You can use Array#map function on the object keys and create your objects with desired shape.
JavaScript
1
13
13
1
const total = {
2
'Apple': 0.6,
3
'Banana': 0.6,
4
'Orange': 1,
5
'Grapes': 0.4,
6
'Pineapple': 0.4
7
};
8
9
const array = Object.keys(total)
10
.map(key => ({ name: key, value: total[key] }))
11
.sort((f, s) => f.value - s.value);
12
13
console.log(array);
If you use ES7 or higher you can replace Object#keys with Object#entries. Use also object destructuring in the parameter list to get name
and value
separately.
JavaScript
1
13
13
1
const total = {
2
'Apple': 0.6,
3
'Banana': 0.6,
4
'Orange': 1,
5
'Grapes': 0.4,
6
'Pineapple': 0.4
7
};
8
9
const array = Object.entries(total)
10
.map(([name, value]) => ({ name, value }))
11
.sort((f, s) => f.value - s.value);;
12
13
console.log(array);