How can I combine these two functions into one recursive function to have this result:
factorial(6) 1! = 1 2! = 2 3! = 6 4! = 24 5! = 120 6! = 720 This is the current code for my factorial function:
def factorial(n): if n < 1: # base case return 1 else: return n * factorial(n - 1) # recursive call def fact(n): for i in range(1, n+1 ): print "%2d! = %d" % (i, factorial(i)) and the output that this code produces is the following:
fact(6) 1! = 1 2! = 2 3! = 6 4! = 24 5! = 120 6! = 720 As you see, the execution of these two functions gives me correct answers, but I just wanted to simplify the two functions to a single recursive function.