Write a function called sumArray
which accepts a single argument: an array of numbers. It should return the sum of all the numbers in the array.
Condition:
You will need a variable to keep track of total. It should start out as zero.
Loop over the array for each element, add it to total variable.
function sumArray(n1, n2, n3) {
let total = n1 + n2 + n3;
return total;
}
sumArray([3,45,66]);
Just loop from array and get the output
function sumArray(arr){
let total = 0;
arr.forEach((i) => total+=i);
return total;
}
console.log(sumArray([3,45,66]));
Or you can try with reduce as explained by Cristian
function sumArray(arr){
const reducer = (previousValue, currentValue) => previousValue + currentValue;
let total = arr.reduce(reducer)
return total;
}
console.log(sumArray([3,45,66]));