The question itself is probably in need of editing but hear me out pls. I have this:
JavaScript
x
6
1
[
2
["a","b","c"],
3
["apple", "orange", "banana"],
4
["kiwi", "tomato", "avocado"],
5
["beans", "asparagus", "spinach"]
6
]
I need it so that it will look like the one below:
JavaScript
1
5
1
[
2
{"a":"apple", "b":"orange", "c":"banana"},
3
{"a":"kiwi", "b":"tomato", "c":"avocado"},
4
{"a":"a", "b":"asparagus", "c":"spinach"}
5
]
I have done something like this:
JavaScript
1
22
22
1
const rows = [
2
["a","b","c"],
3
["apple", "orange", "banana"],
4
["kiwi", "tomato", "avocado"],
5
["beans", "asparagus", "spinach"]
6
]
7
8
const dataObj = {};
9
const dataArr = [];
10
11
if (rows.length) {
12
keys = rows[0];
13
values = rows[0];
14
15
rows.forEach((element, i) => {
16
values = rows[i];
17
keys.forEach((key, j) => {
18
dataObj[key] = values[j];
19
dataArr.push(dataObj);
20
});
21
});
22
}
To no avail and got something like this:
JavaScript
1
5
1
[
2
{"a":"apple", "b":"orange", "c":"banana"},
3
{"a":"apple", "b":"orange", "c":"banana"},
4
{"a":"apple", "b":"orange", "c":"banana"}
5
]
This is not the desired output. If you can help me out – and our community! – it would be super. Thanks!
Advertisement
Answer
You can use couple of Array functions to achieve this:
Array.shift
: To pick the first element and remove it from arrayArray.map
: To transform items into object
JavaScript
1
17
17
1
const rows = [
2
["a", "b", "c"],
3
["apple", "orange", "banana"],
4
["kiwi", "tomato", "avocado"],
5
["beans", "asparagus", "spinach"]
6
]
7
8
const keys = rows.shift();
9
const map = rows.map((item) => {
10
const obj = {}
11
keys.forEach((key, index) => {
12
obj[key] = item[index]
13
})
14
return obj
15
})
16
17
console.log(map)