I have an array of sizes that I’d like to reduce + chunk based on custom logic using ramda:
JavaScript
x
8
1
const sizes = [
2
{ size: 30 },
3
{ size: 10 },
4
{ size: 40 },
5
{ size: 20 },
6
{ size: 20 },
7
];
8
If the cumulative total exceeds the 50
threshold I would like to chunk them up, so that the result becomes:
JavaScript
1
8
1
const threshold = 50;
2
3
// 30 + 10 <= 50
4
// 40 <= 50
5
// 20 + 20 <= 50
6
7
const result = [40, 40, 40];
8
I’ve tried using reduceWhile
and splitWhen
but with no luck so far
Advertisement
Answer
Reduce the array to a new array. On each iterate, check if the current number + last item is greater than the max. If it is, set the current number as the last item. If not add the current number to the last item:
JavaScript
1
12
12
1
const sumMax = (max, arr) => arr.reduce((acc, n) =>
2
(acc.at(-1) ?? 0) + n > max
3
? [acc, n]
4
: [acc.slice(0, -1), (acc.at(-1) ?? 0) + n]
5
, []
6
)
7
8
const sizes = [{ size: 30 },{ size: 10 },{ size: 40 },{ size: 20 },{ size: 20 }];
9
10
const result = sumMax(50, sizes.map(o => o.size))
11
12
console.log(result)