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
- 좋은 수열
- BFS
- 너비우선탐색
- openssl
- 프로그래머스
- 순열장난
- 부분 수열의 합
- 코딩테스트
- 백트랙킹
- 39080
- 몯느 순열
- 백트래킹
- dfs
- BOJ
- 그래프
- 복서 정렬하기
- 줄어드는 숫자
- 입실 퇴실
- 10597
- 문서자동화
- 백트렉킹
- 위클리 챌린지
- 재귀
- Java
- 완전 탐색
- ElementTree
- 1174
- DP
- 위클리 6주차
- 백준
Archives
개발자-H 입니다.
BOJ - 케빈 베이컨의 6단계 법칙 본문
https://www.acmicpc.net/problem/1389
- 주어진 사람과 관계 수를 인접 리스트로 만든 뒤 사람 순서대로 너비우선탐색을 했음.
- 사람 관계에서 가중치가 없는 노드이기 때문에 depth를 케빈 베이컨 수로 사용
- 1번째 사람부터 N번쨰 사람까지 BFS 결과를 리턴
import java.io.*;
import java.util.*;
public class Main {
public static final BufferedReader br = new BufferedReader(new InputStreamReader(System.in));
public static void main(String[] args) throws Exception {
StringTokenizer st = new StringTokenizer(br.readLine());
// 유저 수
int N = Integer.parseInt(st.nextToken());
// 관계 수
int M = Integer.parseInt(st.nextToken());
//인접 행렬
ArrayList<Integer>[] adj = new ArrayList[N + 1];
for (int i = 1; i <= N; i++) {
adj[i] = new ArrayList<>();
}
//간선
for (int i = 0; i < M; i++) {
st = new StringTokenizer(br.readLine());
int src = Integer.parseInt(st.nextToken());
int dst = Integer.parseInt(st.nextToken());
adj[src].add(dst);
adj[dst].add(src);
}
int minPath = Integer.MAX_VALUE;
int minId = 0;
for (int i = 1; i <= N; i++) {
int path = bfs(i, adj, N);
if(minPath > path) {
minId = i;
minPath = path;
}
}
System.out.println(minId);
}
private static int bfs(int start, ArrayList<Integer>[] adj, int n) {
boolean[] visited = new boolean[n + 1];
Queue<Node> queue = new LinkedList<>();
queue.offer(new Node(start, 0));
int sumOfPath = 0;
while (!queue.isEmpty()) {
Node current = queue.poll();
if (visited[current.index]) continue;
visited[current.index] = true;
sumOfPath += current.depth;
for (int i = 0; i < adj[current.index].size(); i++) {
Integer next = adj[current.index].get(i);
if (visited[next]) continue;
queue.offer(new Node(next, current.depth + 1));
}
}
return sumOfPath;
}
static public class Node {
public int index;
public int depth;
public Node(int index, int depth) {
this.index = index;
this.depth = depth;
}
}
}
'Algorithm > 문제 풀이' 카테고리의 다른 글
BOJ - 색종이 만들기 (0) | 2021.09.07 |
---|---|
BOJ - 최대 힙 (0) | 2021.09.06 |
BOJ - 2×n 타일링 (0) | 2021.09.04 |
BOJ - 균형잡힌 세상 (0) | 2021.09.03 |
프로그래머스 - 모음 사전(5주차 위클리) (0) | 2021.09.02 |
Comments