交换2D数组的行和列

时间:2017-09-27 03:30:28

标签: java algorithm matrix

我需要使用Java交换2D数组的行和列。我有ArrayList告诉我某个行和列需要去哪里。例如:

ArrayList<Integer> = [2, 0, 1, 3]
                      0  1  2  3 (indexes for illustration)

以上意味着第0行和第0列需要成为第2行和第2列,第1行和第1列需要成为第0行和第0列,依此类推。

例如:

int[][] example = {
    {0, 3, 3, 4},
    {0, 1, 0, 0},
    {0, 0, 1, 0},
    {8, 1, 1, 0}
};

让我们说我们首先交换行,所以&#34;中间&#34;形式将是:

// From the list, change rows as follows: 
// 0->2, 1->0, 1->2, 3->3
int[][] example = {
    {0, 1, 0, 0},
    {0, 0, 1, 0},
    {0, 3, 3, 4},
    {8, 1, 1, 0}
};

最后,交换列,我们得到所需的输出:

// From the list, change columns as follows: 
// 0->2, 1->0, 1->2, 3->3
int[][] example = {
    {1, 0, 0, 0},
    {0, 1, 0, 0},
    {3, 3, 0, 4},
    {1, 1, 8, 0}
};

请注意,交换可以在适当的位置或新矩阵中,无关紧要。 我被困在需要交换列的部分,我不太清楚如何继续这里。 这是我到目前为止所尝试的:

public static int[][] makeStandardForm(int[][] m){
    //generate list of index swaps
    List<Integer> l = new ArrayList<Integer>(orderIndexes(m));
    int[][] m1 = new int[m.length][m.length];

    //Swap rows, working fine
    for(int i=0; i < m.length; i++){
        m1[i] = m[(int)l.get(i)];
    }

    //Swap columns, stuck here?
    for(int i=0; i < m.length; i++){
        //don't know how to swap columns
     }
     return m1;
 }

1 个答案:

答案 0 :(得分:1)

您必须逐个复制列值。

试试这个

public static int[][] makeStandardForm(int[][] m){
    //generate list of index swaps
    List<Integer> l = new ArrayList<Integer>(orderIndexes(m));
    int[][] m1 = new int[m.length][m.length];
    int[][] m2 = new int[m.length][m.length];

    //Swap rows, working fine
    for(int i=0; i < m.length; i++){
        m1[i] = m[(int)l.get(i)];
    }

    //Swap columns, stuck here?
    for(int i=0; i < m.length; i++){
        for (int j = 0; j < m.length; j++) { // I used the fact that matrix is square here
            m2[j][i] = m1[j][l.get(i)];
        }
    }
    return m2;
}