如何找到二维数组的最低分数?

时间:2019-09-15 11:59:46

标签: python arrays 2d min

如何找到2d array的最低分数。


我的数组就像:

[['john', 20], ['jack', 10], ['tom', 15]]

我想找到学生的最低分数,并print他的名字。 告诉我怎么写?

1 个答案:

答案 0 :(得分:1)

如果您只想招收一名学生:

student_details = [['john', 20], ['jack', 10], ['tom', 15]]
student_detail_with_min_score = min(student_details, key=lambda detail: detail[1])
print(student_detail_with_min_score)
print(student_detail_with_min_score[0])
print(student_detail_with_min_score[1])

输出:

['jack', 10]
jack
10

min函数可以找到student_details的最小值,但是在比较时它将使用student_details[i][1]作为键。

阅读official documentation,以了解min函数如何与key参数一起工作。


如果您想让所有学生获得最低分数:

student_details = [['rock', 10], ['john', 20], ['jack', 10], ['tom', 15]]

min_score = min(student_details, key=lambda detail: detail[1])[1]

student_details_with_min_score = [
    student_detail for student_detail in student_details if student_detail[1] == min_score
]

print(student_details_with_min_score)

输出:

[['rock', 10], ['jack', 10]]