Improve and Refactor the fibonnaciSeries.py (Recursion)

This commit is contained in:
rafagarciac 2018-10-12 00:41:57 +02:00
parent 9ba96c50a2
commit e03426b8fd

View File

@ -1,16 +1,18 @@
# Fibonacci Sequence Using Recursion # Fibonacci Sequence Using Recursion
def recur_fibo(n): def recur_fibo(n):
if n <= 1: return n if n <= 1 else (recur_fibo(n-1) + recur_fibo(n-2))
return n
else:
return(recur_fibo(n-1) + recur_fibo(n-2))
limit = int(input("How many terms to include in fibonacci series: ")) def isPositiveInteger(limit):
return limit >= 0
if limit <= 0: def main():
print("Please enter a positive integer: ") limit = int(input("How many terms to include in fibonacci series: "))
else: if isPositiveInteger:
print(f"The first {limit} terms of the fibonacci series are as follows") print(f"The first {limit} terms of the fibonacci series are as follows:")
for i in range(limit): print([recur_fibo(n) for n in range(limit)])
print(recur_fibo(i)) else:
print("Please enter a positive integer: ")
if __name__ == '__main__':
main()