-
[백준]16929: Two Dots(java)Algorithm 2022. 6. 2. 21:38728x90
https://www.acmicpc.net/problem/16929
문제
Two Dots는 Playdots, Inc.에서 만든 게임이다. 게임의 기초 단계는 크기가 N×M인 게임판 위에서 진행된다.
각각의 칸은 색이 칠해진 공이 하나씩 있다. 이 게임의 핵심은 같은 색으로 이루어진 사이클을 찾는 것이다.
다음은 위의 게임판에서 만들 수 있는 사이클의 예시이다.
점 k개 d1, d2, ..., dk로 이루어진 사이클의 정의는 아래와 같다.
- 모든 k개의 점은 서로 다르다.
- k는 4보다 크거나 같다.
- 모든 점의 색은 같다.
- 모든 1 ≤ i ≤ k-1에 대해서, di와 di+1은 인접하다. 또, dk와 d1도 인접해야 한다. 두 점이 인접하다는 것은 각각의 점이 들어있는 칸이 변을 공유한다는 의미이다.
게임판의 상태가 주어졌을 때, 사이클이 존재하는지 아닌지 구해보자.
입력
첫째 줄에 게임판의 크기 N, M이 주어진다. 둘째 줄부터 N개의 줄에 게임판의 상태가 주어진다. 게임판은 모두 점으로 가득차 있고, 게임판의 상태는 점의 색을 의미한다. 점의 색은 알파벳 대문자 한 글자이다.
출력
사이클이 존재하는 경우에는 "Yes", 없는 경우에는 "No"를 출력한다.
제한
- 2 ≤ N, M ≤ 50
예제 입력 1
3 4 AAAA ABCA AAAA
예제 출력 1
Yes
풀이
전체 코드
package 백준; import java.io.BufferedReader; import java.io.InputStreamReader; import java.util.StringTokenizer; public class BJ_G4_16929_TwoDots { static int N, M; static char[][] map; static boolean[][] visited; static boolean isYes = false; static int[][] dist = {{1, 0}, {-1, 0}, {0, 1}, {0, -1}}; public static void main(String[] args) throws Exception { BufferedReader br = new BufferedReader(new InputStreamReader(System.in)); StringTokenizer st = new StringTokenizer(br.readLine()); N = Integer.parseInt(st.nextToken()); M = Integer.parseInt(st.nextToken()); map = new char[N][]; visited = new boolean[N][M]; for(int i=0; i<N; i++) { map[i] = br.readLine().toCharArray(); } for(int i=0; i<N; i++) { for(int j=0; j<M; j++) { if(visited[i][j]) continue; visited[i][j] = true; isCycle(i, j, i, j, map[i][j]); if(isYes) { System.out.printf("Yes"); System.exit(0); } } } System.out.printf("No"); } public static void isCycle(int prex, int prey, int x, int y, char color) { if(isYes) return; for(int i=0; i<4; i++) { int nx = x + dist[i][0]; int ny = y + dist[i][1]; if(!isIn(nx, ny) || map[nx][ny] != color || (prex == nx && prey == ny)) continue; if(visited[nx][ny]) { isYes = true; continue; } visited[nx][ny] = true; isCycle(x, y, nx, ny, color); } } public static boolean isIn(int x, int y) { return 0<=x && x<N && 0<=y && y<M; } }
728x90'Algorithm' 카테고리의 다른 글
[백준]21611: 마법사 상어와 블리자드(java) (0) 2022.06.03