矩阵中列的最大值列表(无Numpy)

时间:2018-10-29 12:12:15

标签: python python-3.x matrix max

我试图在没有Numpy的矩阵中获取列的最大值列表。我正在尝试编写大量代码,但找不到所需的输出。

这是我的代码:

list=[[12,9,10,5],[3,7,18,6],[1,2,3,3],[4,5,6,2]]

list2=[]

def maxColumn(m, column):   
    for row in range(len(m)):
        max(m[row][column])  # this didn't work
        x = len(list)+1 
    for column in range(x):
        list2.append(maxColumn(list, column))

print(list2)

这是所需的输出:

[12, 9, 18, 6]

4 个答案:

答案 0 :(得分:2)

首先,切勿命名列表list,因为它会在下游代码中使list的python数据结构无用。

带有注释的代码:

my_list=[[12,9,10,5],[3,7,18,6],[1,2,3,3],[4,5,6,2]]

def maxColumn(my_list):

    m = len(my_list)
    n = len(my_list[0])

    list2 = []  # stores the column wise maximas
    for col in range(n):  # iterate over all columns
        col_max = my_list[0][col]  # assume the first element of the column(the top most) is the maximum
        for row in range(1, m):  # iterate over the column(top to down)

            col_max = max(col_max, my_list[row][col]) 

        list2.append(col_max)
    return list2

print(maxColumn(my_list))  # prints [12, 9, 18, 6]

此外,尽管您专门提到了无numpy解决方案,但在numpy中它是如此简单:

list(np.max(np.array(my_list), axis=0))

刚才说的是,将my_list转换为一个numpy数组,然后沿列查找最大值(axis = 0表示您在数组中从上到下移动)。

答案 1 :(得分:2)

Python具有内置的zip,可让您转置列表的 1

L = [[12,9,10,5], [3,7,18,6], [1,2,3,3], [4,5,6,2]]

def maxColumn(L):    
    return list(map(max, zip(*L)))

res = maxColumn(L)

[12, 9, 18, 6]

1 zip的功能的正式描述:

  

制作一个迭代器,以聚合每个可迭代对象中的元素。

答案 2 :(得分:0)

一种方法是遍历行并在每个位置(列)上保持最大值:

lst = [[12, 9, 10, 5], [3, 7, 18, 6], [1, 2, 3, 3], [4, 5, 6, 2]]

answer = lst[0]
for current in lst[1:]:
    answer = [max(x, y) for x, y in zip(answer, current)]

print(answer)

输出:

[12, 9, 18, 6]

另一种方法是首先从给定的行列表中构建列,然后简单地在每一列中找到最大值。

答案 3 :(得分:0)

您可以使用此功能:

def max_col(my_list):

result = []
i = 0

while i < len(my_list[0]):

    max_val = my_list[0][i]
    j = 1

    while j < len(my_list):

        if my_list[j][i] > max_val:
            max_val = my_list[j][i]

        j += 1

    result.append(max_val)
    i += 1

return(result)