创建Python Factorial

时间:2013-10-01 03:59:51

标签: python factorial

晚上,

我是python学生的一个介绍有一些麻烦。 我正在尝试制作一个python阶乘程序。它应该提示用户n,然后计算n的阶乘,除非用户输入-1。我很困惑,教授建议我们使用while循环。我知道我甚至没有达到'if -1'的情况。不知道怎么让python使用math.factorial函数公开地计算一个阶乘。

import math

num = 1
n = int(input("Enter n: "))

while n >= 1:
     num *= n

print(num)

5 个答案:

答案 0 :(得分:4)

学校中的“经典”因子函数是递归定义:

def fact(n):
    rtr=1 if n<=1 else n*fact(n-1)
    return rtr

n = int(input("Enter n: "))
print fact(n)

如果您只是想要一种方法来解决问题:

num = 1
n = int(input("Enter n: "))

while n > 1:
    num *= n
    n-=1        # need to reduce the value of 'n' or the loop will not exit

print num

如果您想测试小于1的数字:

num = 1
n = int(input("Enter n: "))

n=1 if n<1 else n    # n will be 1 or more...
while n >= 1:
    num *= n
    n-=1        # need to reduce the value of 'n' or the loop will not exit

print num

或者,输入后测试n:

num = 1
while True:
    n = int(input("Enter n: "))
    if n>0: break

while n >= 1:
    num *= n
    n-=1        # need to reduce the value of 'n' or the loop will not exit

print num

以下是使用reduce的功能方式:

>>> n=10
>>> reduce(lambda x,y: x*y, range(1,n+1))
3628800

答案 1 :(得分:1)

你其实很亲密。只需每次迭代更新n的值:

num = 1
n = int(input("Enter n: "))

while n >= 1:
    num *= n
    # Update n
    n -= 1
print(num)

答案 2 :(得分:0)

我是python的新手,这是我的阶乘计划。

def factorial(n):

x = []
for i in range(n):
    x.append(n)
    n = n-1
print(x)
y = len(x)

j = 0
m = 1
while j != y:
    m = m *(x[j])
    j = j+1
print(m)

阶乘(5)

答案 3 :(得分:0)

您可以这样做。

    def Factorial(y):
        x = len(y)
        number = 1
        for i in range(x):
            number = number * (i + 1)
            print(number)

答案 4 :(得分:0)

#Factorial using list
fact=list()
fact1=input("Enter Factorial Number:")
for i in range(1,int(fact1)+1):
    fact.append(i)
 print(fact)
 sum=fact[0]
 for j in range(0,len(fact)):
        sum*=fact[j]
        print(sum)