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
- 스택
- 크루스칼
- 투 포인터
- 로봇 청소기
- 트라이
- 2020 KAKAO BLIND RECRUITMENT
- 구현
- Spring
- 다익스트라
- 플로이드 와샬
- 이분탐색
- 2021 KAKAO BLIND RECRUITMENT
- 비트마스킹
- 우선순위큐
- 2018 KAKAO BLIND RECRUITMENT
- 브루트포스
- 백준
- 최소 신장 트리
- SWEA
- 투포인터
- 2020 카카오 인턴십
- 프로그래머스
- 백트래킹
- 플로이드와샬
- 파이썬
- 시뮬레이션
- 2019 KAKAO BLIND RECRUITMENT
- GIT
- 조합
Archives
- Today
- Total
개발조아
[BOJ/백준] 20010 악덕 영주 혜유 파이썬 본문
728x90
문제 링크 : https://www.acmicpc.net/problem/20010
MST와 DFS로 풀이 했다.
첫번째 답은 모든 마을을 연결하는 최소 비용을 출력해야하므로 MST 로 구한다.
두번째 답은 마을과 마을 사이의 최단 경로 중 비용이 가장큰 경로 이므로 BFS나 다익스트라로 구하면 된다.
MST는 크루스칼로 구현했다.
MST를 구성하면서 BFS에서 사용할 그래프를 인접리스트로 저장했다.
인접리스트 중 길이가 1인 점에서만 BFS를 수행했다. 끝에서 끝으로 가야 최대일 것이므로 연결된 노드가 하나인 것만 확인하면 된다.
from sys import stdin
from collections import deque
input = stdin.readline
n,k = map(int, input().split())
edges = [tuple(map(int, input().split())) for _ in range(k)]
edges.sort(key=lambda x:x[2])
parents = [i for i in range(n)]
adj_list = [[] for _ in range(n)]
def solv():
total_cost = kruskal()
max_dist = 0
for start in range(n):
if len(adj_list[start]) == 1:
max_dist = max(max_dist, bfs(start))
print(total_cost)
print(max_dist)
def bfs(start):
visited = [False] * n
q = deque([(start,0)])
visited[start] = True
max_dist = 0
while q:
now,dist = q.pop()
max_dist = dist if max_dist < dist else max_dist
for nxt, cost in adj_list[now]:
if not visited[nxt]:
visited[nxt] = True
q.appendleft((nxt,dist+cost))
return max_dist
def find(target):
global parents
if parents[target] == target:
return target
parents[target] = find(parents[target])
return parents[target]
def union(a, b):
global parents
a = find(a)
b = find(b)
if a != b:
parents[a] = b
def is_same_parent(a,b):
return find(a) == find(b)
def kruskal():
global adj_list
edge_count = 0
cost = 0
for a,b,c in edges:
if not is_same_parent(a,b):
adj_list[a].append((b,c))
adj_list[b].append((a,c))
union(a,b)
edge_count += 1
cost += c
if edge_count == n-1:
return cost
solv()
'알고리즘 > 백준' 카테고리의 다른 글
[BOJ/백준] 3108 로고 파이썬 (0) | 2021.12.10 |
---|---|
[BOJ/백준] 1553 도미노 찾기 파이썬 (0) | 2021.12.06 |
[BOJ/백준] 23034 조별과제 멈춰! 파이썬 (0) | 2021.12.05 |
[BOJ/백준] 17472 다리 만들기 2 파이썬 (0) | 2021.12.03 |
[BOJ/백준] 2479 경로 찾기 파이썬 (0) | 2021.12.03 |
Comments