gpt4 book ai didi

java - 使用递归的迷宫求解器

转载 作者:行者123 更新时间:2023-12-01 13:49:32 25 4
gpt4 key购买 nike

我得到了一些构建迷宫的代码以及其他需要的东西,抽象迷宫类包含一个抽象方法“makeMove(int row,int col)”,这是我试图编写来解决迷宫的方法,向左、向右、向上、向下移动。

我刚刚开始研究这个问题,下面是我到目前为止所拥有的一切。

int MAX_ROWS = endRow + 1;
int MAX_COLS = endCol + 1;
boolean[][]visited = new boolean[MAX_ROWS][MAX_COLS];
protected void makeMove( int row, int col )
{
boolean found = false;
//boolean[][]visited = new boolean[MAX_ROWS][MAX_COLS];
//visited[startRow][startCol] = true;
if (row < 0 || row >= MAX_ROWS || col < 0 || col >= MAX_COLS || visited[row][col] || maze[row][col] == 1)
return;

visited[row][col] = true;
found = row == endRow && col == endCol;

if (!found) {
makeMove(row, col - 1);
makeMove(row, col + 1);
makeMove(row - 1, col);
makeMove(row + 1, col);
}

}
/*if(row == endRow && col == endCol) {
found = true;
}
if(!found && maze[row][col - 1]!=1 && !visited[row][col]) { // move left
makeMove(row, col -1);
visited[row][col -1] = true;
}
if(!found && maze[row - 1][col]!=1 && !visited[row-1][col]) { // move up
makeMove(row-1, col);
visited[row-1][col] = true;
}
if(!found && maze[row][col + 1]!=1 && !visited[row][col + 1]) { // move right
makeMove(row, col + 1);
visited[row][col + 1] = true;
}
if(!found && maze[row + 1][col]!=1 && !visited[row + 1][col]) { // move down
makeMove(row + 1, col);
visited[row + 1][col] = true;
}*/

好的,我的代码已经运行到不再​​出现错误的位置。

感谢您的所有帮助。

最佳答案

boolean[][] visited = null;

声明一个局部变量。您需要将其声明为类的成员,以便它可以在 makeMove 调用之间持续存在。您还需要正确初始化它:

boolean[][] visited = new boolean[...][...];

您还需要执行边界检查。经过几次递归调用后,您将到达迷宫的边缘并超出数组的范围。

因此代码可能如下所示:

int MAX_ROWS = ...
int MAX_COLS = ...

boolean[][] visited = new boolean[MAX_ROWS][MAX_COLS];

protected void makeMove(int row, int col) {
if (row < 0 || row >= MAX_ROWS
|| col < 0 || col >= MAX_COLS
|| visited[row][col]
|| maze[row][col] == 1)
return;

visited[row][col] = true;
found = row == endRow && col == endCol;

if (!found) {
makeMove(row, col - 1);
makeMove(row, col + 1);
makeMove(row - 1, col);
makeMove(row + 1, col);
}
}

其中 MAX_ROWSMAX_COLS 对应于迷宫的尺寸。请注意,默认情况下 visited 初始化为全部 false。如果您想在不同的迷宫上多次调用此方法,您应该将其包装在一个将重新初始化 visited 的方法中。

关于java - 使用递归的迷宫求解器,我们在Stack Overflow上找到一个类似的问题: https://stackoverflow.com/questions/20078823/

25 4 0
Copyright 2021 - 2024 cfsdn All Rights Reserved 蜀ICP备2022000587号
广告合作:1813099741@qq.com 6ren.com