在扫雷板上递归映射地雷

Recursively mapping mines on a minesweeper board

我一直在尝试制作一个扫雷游戏,其中给定一个单元格的坐标,它将递归地显示相邻的单元格,直到找到与炸弹相邻的单元格。我有一个方法,给定坐标 x 和 y 计算它周围有多少地雷。

// Counts how many mines are adjacent to a given coordinate cell if any
void board::mineCount(int x, int y) {

// North
if (y > 0) {
    if (board[x][y - 1].hasMine) {
        board[x][y].mineCount++;
    }
}

// South
if (y < dimensions[1] - 1) {
    if (board[x][y + 1].hasMine) {
        board[x][y].mineCount++;

    }
}

// East
if (x < dimensions[0] - 1) {
    if (board[x + 1][y].hasMine) {
        board[x][y].mineCount++;

    }
}

// West
if (x > 0) {
    if (board[x - 1][y].hasMine) {
        board[x][y].mineCount++;
    }
}

// North East
if (x < dimensions[0] - 1 && y > 0) {
    if (board[x + 1][y - 1].hasMine) {
        board[x][y].mineCount++;

    }
 }

// North West
if (x > 0 && y > 0) {
    if (board[x - 1][y - 1].hasMine) {
        board[x][y].mineCount++;
    }
}

// South East
if (x < dimensions[0] - 1 && y < dimensions[1] - 1) {
    if (board[x + 1][y + 1].hasMine) {
        board[x][y].mineCount++;

    }
}

// South West
if (x > 0 && y < dimensions[1] - 1) {
    if (board[x - 1][y + 1].hasMine) {
        board[x][y].mineCount++;
    }
  }
}

每个单元格都是一个结构,它有一个 mineCount 字段,每次在其附近发现地雷时该字段都会递增 1。我无法弄清楚我的递归逻辑会去哪里。我尝试做类似的事情:

// North
if (y > 0) {
    if (board[x][y - 1].hasMine) {
        board[x][y].mineCount++;
    } else {
        minecount(x, y-1);
    }
}

对于每个位置,但无济于事。任何指针将不胜感激。

递归不应该是执行地雷计数本身的代码的一部分。它应该是负责显示附近图块的函数的一部分。

int get_adjacent_mine_count(point p) {
    int mine_count = 0;
    for(int i = -1; i <= 1; i++) {
        for(int j = -1; j <= 1; j++) {
            point this_point(p.x + i, p.y + j);
            //is_inside_board checks to see if the point's coordinates are less than 0 
            //or greater than the board size
            if(!is_inside_board(board, this_point)) continue; 
            //We ignore the center tile
            if(i == 0 && j == 0) continue;

            if(board(this_point).hasMine) 
                mine_count++;
        }
    }
    return mine_count;
}

void reveal_tiles(point p) {
    //We shouldn't throw if the recursion is correct
    if(board(p).hasMine) throw Explosion("Stepped on a Mine!");
    //Single call to previously defined function
    int num_of_adjacent_mines = get_adjacent_mine_count(p);
    //I'm assuming this gets initialized to -1 beforehand
    board(p).revealed = num_of_adjacent_mines; 
    if(num_of_adjacent_mines == 0) {
        for(int i = -1; i <= 1; i++) {
            for(int j = -1; j <= 1; j++) {
                point this_point(p.x + i, p.y + j);
                if(!is_inside_board(board, this_point)) continue;
                if(i == 0 && j == 0) continue;
                if(board(this_point).revealed == -1) 
                    reveal_tiles(this_point);
            }
        }
    }
}

我强烈建议您编写一个简单的 Matrix class 来表示 board,我的代码暗示您已经完成了,因为这是一个更强大的解决方案而不仅仅是尝试以 C 风格的方式与二维数组交互。