Skip to content
Open
Changes from all commits
Commits
File filter

Filter by extension

Filter by extension

Conversations
Failed to load comments.
Loading
Jump to
Jump to file
Failed to load files.
Loading
Diff view
Diff view
57 changes: 56 additions & 1 deletion src/Search.java
Original file line number Diff line number Diff line change
@@ -1,3 +1,8 @@
import java.util.ArrayList;
import java.util.LinkedList;
import java.util.List;
import java.util.Queue;

public class Search {
/**
* Finds the location of the nearest reachable cheese from the rat's position.
Expand Down Expand Up @@ -29,6 +34,56 @@ public class Search {
* @throws HungryRatException if there is no reachable cheese
*/
public static int[] nearestCheese(char[][] maze) throws EscapedRatException, CrowdedMazeException, HungryRatException {
return null;
boolean[][] visited = new boolean[maze.length][maze[0].length];
int[] start = ratLocation(maze);
Queue<int[]> queue = new LinkedList<>();
queue.add(start);
while(!queue.isEmpty()) {
int[] curr = queue.poll();
int currROW = curr[0];
int currCOL = curr[1];
if (visited[currROW][currCOL]) continue;
visited[currROW][currCOL] = true;
if (maze[currROW][currCOL]=='c') return curr;
queue.addAll(getNeighbors(maze, curr));
}
throw new HungryRatException();
}
public static List<int[]> getNeighbors(char[][] maze, int[] curr) {
int currROW = curr[0];
int currCOL = curr[1];
//UP [-1, 0]
//DOWN [ 1, 0]
//LEFT [ 0,-1]
//RIGHT [ 0, 1]
int[][] directions = {
{-1,0},{1,0},{0,-1},{0,1}
};
List<int[]> moves = new ArrayList<>();
for (int[] dir : directions) {
int newROW = currROW + dir[0];
int newCOL = currCOL + dir[1];
if (newROW>=0&&
newROW<maze.length&&
newCOL>=0&&
newCOL<maze[newROW].length&&
maze[newROW][newCOL]!='w') {
moves.add(new int[]{newROW,newCOL});
}
}
return moves;
}
public static int[] ratLocation(char[][] maze) throws EscapedRatException, CrowdedMazeException, HungryRatException {
int[] location = null;
for (int r=0;r<maze.length;r++){
for (int c=0;c<maze[r].length;c++) {
if (maze[r][c]=='R') {
if(location!=null) throw new CrowdedMazeException();
else location=new int[]{r,c};
}
}
}
if (location==null) throw new EscapedRatException();
return location;
}
}