본문 바로가기
알고리즘/백준

[Java] BOJ 4485번 녹색 옷 입은 애가 젤다지?

by 컴공맨 2021. 9. 2.
 

4485번: 녹색 옷 입은 애가 젤다지?

젤다의 전설 게임에서 화폐의 단위는 루피(rupee)다. 그런데 간혹 '도둑루피'라 불리는 검정색 루피도 존재하는데, 이걸 획득하면 오히려 소지한 루피가 감소하게 된다! 젤다의 전설 시리즈의 주

www.acmicpc.net


풀이

BFS에 우선순위 큐를 적용하여 낮은 가중치를 우선적으로 처리하게해서 해결했습니다.


코드

import java.io.BufferedReader;
import java.io.IOException;
import java.io.InputStreamReader;
import java.util.PriorityQueue;
import java.util.StringTokenizer;

public class Main {
	public static class Info implements Comparable<Info> {
		int y, x, loseMoney;

		public Info(int y, int x, int loseMoney) {
			this.y = y;
			this.x = x;
			this.loseMoney = loseMoney;
		}
		
		@Override
		public int compareTo(Info o) {
			return Integer.compare(this.loseMoney, o.loseMoney);
		}
	}
	public static int N, answer;
	public static boolean[][] visited;
	public static int[][] cave;
	public static void main(String[] args) throws IOException {
		BufferedReader br = new BufferedReader(new InputStreamReader(System.in));
		StringBuilder sb = new StringBuilder("");
		StringTokenizer st = null;
		
		int tc = 1;
		while (true) {
			N = Integer.parseInt(br.readLine());
			
			if (N == 0) {
				break;
			}
			
			visited = new boolean[N][N];
			cave = new int[N][N];
			
			for (int i = 0; i < N; ++i) {
				st = new StringTokenizer(br.readLine(), " ");
				
				for (int j = 0; j < N; ++j) {
					cave[i][j] = Integer.parseInt(st.nextToken());
				}
			}
			
			go();
			sb.append("Problem ").append(tc++).append(": ").append(answer).append("\n");
		}
		
		System.out.println(sb);
	}
	
	public static int[] dy = {-1, 1, 0, 0};
	public static int[] dx = {0, 0, -1, 1};
	public static void go() {
		PriorityQueue<Info> pq = new PriorityQueue<>();
		pq.offer(new Info(0, 0, cave[0][0]));
		visited[0][0] = true;
		
		while (!pq.isEmpty()) {
			Info info = pq.poll();
			
			if (info.y == N - 1 && info.x == N - 1) {
				answer = info.loseMoney;
				return;
			}
			
			for (int i = 0; i < 4; ++i) {
				int ny = info.y + dy[i];
				int nx = info.x + dx[i];
				
				if (ny < 0 || nx < 0 || ny >= N || nx >= N) {
					continue;
				}
				
				if (!visited[ny][nx]) {
					pq.offer(new Info(ny, nx, info.loseMoney + cave[ny][nx]));
					visited[ny][nx] = true;
				}
			}
		}
	} 
}

 

GitHub - pyo7410/Algorithm: 1일 1커밋을 목표로!

1일 1커밋을 목표로! Contribute to pyo7410/Algorithm development by creating an account on GitHub.

github.com

 

'알고리즘 > 백준' 카테고리의 다른 글

[Java] BOJ 5427번 불  (0) 2021.09.06
[Java] BOJ 2638번 치즈  (0) 2021.09.03
[Java] BOJ 1062번 가르침  (0) 2021.09.01
[Java] BOJ 1647번 도시 분할 계획  (0) 2021.08.31
[Java] BOJ 1744번 수 묶기  (0) 2021.08.30