Instagram
youtube
Facebook
Twitter

Print Fibonacci Series Using Iterative Method in Python

A Python program to generate the Fibonacci series iteratively using loops and variable swapping.

Here’s the explanation in points:

  1. Input: The program takes an integer input num, which defines how many Fibonacci numbers should be printed.
     
  2. Initialization: The first two Fibonacci numbers are initialized as a = 0 and b = 1. These represent the first two numbers in the Fibonacci sequence.
     
  3. For Loop: The program uses a for loop to iterate and print the Fibonacci sequence for the specified number of terms (num).
     
  4. Printing Current Value: In each iteration of the loop, the current value of a (the first number in the Fibonacci sequence) is printed.
     
  5. Update Values: After printing the current value of a, the values of a and b are updated using the statement a, b = b, a + b. This shifts them to the next pair of Fibonacci numbers.
     
  6. Repetition: The loop repeats this process for the number of times specified by num.
     
  7. Output: The output will be the Fibonacci series up to the nth term.
     
  8. Example: If num = 5, the output will be: 0 1 1 2 3.

 

Program:

num=int(input("enter a number :"))

a,b=0,1

for i in range(num):

    print(a,end=" ")

    a,b=b,a+b