A Fibonacci Series of numbers will look like
0 , 1 , 1 , 2 , 3 , 5 , 8 , 13 , 21 , 34 , 55
First two Fibonacci numbers are 0 and 1 . After that each number will be the sum of previous two numbers . Here we can see that third Fibonacci number is 1 ( sum of first two numbers 0 + 1 ) , and fourth Fibonacci number will be the sum of third and second number ( 1 + 1 = 2 ) , and fifth Fibonacci number will be the sum of fourth and third number ( 2 + 1 = 3 ). The series will go like that infinity .
Now we can learn how to make a Fibonacci series using PHP .
Here is the PHP script for printing first 20 Fibonacci numbers .
<?php $count = 0 ; $f1 = 0; $f2 = 1; echo $f1." , "; echo $f2." , "; while ($count < 20 ) { $f3 = $f2 + $f1 ; echo $f3." , "; $f1 = $f2 ; $f2 = $f3 ; $count = $count + 1; } ?>
Its output will be :
0 , 1 , 1 , 2 , 3 , 5 , 8 , 13 , 21 , 34 , 55 , 89 , 144 , 233 , 377 , 610 , 987 , 1597 , 2584 , 4181 , 6765 , 10946 ,
In this example I have created the series using a while loop .Like this we can make Fibonacci Series using for loops also in PHP .