Notice
Recent Posts
Recent Comments
Link
일 | 월 | 화 | 수 | 목 | 금 | 토 |
---|---|---|---|---|---|---|
1 | 2 | 3 | 4 | |||
5 | 6 | 7 | 8 | 9 | 10 | 11 |
12 | 13 | 14 | 15 | 16 | 17 | 18 |
19 | 20 | 21 | 22 | 23 | 24 | 25 |
26 | 27 | 28 | 29 | 30 | 31 |
Tags
- 백준
- QUICKSTARTGUIDE
- 구현
- 자바PS
- 네트워크플로우
- 세그먼트트리
- 다익스트라
- 알고리즘
- 취득후기
- 재귀함수
- 다이나믹프로그래밍
- 우선순위큐
- 게더타운시작
- 백준코딩테스트
- 시뮬레이션
- BFS
- YBMCOS
- dp
- COSPRO
- 01BFS
- 이젠 골드구현도 어렵네..
- java
- 엘라스틱서치
- PS
- GatherTown
- DFS
- COSPROJAVA1급
- deque
- 완전탐색
- spring
Archives
- Today
- Total
공부공간
BOJ -16929 ) Two Dots 본문
https://www.acmicpc.net/problem/16929
노드간 사이클을 찾는 문제였다. DFS풀이는 바로생각났지만, BFS로 궁금한점이 생겨서 테스트해봤던 문제,
사이클이 존재하면 최단거리로 도달하는 시간만 체크해주면 풀릴거같았다.
예를들어
AAAAA
BBBBA
AAABA
ABABA
AAAAA
와 같은 입력에서 어느 A에서 시작하더라도, 같은 시간으로 도달하는 한점이 생긴다 => 사이클이있다.
이 가설?같은거를 증명해보았는데 문제제약조건인 그래프크기는 4이상인것도 만족시키는 문제..
import java.io.BufferedReader;
import java.io.InputStreamReader;
import java.util.ArrayDeque;
import java.util.StringTokenizer;
public class TwoDot {
public static class node {
char c;
int y,x,time;
public node(char c, int y, int x, int time) {
super();
this.c = c;
this.y = y;
this.x = x;
this.time = time;
}
}
public static void main(String[] args) throws Exception {
BufferedReader br = new BufferedReader(new InputStreamReader(System.in));
StringTokenizer st = new StringTokenizer(br.readLine());
int n = Integer.parseInt(st.nextToken());
int m = Integer.parseInt(st.nextToken());
char map[][] = new char[n+1][m+1];
int visit[][] = new int[n+1][m+1];
int dir[][] = {{1,0},{0,1},{-1,0},{0,-1}};
ArrayDeque<node> dq = new ArrayDeque<>();
for(int i = 1 ; i<=n ; i++) {
char temp[] = br.readLine().toCharArray();
for(int j =1 ; j <= m ; j++) {
map[i][j] = temp[j-1];
}
}
String answer = "No";
top :
for(int i = 1 ; i <=n ; i++) {
for(int j = 1 ;j<= m ; j++) {
if(visit[i][j] ==0) {
visit[i][j]=1;
dq.add(new node(map[i][j] , i,j,1));
while(!dq.isEmpty()) {
node now = dq.poll();
for(int k= 0 ; k <4 ; k++) {
int ny = now.y + dir[k][0];
int nx = now.x + dir[k][1];
if(ny>=1 && nx >=1 && ny <= n && nx <= m && now.c == map[ny][nx]) {
if(visit[ny][nx]==0) {
visit[ny][nx] = now.time+1;
dq.add(new node (now.c , ny , nx , now.time+1));
} else if(visit[ny][nx] == now.time+1) {
answer ="Yes";
break top;
}
}
}
}
}
}
}
System.out.println(answer);
}
}
'알고리즘 > 완전탐색(BFS,DFS)' 카테고리의 다른 글
BOJ - 16930 ) 달리기 (0) | 2020.06.15 |
---|---|
BOJ - 19236 ) 청소년상어 (0) | 2020.06.13 |
BOJ - 18809 ) Gaaaaaaaaaarden (1) | 2020.05.28 |
BOJ - 2636 ) 치즈 (0) | 2020.05.15 |
BOJ - 16236 ) 아기상어 (0) | 2020.05.13 |
Comments