I have an array of sequences, what i am trying to achieve is whichever last object completed property is true, then the next to next object will have is_to_happen as true
input
JavaScript
x
15
15
1
const sequences = [
2
{
3
"title": "Order placed",
4
"completed": true
5
},
6
{
7
"title": "To be confirmed",
8
"completed": false
9
},
10
{
11
"title": "Approx Thursday product will be shipped",
12
"completed": false
13
}
14
]
15
And this is what i want to have as an expected output
JavaScript
1
18
18
1
const output = [
2
{
3
"title": "Order placed",
4
"completed": true,
5
"is_to_happen": false
6
},
7
{
8
"title": "To be confirmed",
9
"completed": false,
10
"is_to_happen": false
11
},
12
{
13
"title": "Approx Thursday product will be shipped",
14
"completed": false,
15
"is_to_happen": true
16
}
17
]
18
What i have tried so far using array.reduce is not working
JavaScript
1
8
1
sequences.reduce((acc,curr) => {
2
acc = [acc, curr]
3
if(curr.completed){
4
acc = [acc, {curr, is_to_happen: true}]
5
}
6
return acc
7
}, [])
8
Advertisement
Answer
Usea reduce
, and also keep track of the index of the completed
item:
JavaScript
1
23
23
1
const sequences = [
2
{
3
"title": "Order placed",
4
"completed": true
5
},
6
{
7
"title": "To be confirmed",
8
"completed": false
9
},
10
{
11
"title": "Approx Thursday product will be shipped",
12
"completed": false
13
},
14
{ "title": "One more step", "completed": false }
15
]
16
17
const result = sequences.reduce ( (acc,item, i) => {
18
if(item.completed) acc.completedIndex = i;
19
acc.items.push( {item,"is_to_happen": (acc.completedIndex != -1) && (i >= acc.completedIndex+2) } );
20
return acc;
21
},{items:[], completedIndex:-1});
22
23
console.log(result.items);
Another way to achieve the same is to look backwards 2 elements in the original array for the completed
flag
JavaScript
1
20
20
1
const sequences = [
2
{
3
"title": "Order placed",
4
"completed": true
5
},
6
{
7
"title": "To be confirmed",
8
"completed": false
9
},
10
{
11
"title": "Approx Thursday product will be shipped",
12
"completed": false
13
}
14
]
15
16
const result = sequences.map ( (item, i) => {
17
return {item, is_to_happen: !!sequences[i-2]?.completed};
18
});
19
20
console.log(result);