I have an array of objects like so:
JavaScript
x
19
19
1
const content = [
2
{
3
title: 'Morning run',
4
id: 'id1',
5
desc: 'Meet at the park',
6
date: '2018-01-14T09:00:00.000Z',
7
location: 'Central park',
8
createdBy: '23432432',
9
},
10
{
11
title: 'Evening run',
12
id: 'id2',
13
desc: 'Meet by the station',
14
date: '2018-01-14T18:00:00.000Z',
15
location: 'Central station',
16
createdBy: '23432432',
17
},
18
];
19
How can I create an associative array like so?:
JavaScript
1
2
1
const output = {'id1' : 'Morning run', 'id2' : 'Evening run'}
2
Can this be done with a map function?
Advertisement
Answer
Since you need just one object in the result, you could use array#reduce
like this:
JavaScript
1
24
24
1
const content = [{
2
title: 'Morning run',
3
id: 'id1',
4
desc: 'Meet at the park',
5
date: '2018-01-14T09:00:00.000Z',
6
location: 'Central park',
7
createdBy: '23432432',
8
},
9
{
10
title: 'Evening run',
11
id: 'id2',
12
desc: 'Meet by the station',
13
date: '2018-01-14T18:00:00.000Z',
14
location: 'Central station',
15
createdBy: '23432432',
16
},
17
];
18
19
var result = content.reduce(function(accum, currentVal) {
20
accum[currentVal.id] = currentVal.title;
21
return accum;
22
}, {});
23
24
console.log(result);