迷宫问题_牛客题霸_牛客网
import java.util.*;
class Node {
int x;
int y;
public Node(int x, int y) {
this.x = x;
this.y = y;
}
}
public class Main {
public static void main(String[] args) {
Scanner sc = new Scanner(System.in);
int row = sc.nextInt();
int col = sc.nextInt();
int[][] mat = new int[row][col];
for (int i = 0; i < mat.length; i++) {
for (int j = 0; j < mat[i].length; j++) {
mat[i][j] = sc.nextInt();
}
}
int[][] book = new int[row][col];
ArrayList<Node> path = new ArrayList<Node>();
ArrayList<Node> minPath = new ArrayList<Node>();
getMinPath(mat, row, col, 0, 0, book, path, minPath);
//接下来我们去打印
for(Node e : minPath){
System.out.println("("+e.x+","+e.y+")");
}
}
private static void getMinPath(int[][] mat, int row, int col, int x, int y,
int[][] book,
ArrayList<Node> path, ArrayList<Node> minPath) {
//判断能不能走的条件处理完了
if (x < 0 || x >= row || y < 0 || y >= col || book[x][y] == 1 ||
mat[x][y] == 1)return;
//接下来就是添加到当前路径里去
path.add(new Node(x,y));
//添加之后,将这个地方置为1
book[x][y] = 1;
//然后去判断
if(x == row-1 && y == col-1){
if(minPath.isEmpty() || path.size() < minPath.size()){
//如果你的最小路径没有也先进去,否则你就需要拿你当前路径跟最小路径进行比较
//然后我们清空最小路径,并且把当前路径所有坐标添加进去
minPath.clear();
for(Node e : path){
minPath.add(e);
}
}
}
//走到这里,我们就需要去走接下来四个方向
getMinPath(mat,row,col,x+1,y,book,path,minPath);
getMinPath(mat,row,col,x-1,y,book,path,minPath);
getMinPath(mat,row,col,x,y+1,book,path,minPath);
getMinPath(mat,row,col,x,y-1,book,path,minPath);
//走到这里说明前面的返回回来了
//说明走不通当前这条路,我么就需要把这个路封住,先在path中去除这个位置
path.remove(path.size()-1);
//然后把这个位置重新置为0,可能别的路还需要用这个位置呢
book[x][y] = 0;
}
}
|