在Java中检查数组数组中某个元素的相邻元素

时间:2018-09-19 12:08:45

标签: java arrays

所以,我有一个看起来像的char表

[[.,*,.,.,*]
[*,.,.,.,.]
[.,.,.,*,*]]

我想把每个“。”变成一个数字,显示相邻字段中有多少个*。基本上是一个简单的扫雷车。 有没有一种优雅的方法来检查每个元素的每个相邻字段? 因为我想到的是很多嵌套的循环和if语句,但是我不确定有更好的方法吗?

编辑:预期结果应该类似于:

[[3,*,2,.]
 [*,*,2,.]]

1 个答案:

答案 0 :(得分:1)

我能想到的最优雅的方式是:

public static void main(String[] args) {

    char[] a = {'.', '.', '*', '.', '*'};
    char[] b = {'.', '*', '*', '.', '*'};
    char[] c = {'.', '.', '*', '.', '*'};
    char[] d = {'.', '*', '*', '.', '*'};
    char[] e = {'*', '.', '*', '.', '*'};
    char[][] ae = {a, b, c, d, e};

    char[][] numberArray = new char[5][5];


    for (int i = 0; i < ae.length; i++) {
        for (int j = 0; j < ae[i].length;  j++) {
            numberArray[i][j] = checkAdjacentField(i, j, ae);
        }
    }
    StringBuilder matrix = new StringBuilder();

    for (char[] aNumberArray : numberArray) {
        StringBuilder bld = new StringBuilder("{");
        for (char character : aNumberArray) {
            bld.append(character).append(",");
        }
        bld.deleteCharAt(bld.length() - 1);
        bld.append("}");
        matrix.append(bld.toString()).append("\n");
    }
    System.out.println(matrix.toString());
}

private static char checkAdjacentField(int i, int j, char[][] ae) {
    int count = 0;
    if (j <= ae[i].length - 2) { // to the right
        count += ae[i][j + 1] == '*' ? 1 : 0;
    }
    if (j <= ae[i].length - 2 && i <= ae.length -2) { // move to top right
        count += ae[i + 1][j + 1] == '*' ? 1 : 0;
    }
    if (j <= ae[i].length - 2 && i > 0) { // move to bottom right
        count += ae[i - 1][j + 1] == '*' ? 1 : 0;
    }
    if (j > 0) { // to the left
        count += ae[i][j - 1] == '*' ? 1 : 0;
    }
    if (j > 0 && i <= ae.length -2) { // to top left
        count += ae[i + 1][j - 1] == '*' ? 1 : 0;
    }
    if (j > 0 && i > 0) { // to bottom left
        count += ae[i - 1][j - 1] == '*' ? 1 : 0;
    }
    if (i <= ae.length -2) { // move to top
        count += ae[i +1][j] == '*' ? 1 : 0;
    }
    if (i > 0) { // move top bottom
        count += ae[i - 1][j] == '*' ? 1 : 0;
    }
    System.out.printf("field %s, %s has %s Adjacent fields with a * \n", i, j , count);
    String stringValue = String.valueOf(count);
    return stringValue.charAt(0);
}

如果您对此示例有疑问,我想听听。

下次,尝试提供一个示例,说明您之前已经尝试过的所有内容。