Fibonacci Series in Python Using While Loop
So, today we'll be discussing how we can make the Fibonacci series using python.
What is the Fibonacci series?
In the Fibonacci sequence, the sum of the two preceding numbers. it is commonly started with 0 and 1.
You can read more about the history of the Fibonacci series on Wikipedia.
Now, let's see how we can calculate it in python.
In this python program:
- We're first taking input from the user that how many terms he wants to print. (User input)
- Then, we have made two conditions to check if the user enters a negative number or first number so we print that accordingly.
- If the above of the two conditions are false then the while loop will run to print the fibonacci numbers.
This file contains bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
#first we'll be asking how many numbers of fibonacci series should be | |
noofterms = int(input("How many terms? ")) | |
# we will define first two fibonacci numbers | |
f1, f2 = 0, 1 | |
count = 0 | |
# condition to check if the entered number is not less than 0 | |
if noofterms <= 0: | |
print("Please enter a positive number") | |
# condition to check if there is only one term, print f1 | |
elif noofterms == 1: | |
print("Fibonacci series:") | |
print(f1) | |
# otherwise generate fibonacci sequence using while loop | |
else: | |
print("Fibonacci series:") | |
while count < noofterms: | |
print(f1) | |
nth = f1 + f2 | |
# swapping values | |
f1 = f2 | |
f2 = nth | |
count += 1 #counter variable so we can exit while loop |
Comments
Post a Comment