3

我有一个二维数组,它有不同长度的行。我想编写一个方法,该方法返回一个由列的最大元素组成的新数组。如果这是一个简单的 nxm 数组,那会很容易,但由于行是可变长度的,我无法想出一个解决方案来解释列中不同数量的元素。

例如,数组如下所示:

int[][] test = { { 0, 1, 4, 5, 6, 8 }, 
                 { 4, 5, 8, 3, 9 },
                 { 3, 6, 2 } 
               };

预期的结果将是:

int[] result =  {4, 6, 8, 5, 9, 8};

我有找到行的最大元素的代码,但我不知道如何为列调整它。

int[] result = new int[m.length];

      for (int x = 0; x < m.length; x++) {
         result[x] = 0;
         for (int y = 0; y < m[x].length; y++) {
            if (result[x] < m[x][y]) {
               result[x] = m[x][y];
            } 
         } 
      } 

任何帮助,将不胜感激

编辑:我现在意识到要做的第一件事是找到元素数量最多的行,因为它定义了新数组的大小。从那里.. 可能应该获取一行的元素并将它们与新数组中相同位置的元素进行比较。对每一行都这样做。那么其他行有多短都没关系。我走对了吗?

4

1 回答 1

2

首先,您要找到最大行的长度。

然后,与您的算法类似,但您要确保不会越界异常。而已:

int maxcol = 0;
for(int i = 0; i < test.length; i++)
    if(test[i].length > maxcol)
        maxcol = test[i].length;


int[] result = new int[maxcol];

for (int j = 0; j < maxcol; j++)
    for (int i = 0; i < test.length; i++)
        if (test[i].length > j && result[j] < test[i][j])
            result[j] = test[i][j];
于 2012-12-02T01:19:03.250 回答