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
- java
- mst
- 백준
- Kotlin
- 후니의 쉽게 쓴 시스코 네트워킹
- 에라토스테네스의 체
- dfs
- 유니온 파인드
- 프로그래머스
- 투 포인터
- BFS
- 이분탐색
- 위상정렬
- CS
- 백트래킹
- 수학
- swea
- 그리디
- 알고리즘
- 동적계획법
- JUnit 5
- 스택
- Effective Java
- 플로이드-와샬
- 구현
- 완전탐색
- Network
- 시뮬레이션
- 세그먼트 트리
- 문자열
Archives
반갑습니다!
[백준] 2458 키 순서 본문
풀이
[프로그래머스] 순위 와 동일한 문제이다. 플로이드 워셜 알고리즘을 사용해서 모든 학생들 간의 관계를 알아낸다. 그리고 본인을 제외한 모든 학생들과 관계가 있는 학생들을 세주면 된다.
코드
C++
#include <iostream>
#include <vector>
using namespace std;
int n, m;
vector<vector<bool>> adj;
void floyd_warshall() {
for (int k = 1; k <= n; k++)
for (int i = 1; i <= n; i++)
for (int j = 1; j <= n; j++)
if (adj[i][k] && adj[k][j])
adj[i][j] = true;
}
int main() {
ios_base::sync_with_stdio(0);
cin.tie(0);
cin >> n >> m;
adj = vector<vector<bool>>(n + 1, vector<bool>(n + 1, false));
for (int i = 0; i < m; i++) {
int a, b;
cin >> a >> b;
adj[a][b] = true;
}
floyd_warshall();
int answer = 0;
for (int i = 1; i <= n; i++) {
int count = 0;
for (int j = 1; j <= n; j++)
if (adj[i][j] || adj[j][i]) count++;
if (count == n - 1) answer++;
}
cout << answer << '\n';
return 0;
}
Python3
import sys
input = sys.stdin.readline
n, m = map(int, input().rstrip().split())
adj = [[False] * (n + 1) for _ in range(n + 1)]
for _ in range(m):
a, b = map(int, input().rstrip().split())
adj[a][b] = True
def floyd_warshall():
for k in range(1, n + 1):
for i in range(1, n + 1):
for j in range(1, n + 1):
if adj[i][k] and adj[k][j]:
adj[i][j] = True
floyd_warshall()
answer = 0
for i in range(1, n + 1):
count = 0
for j in range(1, n + 1):
if adj[i][j] or adj[j][i]:
count += 1
if count == n - 1:
answer += 1
print(answer)
'알고리즘 문제 풀이' 카테고리의 다른 글
[백준] 1259 펠린드롬수 (0) | 2020.10.03 |
---|---|
[백준] 1389 케빈 베이컨의 6단계 법칙 (0) | 2020.10.01 |
[백준] 14496 그대, 그머가 되어 (0) | 2020.09.30 |
[프로그래머스] 스티커 모으기(2) (0) | 2020.09.25 |
[프로그래머스] 도둑질 (0) | 2020.09.25 |