需求:
1.写个函数,把一组数字传到函数中,然后取出最大值和次大值.
2.不能使用排序函数.
分析:
Q: list = [100,50,60,70,30,45] 怎么从这个列表中取出最大值?
A: 1. 我们可以取出list[0]这个值作为最大值(max_num)的参照.
2. 用后续的值和最大值(max_num)做对比,比最大值(max_num)大的值,赋值给max_num,同时把原来的max_num赋值给second_num.
3. 然后继续做对比,比max_num大的值,重复第二步.比second_num大的值,赋值给second_num.
4. 输出最大值和次大值.
分析完成了,下面开始写代码了.
1 def find_max_and_second_large_num(list): 2 one = list[0] # 最大 3 second = 0 # 次大 4 for i in range(1,len(list)): # 从第二个元素开始对比 5 if list[i] > one: 6 second =one 7 one = list[i] 8 elif list[i] > second: 9 second = list[i] 10 return {"max":one, "second": second} 11 12 13 list = [100,50,60,70,30,45] 14 res = find_max_and_second_large_num(list) 15 print(res) 16 17 代码内容
输出结果:
{'max': 100, 'second': 70}