I have a array of objects with numbers but there type is string , I want to sum them all.
I’m doing this way as of previous answers on stack-overflow suggested.
JavaScript
x
11
11
1
// Here the data has an array of goods which contains
2
// amount objects and i want to calculate to sum of amount objects
3
Total Invoice Price:
4
{data.goods
5
? data.goods.map((item) => (
6
<div key={item.id}>
7
<div>{parseInt(item.amount).reduce((a, b) => a + b, 0)}</div>
8
</div >
9
))
10
: null}
11
But im getting error TypeError: parseInt(...).reduce is not a function
, How to fix this ?
Advertisement
Answer
reduce
is an array method. So: instead of mapping over the data, call a function within your JSX that returns the sum of the amount
values of each object in the array.
Note: if your amount values are strings coerce them to numbers first (Number(good.amount)
).
JavaScript
1
23
23
1
function Example({ data }) {
2
3
function getTotal(data) {
4
return data.goods.reduce((acc, good) => {
5
return acc + Number(good.amount);
6
}, 0);
7
}
8
9
return (
10
<div>
11
<h4>Total</h4>
12
<p>{getTotal(data)}</p>
13
</div>
14
);
15
16
}
17
18
const data = { goods: [{ amount: '1' }, { amount: '5' }, { amount: '13' }] };
19
20
ReactDOM.render(
21
<Example data={data} />,
22
document.getElementById('react')
23
);
JavaScript
1
3
1
<script src="https://cdnjs.cloudflare.com/ajax/libs/react/17.0.2/umd/react.production.min.js"></script>
2
<script src="https://cdnjs.cloudflare.com/ajax/libs/react-dom/17.0.2/umd/react-dom.production.min.js"></script>
3
<div id="react"></div>