4

我目前正在研究俄罗斯方块 AI,并且正在寻找一种翻转 4 x 4 多维数组的方法。我已经看了一遍,我能找到的最多的是旋转,这对我来说是行不通的。从

o o o o 

o x x o

o x o o

o x o o 

o x o o

o x o o

o x x o

o o o o
4

3 回答 3

3

我不知道你需要翻转哪个维度,但这是其中之一……请注意,此方法破坏了原始数组!你没有说清楚你的需求。

  • 你没有说需要翻转哪个维度
  • 你没有说它是应该就地还是创建一个新数组

也就是说,这是一个解决方案

public static void main(String args[]) {
    Integer[][] myArray = {{1, 3, 5, 7},{2,4,6,8},{10,20,30,40},{50,60,70,80}};

    // Before flipping  
    printArray(myArray);
    System.out.println();

    // Flip
    flipInPlace(myArray);

    // After flipping
    printArray(myArray);
}

public static void printArray(Object[][] theArray) {
    for(int i = 0; i < theArray.length; i++) {
        for(int j = 0; j < theArray[i].length; j++) {
            System.out.print(theArray[i][j]);
            System.out.print(",");
        }
        System.out.println();
    }
}

// *** THIS IS THE METHOD YOU CARE ABOUT ***
public static void flipInPlace(Object[][] theArray) {
    for(int i = 0; i < (theArray.length / 2); i++) {
        Object[] temp = theArray[i];
        theArray[i] = theArray[theArray.length - i - 1];
        theArray[theArray.length - i - 1] = temp;
    }
}

产生:

1,3,5,7,
2,4,6,8,
10,20,30,40,
50,60,70,80,

50,60,70,80,
10,20,30,40,
2,4,6,8,
1,3,5,7,
于 2012-11-07T23:11:10.317 回答
0

我不知道翻转到底是什么意思,但根据你的例子,结果可以通过做

temp = array[0];
array[0] = array[3];
array[3] = temp;
temp = array[1];
array[1] = array[2];
array[2] = temp;
于 2012-11-07T23:06:49.770 回答
0

你可以编写类似的代码(伪代码,我已经很久没有做过Java了,但你明白了)

function flipGridVertically(gridToFlip){

Array gridToReturn;

//start from the bottom row (gridToFlip.size is the vertical size of the grid)
//size is the horizontal size of the grid.
for (counter=gridToFlip.size-1; counter>0; counter--)
  //start the second loop from the top 
  for (counter2=0;counter2<gridToFlip.size;counter2++)
    gridToReturn[counter2] = gridToFlip[counter];

return gridToReturn;
}
于 2012-11-07T23:17:53.653 回答