문제 링크
이 문제는 BFS를 이용해서 풀이를 진행하였습니다.
이 문제는 0,0에서 시작하여 N-1, N-1 까지 최소의 시간으로 이동하는 문제입니다.
각각의 배열에는 걸리는 시간이 들어 있습니다.
위 그림과 같이 BFS를 탐색을 할 때, 최솟값에 대한 비교를 하면서 진행을 해야한다는 점이 다른 BFS의 문제와 차이가 있다.
package com.Expert;
import java.io.BufferedReader;
import java.io.InputStreamReader;
import java.util.Arrays;
import java.util.LinkedList;
import java.util.Queue;
public class Expert_1249 {
static int N,ans;
static boolean[][] visited;
static int[][] map;
static int[][] count;
static int[] dx= {-1,1,0,0};
static int[] dy= {0,0,-1,1};
public static void main(String[] args) throws Exception {
BufferedReader br = new BufferedReader(new InputStreamReader(System.in));
StringBuilder sb = new StringBuilder();
int testCase = Integer.parseInt(br.readLine());
for (int tc = 1; tc <= testCase; tc++) {
N = Integer.parseInt(br.readLine());
ans = Integer.MAX_VALUE;
map = new int[N][N];
count = new int[N][N];
visited = new boolean[N][N];
for (int i = 0; i < N; i++) {
String temp = br.readLine();
for (int j = 0; j < N; j++) {
map[i][j] = temp.charAt(j)-'0';
}
}
for (int i = 0; i < N; i++) {
Arrays.fill(count[i], Integer.MAX_VALUE);
}
count[0][0]=0;
bfs();
sb.append("#"+tc+" "+ans+"\n");
}
System.out.println(sb);
}
private static void bfs() {
Queue<point> q = new LinkedList<>();
q.add(new point(0,0));
visited[0][0] = true;
while(!q.isEmpty()) {
point temp = q.poll();
if(temp.x ==N-1 && temp.y==N-1) {
ans = ans > count[N-1][N-1]?count[N-1][N-1]:ans;
}
for (int k = 0; k < 4; k++) {
int xx = temp.x + dx[k];
int yy = temp.y + dy[k];
if(xx<0||xx>=N||yy<0||yy>=N)continue;
if(!visited[xx][yy] || count[xx][yy]> count[temp.x][temp.y]+map[xx][yy]) {
visited[xx][yy] = true;
count[xx][yy] = count[temp.x][temp.y]+map[xx][yy];
q.offer(new point(xx, yy));
}
}
}
}
static class point{
int x;
int y;
public point(int x, int y) {
super();
this.x = x;
this.y = y;
}
}
}
- 저의 경우에는 point라는 클래스를 이용해 큐로 구현을 했습니다.
- 이외에는 class에서 comparable를 이용해서 우선순위 큐로 풀 수 있습니다.
'Algorithm > SWEA 알고리즘' 카테고리의 다른 글
SWEA_5656 벽돌깨기(자바) (0) | 2021.04.20 |
---|---|
SWEA_4014 활주로 건설(자바) (0) | 2021.04.19 |
SWEA_1251 하나로(자바) / 최소신장트리 (0) | 2021.04.13 |
SWEA_4408 자기 방으로 돌아가기(자바) (0) | 2021.03.27 |
SWEA_1208 Flatten(자바) / 문제해결 기본 (0) | 2021.03.27 |