n개의 섬 사이에 다리를 건설하는 비용(costs)이 주어질 때, 최소의 비용으로 모든 섬이 서로 통행 가능하도록 만들 때 필요한 최소 비용을 return 하도록 solution을 완성하세요.
다리를 여러 번 건너더라도, 도달할 수만 있으면 통행 가능하다고 봅니다. 예를 들어 A 섬과 B 섬 사이에 다리가 있고, B 섬과 C 섬 사이에 다리가 있으면 A 섬과 C 섬은 서로 통행 가능합니다.
제한사항
입력 예시
4, [[0,1,1],[0,2,2],[1,2,5],[1,3,1],[2,3,8]]
그리디 알고리즘 -> Kruskal 알고리즘
Kruskal 알고리즘
(https://gmlwjd9405.github.io/2018/08/29/algorithm-kruskal-mst.html)
def solution(n, costs):
visited = [False] * n
for cost in costs:
cost.reverse()
costs.sort(reverse=True)
answer = 0
while not all(visited):
vertex = costs.pop()
if visited[vertex[1]] and visited[vertex[2]]:
continue
else:
visited[vertex[1]] = True
visited[vertex[2]] = True
answer += vertex[0]
return answer
def solution(n, costs):
# kruskal algorithm
ans = 0
costs.sort(key = lambda x: x[2]) # cost 기준으로 오름차순 정렬
routes = set([costs[0][0]]) # 집합
while len(routes)!=n:
for i, cost in enumerate(costs):
if cost[0] in routes and cost[1] in routes:
continue
if cost[0] in routes or cost[1] in routes:
routes.update([cost[0], cost[1]])
ans += cost[2]
costs[i] = [-1, -1, -1] #visited 간선
break
return ans