add all numbers in an array in javascript

To add all numbers in an array in JavaScript, you can use a for loop to iterate over the elements in the array and add them up using a variable to keep track of the running total:

index.tsx
let numbers = [2, 5, 8, 10];
let sum = 0;

for (let i = 0; i < numbers.length; i++) {
  sum += numbers[i];
}

console.log(sum); // Output: 25
142 chars
9 lines

In the code above, we define an array numbers that contains the numbers we want to add up. We initialize a variable sum to zero, which will hold the running total as we iterate over the array.

We use a for loop to iterate over the elements in the array. The loop runs from 0 to numbers.length - 1, which are the indices of the first and last elements in the array.

Inside the loop, we add the current element of the array (numbers[i]) to the running total (sum). After the loop finishes, we log the final value of sum to the console.

This method works for arrays of any length and with any numbers, both positive and negative.

gistlibby LogSnag