Even Fibonacci Numbers

Each new term in the Fibonacci sequence is generated by adding the previous two terms. By starting with 1 and 2, the first 10 terms will be:

1, 2, 3, 5, 8, 13, 21, 34, 55, 89, ...

By considering the terms in the Fibonacci sequence whose values do not exceed n, find the sum of the even-valued terms.

fiboEvenSum(10) = 10
fiboEvenSum(34) = 44
fiboEvenSum(60) = 44
fiboEvenSum(1000) = 798
fiboEvenSum(100000) = 60696
fiboEvenSum(4000000) = 4613732

Solutions

Solution: 1

function fiboEvenSum(n) {
  // if n = 1 return the sum is 0
  // else if n = 2 return the sum is 2
  if(n==1){
    return 0; 
  }else if(n==2){
    return 2;
  }
  
  // if n >2 
  // we create two variables fib1 and fib2 contains the previous two terms 
  // we create also a variable called sum contains the sum of all even-valued terms,
  // for example for n = 3, the first even value is 2 
  // so sum = 2
  
  let fib1 = 1;
  let fib2 = 2;
  let sum = fib2;

  // we create a while loop that will end if we reach a term > n
  while(fib2 <= n){

    let aux = fib2;
    fib2 = fib2 + fib1;
    fib1 = aux;
    
    if(fib2 % 2 ==0) sum += fib2;
    
  }

  return sum;
}