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
- 백준 5525번
- 지네릭스
- 데베
- 리액트 네이티브
- 머신러닝
- 모두의네트워크
- 모두를 위한 딥러닝
- React Native
- 정리
- 데이터베이스
- 자바
- 깃 연동
- 백준 4358번
- 백준 4358 자바
- 네트워크
- 깃 터미널 연동
- 리액트 네이티브 프로젝트 생성
- 모두를위한딥러닝
- HTTP
- 모두의 네트워크
- 백준 4949번
- 스터디
- 딥러닝
- 깃허브 토큰 인증
- SQL
- 깃허브 로그인
- 문자열
- 리액트 네이티브 시작하기
- 팀플회고
- 백준
Archives
- Today
- Total
솜이의 데브로그
백준 1260번 ) DFS와 BFS (java) 본문
https://www.acmicpc.net/problem/1260
문제
풀이
import java.util.*;
import java.io.*;
public class Main {
static int map[][];
static boolean[] visit;
static int n,m,v;
public static void dfs(int i){
visit[i] = true;
System.out.print(i + " ");
for(int j=1; j<n+1; j++){
if(map[i][j] == 1 && visit[j]==false) dfs(j);
}
}
public static void bfs(int i){
Queue<Integer> q = new LinkedList<Integer>();
q.offer(i);
visit[i] = true;
while(!q.isEmpty()){
int temp = q.poll();
System.out.print(temp+ " ");
for(int k=1; k<=n; k++){
if(map[temp][k] == 1 && visit[k]==false){
q.offer(k);
visit[k] = true;
}
}
}
}
public static void main(String[] args) throws IOException{
BufferedReader br = new BufferedReader(new InputStreamReader(System.in));
String s = br.readLine();
StringTokenizer st = new StringTokenizer(s, " ");
n = Integer.parseInt(st.nextToken());
m = Integer.parseInt(st.nextToken());
v = Integer.parseInt(st.nextToken());
map = new int[n+1][n+1];
visit = new boolean[n+1];
for(int i=0; i<n+1;i++){
Arrays.fill(map[i], 0);
}
Arrays.fill(visit, false);
for(int i=0; i<m; i++){
String edge = br.readLine();
StringTokenizer st1 = new StringTokenizer(edge, " ");
int a = Integer.parseInt(st1.nextToken());
int b = Integer.parseInt(st1.nextToken());
map[a][b] = 1;
map[b][a] = 1;
}
dfs(v);
System.out.println();
Arrays.fill(visit, false);
bfs(v);
}
}
BFS는 너비우선, DFS는 깊이 우선.
양방향이므로 양쪽 방향에서 모두 값을 저장해야한다.
주의할 점
- Queue 구현은 LinkedList로.
- Queue 사용시, add 와 offer의 차이는 꽉 찼을때 반환 값이 다르다. poll 은 제거하면서 꺼내오기, peek은 값 참조만.
- 인접 리스트로 푸는 경우, 낮은 수 부터 이동해야하므로 정렬을 해야함!
- 정점의 개수가 적은 경우에는 내가 푼것처럼 배열로 풀어도 되지만, 많아지는 경우 효율적이지 못하므로 인접 리스트를 사용하자.
'Algorithm > 백준' 카테고리의 다른 글
백준 11659번 ) 구간 합 구하기4 (java) (0) | 2022.03.11 |
---|---|
백준 1991번 ) 트리 순회 (java) (0) | 2022.03.09 |
백준 2748번 ) 피보나치 수 2 (java) (0) | 2022.02.24 |
백준 2231번 ) 분해합 (java) (0) | 2022.02.24 |
백준 2630번 ) 색종이 만들기 (java) (0) | 2022.02.23 |