如何使用for循环循环2D数组?

时间:2019-01-07 16:10:02

标签: java arrays for-loop foreach

正在查看for-each循环,但不知道如何使用Java中的常规for循环来做到这一点,如:

for(int i=0; i<length;i++)

更改此for-each循环

    for (int[] bomb: bombs) {

尝试过

`for (int[] bomb = 0; bomb<bombs; bomb++) // doesn't work

说明: 我知道这两个循环是什么意思

for (int[]bomb: bombs)`
for (int i = 0; i<bombs.length; i++){}

如果可能的话,我想要它们的组合功能:将i位置保存在2D数组中并将i作为数组本身保存在for循环行中。 换句话说,我想要在2D数组中具有循环位置并直接在2D数组中获取int []数组的便利。

上下文

public class MS {
    public static void main(String[] args) {
//Example of input
        int[][] bombs2 = {{0, 0}, {0, 1}, {1, 2}};
        // mineSweeper(bombs2, 3, 4) should return:
        // [[-1, -1, 2, 1],
        //  [2, 3, -1, 1],
        //  [0, 1, 1, 1]]
    }
    public static int[][] mineSweeper(int[][] bombs, int numRows, int numCols) {
        int[][] field = new int[numRows][numCols];
//////////////////////// Enhanced For Loop ////////////////////
        for (int[] bomb: bombs) {
////////////////////// Change to regular for loop //////////////
            int rowIndex = bomb[0];
            int colIndex = bomb[1];
            field[rowIndex][colIndex] = -1;
            for(int i = rowIndex - 1; i < rowIndex + 2; i++) {
                for (int j = colIndex - 1; j < colIndex + 2; j++) {
                    if (0 <= i && i < numRows &&
                            0 <= j && j < numCols &&
                            field[i][j] != -1) {
                        field[i][j] += 1;
                    }
                }
            }
        }
        return field;
    }
 }

2 个答案:

答案 0 :(得分:3)

根据The for Statement,以下两个相同:

for (int i = 0; i < bombs.length; i++) {
  int[] bomb = bombs[i];
}

for (int[] bomb : bombs) {

}

答案 1 :(得分:0)

假设我了解您的问题, 只需使用两个嵌套的for-each样式循环; 一个用于double数组,一个用于double数组的每个成员。 这是一些示例代码:

public class LearnLoopity
{
  private int[][] doubleListThing = {{0, 0}, {0, 1}, {1, 2}};

  @Test
  public void theTest()
  {
    System.out.print("{");

    for (int[] singleListThing : doubleListThing)
    {
      System.out.print("{");
      for (int individualValue : singleListThing)
      {
        System.out.print(individualValue + " ");
      }

      System.out.print("} ");
    }

    System.out.print("} ");
  }
}