Find the sum of all the odd numbers in an array.

Given an array of integers, write a function that returns the sum of all the odd numbers in the array.

Problem

Given an array of integers, write a function that returns the sum of all the odd numbers in the array.
Example input: [1, 2, 3, 4, 5]
Example output: 9

Solution

This solution is in JavaScript. Our A.I. can create solutions in multiple languages.
by kayakane
// Solution:

function sumOfOddNumbers(arr) {
  let sum = 0;
  for (let i = 0; i < arr.length; i++) {
    if (arr[i] % 2 !== 0) {
      sum += arr[i];
    }
  }
  return sum;
}

// Explanation:

// This solution is optimal because it uses a for loop to iterate through the array and check if each number is odd. If it is, it adds it to the sum.
// This solution is optimal because it only iterates through the array once, and it only adds the odd numbers to the sum.

A.I. Evaluation of the Solution

This is a great solution! It is very efficient because it only iterates through the array once and only adds the odd numbers to the sum.

Evaluated at: 2022-11-22 00:15:50