문제
1260번: DFS와 BFS
첫째 줄에 정점의 개수 N(1 ≤ N ≤ 1,000), 간선의 개수 M(1 ≤ M ≤ 10,000), 탐색을 시작할 정점의 번호 V가 주어진다. 다음 M개의 줄에는 간선이 연결하는 두 정점의 번호가 주어진다. 어떤 두 정점 사
www.acmicpc.net
풀이
import java.util.Arrays;
import java.util.LinkedList;
import java.util.Queue;
import java.util.Scanner;
public class Main {
private static int edge, vertex, start;
private static int[][] graph;
private static boolean[] check;
public static void main(String[] args) {
// 입력 받기
Scanner sc = new Scanner(System.in);
edge = sc.nextInt();
vertex = sc.nextInt();
start = sc.nextInt();
// 행렬
graph = new int[edge + 1][edge + 1];
check = new boolean[edge + 1];
for (int i = 0; i < vertex; i++) {
int first = sc.nextInt();
int second = sc.nextInt();
graph[first][second] = 1;
graph[second][first] = 1;
}
dfs(start);
System.out.println();
// 배열 전체초기화
Arrays.fill(check, false);
bfs(start);
}
public static void dfs(int start) {
// 시작점 방문
check[start] = true;
System.out.print(start + " ");
// 돌면서 체크
for (int i = 1; i < edge + 1; i++) {
if (graph[start][i] == 1 && !check[i])
dfs(i);
}
}
public static void bfs(int start) {
Queue<Integer> q = new LinkedList<>();
// 시작점을 큐에 넣고
q.offer(start);
// 방문했다고 저장
check[start] = true;
// 정점이 없어질때까지
while (!q.isEmpty()) {
//정점을 poll해서 이동
int vertex = q.poll();
System.out.print(vertex + " ");
// 이동된 정점에서 연결된 점들을 큐에 넣고 방문했는지 체
for (int i = 1; i < edge + 1; i++) {
if (graph[vertex][i] == 1 && !check[i]) {
q.offer(i);
check[i] = true;
}
}
}
}
}
'알고리즘' 카테고리의 다른 글
[프로그래머스] JAVA 두 개 뽑아서 더하기 (0) | 2020.12.12 |
---|---|
[프로그래머스] JAVA 크레인 인형뽑기 (0) | 2020.12.12 |
[백준] JAVA 팰린드롬수 (1259) (0) | 2020.12.07 |
[백준] JAVA 단어 정렬 (1181) - 리팩토링 필요 (0) | 2020.12.07 |
[백준] Java, C++ N-Queen (9663) (0) | 2020.12.07 |