gimmickbutreal
[프로그래머스/자바] 순위 - bfs 본문
문제 설명
n명의 권투선수가 권투 대회에 참여했고 각각 1번부터 n번까지 번호를 받았습니다. 권투 경기는 1대1 방식으로 진행이 되고, 만약 A 선수가 B 선수보다 실력이 좋다면 A 선수는 B 선수를 항상 이깁니다. 심판은 주어진 경기 결과를 가지고 선수들의 순위를 매기려 합니다. 하지만 몇몇 경기 결과를 분실하여 정확하게 순위를 매길 수 없습니다.
선수의 수 n, 경기 결과를 담은 2차원 배열 results가 매개변수로 주어질 때 정확하게 순위를 매길 수 있는 선수의 수를 return 하도록 solution 함수를 작성해주세요.
제한사항- 선수의 수는 1명 이상 100명 이하입니다.
- 경기 결과는 1개 이상 4,500개 이하입니다.
- results 배열 각 행 [A, B]는 A 선수가 B 선수를 이겼다는 의미입니다.
- 모든 경기 결과에는 모순이 없습니다.
5 | [[4, 3], [4, 2], [3, 2], [1, 2], [2, 5]] | 2 |
2번 선수는 [1, 3, 4] 선수에게 패배했고 5번 선수에게 승리했기 때문에 4위입니다.
5번 선수는 4위인 2번 선수에게 패배했기 때문에 5위입니다.
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
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
|
import java.util.*;
class Solution {
static ArrayList<Integer> winGraph[];
static ArrayList<Integer> loseGraph[];
static int n;
public int solution(int n, int[][] results) {
this.n = n;
winGraph = new ArrayList[n+1];
loseGraph = new ArrayList[n+1];
int answer = 0;
for (int i=1; i<=n; i++){
winGraph[i] = new ArrayList<>();
loseGraph[i] = new ArrayList<>();
}
for (int i=0; i<results.length; i++){
int start = results[i][0];
int end = results[i][1];
winGraph[start].add(end);
loseGraph[end].add(start);
}
for (int i=1; i<=n; i++){
int [] visited = new int [n+1];
int winCount = bfs(i, visited, winGraph) - 1;
visited = new int[n+1];
int loseCount = bfs(i, visited, loseGraph) -1;
if (winCount + loseCount == n-1){
answer++;
}
}
return answer;
}
public static int bfs(int node, int[] visited, ArrayList<Integer>[] graph){
Queue<Integer> queue = new LinkedList<>();
queue.add(node);
visited[node] = 1;
int count = 0;
while(!queue.isEmpty()){
int now_node = queue.poll();
count++;
for (int i : graph[now_node]){
if (visited[i]==0){
visited[i] = visited[now_node]+1;
queue.add(i);
}
}
}
return count;
}
}
|
cs |