-
Notifications
You must be signed in to change notification settings - Fork 0
Commit
This commit does not belong to any branch on this repository, and may belong to a fork outside of the repository.
- Loading branch information
Showing
1 changed file
with
44 additions
and
0 deletions.
There are no files selected for viewing
This file contains bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
Original file line number | Diff line number | Diff line change |
---|---|---|
@@ -0,0 +1,44 @@ | ||
def find_parent(parent, x): | ||
if parent[x] != x: | ||
parent[x] = find_parent(parent, parent[x]) | ||
return parent[x] | ||
|
||
# 두 원소가 속한 집합을 합치기 | ||
def union_parent(parent, a, b): | ||
a = find_parent(parent, a) | ||
b = find_parent(parent, b) | ||
if a < b: | ||
parent[b] = a | ||
else: | ||
parent[a] = b | ||
|
||
# 노드와 간선 개수 입력받기 | ||
v, e = map(int, input().split()) | ||
parent = [0]*(v+1) #부모 테이블 초기화 | ||
|
||
# 모든 간선을 담을 리스트와 최종 비용을 담을 변수 | ||
edges = [] | ||
result = 0 | ||
|
||
# 부모 테이블 상에서, 부모를 자기 자신으로 초기화 | ||
for i in range(1, v+1): | ||
parent[i] = i | ||
|
||
# 모든 간선에 대한 정보를 입력받기 | ||
for _ in range(e): | ||
a, b, cost = map(int input().split()) | ||
# 비용순으로 정렬하기 위해서 튜플의 첫 번째 원소를 비용으로 설정 | ||
edges.append((cost, a, b)) | ||
|
||
# 간선을 비용순으로 정렬 | ||
edges.sort() | ||
|
||
# 간선을 하나씩 확인하며 | ||
for edge in edges: | ||
cost, a, b = edge | ||
# 사이클이 발생하지 않는 경우에만 집합에 포함 | ||
if find_parent(parent, a) != find_parent(parent, b): | ||
union_parent(parent, a, b) | ||
result += cost | ||
|
||
print(result) |