Article Image
Article Image
read
문제
양치기 꿍은 맨날 늑대가 나타났다고 마을 사람들을 속였지만 이젠 더이상 마을 사람들이 속지 않는다. 화가 난 꿍은 복수심에 불타 아예 늑대들을 양들이 있는 울타리안에 마구 집어넣어 양들을 잡아먹게 했다.
하지만 양들은 보통 양들이 아니다. 같은 울타리 영역 안의 양들의 숫자가 늑대의 숫자보다 더 많을 경우 늑대가 전부 잡아먹힌다. 물론 그 외의 경우는 양이 전부 잡아먹히겠지만 말이다.
꿍은 워낙 똑똑했기 때문에 이들의 결과는 이미 알고있다. 만약 빈 공간을 ‘.’(점)으로 나타내고 울타리를 ‘#’, 늑대를 ‘v’, 양을 ‘k’라고 나타낸다면 여러분은 몇 마리의 양과 늑대가 살아남을지 계산할 수 있겠는가?
단, 울타리로 막히지 않은 영역에는 양과 늑대가 없으며 양과 늑대는 대각선으로 이동할 수 없다.
입력
입력의 첫 번째 줄에는 각각 영역의 세로와 가로의 길이를 나타내는 두 개의 정수 R, C (3 ≤ R, C ≤ 250)가 주어진다.
다음 각 R줄에는 C개의 문자가 주어지며 이들은 위에서 설명한 기호들이다.
출력
살아남게 되는 양과 늑대의 수를 각각 순서대로 출력한다.
예제 입력 1
6 6
...#..
.##v#.
#v.#.#
#.k#.#
.###.#
...###
예제 출력 1
0 2
예제 입력 2
8 8
.######.
#..k...#
#.####.#
#.#v.#.#
#.#.k#k#
#k.##..#
#.v..v.#
.######.
예제 출력 2
3 1
예제 입력 3
9 12
.###.#####..
#.kk#...#v#.
#..k#.#.#.#.
#..##k#...#.
#.#v#k###.#.
#..#v#....#.
#...v#v####.
.####.#vv.k#
.......####.
예제 출력 3
3 5
풀이
이 문제는 bfs(너비 우선 탐색)알고리즘을 이용해서 쉽게 풀 수 있는 문제였다.
import java.io.BufferedReader;
import java.io.InputStreamReader;
import java.util.LinkedList;
import java.util.Queue;
public class Main {
static boolean[][] visited;
static char[][] map;
static int[] dx = {-1, 1, 0, 0};
static int[] dy = {0, 0, -1, 1};
static int N;
static int M;
static int total_wolf = 0;
static int total_sheep = 0;
public static void main(String[] args) throws Exception{
BufferedReader br = new BufferedReader(new InputStreamReader(System.in));
String[] input = br.readLine().split(" ");
N = Integer.parseInt(input[0]);
M = Integer.parseInt(input[1]);
map = new char[N][M];
visited = new boolean[N][M];
for(int i=0; i<N; i++) {
String str = br.readLine();
for(int j=0; j<M; j++) {
map[i][j] = str.charAt(j);
}
}
for(int i=0; i<N; i++) {
for(int j=0; j<M; j++) {
if(map[i][j]!='#' && !visited[i][j]) {
bfs(i, j);
}
}
}
System.out.println(total_sheep+" "+total_wolf);
}
public static void bfs(int row, int col) {
int sheep = 0;
int wolf = 0;
if(map[row][col]=='k')
sheep++;
if(map[row][col]=='v')
wolf++;
Queue<Pair> queue = new LinkedList<>();
queue.add(new Pair(row, col));
visited[row][col] = true;
while(!queue.isEmpty()) {
Pair temp = queue.poll();
for(int i=0; i<4; i++) {
int nx = temp.x+dx[i];
int ny = temp.y+dy[i];
if(nx<0 || nx>=N || ny<0 || ny>=M || visited[nx][ny] || map[nx][ny]=='#') continue;
visited[nx][ny] = true;
if(map[nx][ny]=='k')
sheep++;
else if(map[nx][ny]=='v')
wolf++;
queue.add(new Pair(nx, ny));
}
}
if(sheep>wolf) {
total_sheep += sheep;
}
else {
total_wolf += wolf;
}
}
public static class Pair {
int x;
int y;
public Pair(int x, int y) {
this.x = x;
this.y = y;
}
}
}