However, this approach is very slow; the time complexity is O(2n). It would take about 10^15 iterations to return a fibonacci number at index 50.
A better algorithm is to cache the numbers that have been generated which will significantly improve the complexity.
longFibonacci_Cache(int i){// cache variable to memorize last steplong two_before =0;long one_before =1;// base caseif(i ==0){return0;}elseif(i ==1){return1;}long current;for(int index =0; index < i -1; index++){// new F_index
current = two_before + one_before;// assign new F_index to the cache variable
two_before = one_before;
one_before = current;}return current;}
C
Alternatively, according to [1], the fibonacci number at index i can be represented by
Fi=5Φi−Φ^i
Where Φ≈1.61803 is the golden ratio and Φ^≈−0.61803. Using that, we can calculate the fibonacci number at index 10
F10≈51.6180310−(−0.61803)10≈55
we can verify by running
intmain(){int number =10;printf("Fibonacci number for index: %d is %ld\n", number,Fibonacci_Cache(number));}
C
Fibonacci number for index: 10 is 55
Console
Putting the formula in c code, we get a function that can return a fibonacci number using golden ratio!
longFibonacci_Num(int i){double golden_ratio =(1.0+sqrt(5))/2.0;double golden_conj =(1.0-sqrt(5))/2.0;// round because of rounding error from calculationreturnroundl((pow(golden_ratio,(double) i)-pow(golden_conj,(double) i))/sqrt(5));}
C
intmain(){int number =10;printf("Fibonacci number for index: %d is %ld\n", number,Fibonacci_Num(number));}
C
Fibonacci number for index: 10 is 55
Console
However, note that due to rounding error and loss of accuracy in double data type, the number returned may be off a bit when the index is large; let's say for F80.
To prove that this formula is correct, we can use proof by induction.
To recap, fibonacci number is defined by
Fi=⎩⎨⎧01Fi−1+Fi−2if i=0if i=1if i≥2
We want to prove that
Fi=5Φi−Φ^i
where the golden ratio Φ and its conjugate Φ^ are defined by