1#Python program to generate Fibonacci series until 'n' value
2n = int(input("Enter the value of 'n': "))
3a = 0
4b = 1
5sum = 0
6count = 1
7print("Fibonacci Series: ", end = " ")
8while(count <= n):
9 print(sum, end = " ")
10 count += 1
11 a = b
12 b = sum
13 sum = a + b
14
1def Fibonacci( pos ):
2 #check for the terminating condition
3 if pos <= 1 :
4 #Return the value for position 1, here it is 0
5 return 0
6 if pos == 2:
7 #return the value for position 2, here it is 1
8 return 1
9
10 #perform some operation with the arguments
11 #Calculate the (n-1)th number by calling the function itself
12 n_1 = Fibonacci( pos-1 )
13
14 #calculation the (n-2)th number by calling the function itself again
15 n_2 = Fibonacci( pos-2 )
16
17 #calculate the fibo number
18 n = n_1 + n_2
19
20 #return the fibo number
21 return n
22
23#Here we asking the function to calculate 5th Fibonacci
24nth_fibo = Fibonacci( 5 )
25
26print (nth_fibo)
1# Implement the fibonacci sequence
2 # (0, 1, 1, 2, 3, 5, 8, 13, etc...)
3 def fib(n):
4 if n== 0 or n== 1:
5 return n
6 return fib (n- 1) + fib (n- 2)
1#Learnprogramo
2Number = int(input("How many terms? "))
3# first two terms
4First_Value, Second_Value = 0, 1
5i = 0
6if Number <= 0:
7print("Please enter a positive integer")
8elif Number == 1:
9print("Fibonacci sequence upto",Number,":")
10print(First_Value)
11else:
12print("Fibonacci sequence:")
13while i < Number:
14print(First_Value)
15Next = First_Value + Second_Value
16# update values
17First_Value = Second_Value
18Second_Value = Next
19i += 1