📌  相关文章
📜  Python程序最多三个

📅  最后修改于: 2022-05-13 01:55:20.459000             🧑  作者: Mango

Python程序最多三个

给定三个数字 ab 和 c,任务是我们必须找到给定数字中的最大元素
例子:

Input : a = 2, b = 4, c = 3
Output : 4 

Input : a = 4, b = 2, c = 6 
Output : 6

方法1(简单)

# Python program to find the largest
# number among the three numbers
  
def maximum(a, b, c):
  
    if (a >= b) and (a >= c):
        largest = a
  
    elif (b >= a) and (b >= c):
        largest = b
    else:
        largest = c
          
    return largest
  
  
# Driven code 
a = 10
b = 14
c = 12
print(maximum(a, b, c))

输出:

14

方法二(使用列表)
.用 n1、n2 和 n3 初始化三个数
.将三个数字添加到列表 lst = [n1, n2, n3] 中。
.使用 max()函数找到最大数 max(lst)。
.最后我们将打印最大数量

# Python program to find the largest number 
# among the  three numbers using library function 
  
def maximum(a, b, c):
    list = [a, b, c]
    return max(list)
  
# Driven code 
a = 10
b = 14
c = 12
print(maximum(a, b, c))

输出:

14

方法3(使用max函数)

# Python program to find the largest number 
# among the  three numbers using library function 
  
# Driven code 
a = 10
b = 14
c = 12
print(max(a, b, c))

输出:

14