在Python中返回多维的最小/最大值?

时间:2011-12-16 18:46:13

标签: python list sorting max min

我有一个

形式的列表
[ [[a,b,c],[d,e,f]] , [[a,b,c],[d,e,f]] , [[a,b,c],[d,e,f]] ... ] etc.

我想返回最小c值和最大c + f值。这可能吗?

5 个答案:

答案 0 :(得分:15)

最低c

min(c for (a,b,c),(d,e,f) in your_list)

最多c+f

max(c+f for (a,b,c),(d,e,f) in your_list)

示例:

>>> your_list = [[[1,2,3],[4,5,6]], [[0,1,2],[3,4,5]], [[2,3,4],[5,6,7]]]
>>> min(c for (a,b,c),(d,e,f) in lst)
2
>>> max(c+f for (a,b,c),(d,e,f) in lst)
11

答案 1 :(得分:4)

List comprehension救援

a=[[[1,2,3],[4,5,6]], [[2,3,4],[4,5,6]]]
>>> min([x[0][2] for x in a])
3

>>> max([x[0][2]+ x[1][2] for x in a])
10

答案 2 :(得分:1)

您必须将列表映射到仅包含您关注的项目的列表。

这是一种可行的方法:

x = [[[5, 5, 3], [6, 9, 7]], [[6, 2, 4], [0, 7, 5]], [[2, 5, 6], [6, 6, 9]], [[7, 3, 5], [6, 3, 2]], [[3, 10, 1], [6, 8, 2]], [[1, 2, 2], [0, 9, 7]], [[9, 5, 2], [7, 9, 9]], [[4, 0, 0], [1, 10, 6]], [[1, 5, 6], [1, 7, 3]], [[6, 1, 4], [1, 2, 0]]]

minc = min(l[0][2] for l in x)
maxcf = max(l[0][2]+l[1][2] for l in x)

minmax调用的内容称为"generator",负责生成原始数据到过滤数据的映射。

答案 3 :(得分:1)

当然有可能。您有一个列表,其中包含两个元素列表的列表,这些列表本身就是列表。你的基本算法是

for each of the pairs
    if c is less than minimum c so far
       make minimum c so far be c
    if (c+f) is greater than max c+f so far
       make max c+f so far be (c+f)

答案 4 :(得分:1)

假设您的列表存储在my_list中:

min_c = min(e[0][2] for e in my_list)
max_c_plus_f = max(map(lambda e : e[0][2] + e[1][2], my_list))