[백준 1647] 도시 분할 계획

Junyoung Park·2022년 3월 11일
0

코딩테스트

목록 보기
237/631
post-thumbnail

1. 문제 설명

도시 분할 계획

2. 문제 분석

최소 신장 트리를 구한 뒤 마을을 두 마을로 분리하려고 한다. 간선의 최솟값을 얻으려면 최소 신장 트리를 구성하는 간선 중 최댓값을 없애야 한다. 간선 비용을 더할 때 리스트를 통해 더하고, 마지막에 더해지는 값을 제외하자. 우선순위 큐를 통해 들어오는 간선 비용이 오름차순이라는 게 보장된다.

3. 나의 풀이

import sys
import heapq

n, m = map(int, sys.stdin.readline().rstrip().split())
pq = []
parents = [i for i in range(n+1)]

for _ in range(m):
    a, b, c = map(int, sys.stdin.readline().rstrip().split())
    heapq.heappush(pq, [c, a, b])

def find(node):
    if parents[node] == node: return node
    else:
        parents[node] = find(parents[node])
        return parents[node]

def union(node1, node2):
    root1, root2 = find(node1), find(node2)

    if root1 == root2: return False
    else:
        parents[root2] = root1
        return True

total = []

while pq:
    c, a, b = heapq.heappop(pq)

    if union(a, b):
        total.append(c)

print(sum(total[:-1]))
# 모든 노드를 연결한 최소 신장 트리의 각 간선 total에서 간선 하나를 제외하면 두 개의 분리된 마을이 생긴다.
# 마지막에 들어온 total[-1]을 제외해 마을을 분리하면 간선 비용의 최솟값을 얻을 수 있다.
profile
JUST DO IT

0개의 댓글