
그래프가 모든 노드가 연결되어 있으면서 트리의 속성을 만족하는 무방향 그래프
간선에 가중치가 있을 때, 연결된 간선의 가중치 합이 최소인 비용 트리
통신망, 도로망, 유통망에서 길이, 구축 비용, 전송 시간
간선 선택시 사이클이 생기는지 안생기는지 확인하는 법
union-by-rank
높이 rank를 저장해두고, 두 트리의 높이가 다르면 높이가 작은 것을 큰 것에 붙임.
rank를 모드 0이게 집합에 저장해둠.
시간 복잡도가 O(n)에서 O(logN)으로 낮출 수 있음
path compression
➡️ 위 두 알고리즘을 사용하면 O(MlogN)이 됨
parent = dict()
rank = dict()
def find(node):
    # path compression 기법
    if parent[node] != node:
        parent[node] = find(parent[node])
    return parent[node]
def union(node_v, node_u):
    root1 = find(node_v)
    root2 = find(node_u)
    
    # union-by-rank 기법
    if rank[root1] > rank[root2]:
        parent[root2] = root1
    else:
        parent[root1] = root2
        if rank[root1] == rank[root2]:
            rank[root2] += 1
    
    
def make_set(node):
    parent[node] = node
    rank[node] = 0
def kruskal(graph):
    mst = list()
    
    # 1. 초기화
    for node in graph['vertices']:
        make_set(node)
    
    # 2. 간선 weight 기반 sorting
    edges = graph['edges']
    edges.sort()
    
    # 3. 간선 연결 (사이클 없는)
    for edge in edges:
        weight, node_v, node_u = edge
        if find(node_v) != find(node_u):
            union(node_v, node_u)
            mst.append(edge)
    
    return mstfrom collections import defaultdict
from heapq import *
def prim(start_node, edges):
    mst = list()
    adjacent_edges = defaultdict(list)
    for weight, n1, n2 in edges:
        adjacent_edges[n1].append((weight, n1, n2))
        adjacent_edges[n2].append((weight, n2, n1))
    connected_nodes = set(start_node)
    candidate_edge_list = adjacent_edges[start_node]
    heapify(candidate_edge_list)
    
    while candidate_edge_list:
        weight, n1, n2 = heappop(candidate_edge_list)
        if n2 not in connected_nodes:
            connected_nodes.add(n2)
            mst.append((weight, n1, n2))
            
            for edge in adjacent_edges[n2]:
                if edge[2] not in connected_nodes:
                    heappush(candidate_edge_list, edge)
    return mst➡️ 최악의 경우 while 구문에서 모든 간선을 반복함. 최소 힙이므로 O(ElogE)
from heapdict import heapdict
def prim(graph, start):
    mst, keys, pi, total_weight = list(), heapdict(), dict(), 0
    for node in graph.keys():
        keys[node] = float('inf')
        pi[node] = None
    keys[start], pi[start] = 0, start
    while keys:
        current_node, current_key = keys.popitem()
        mst.append([pi[current_node], current_node, current_key])
        total_weight += current_key
        for adjacent, weight in mygraph[current_node].items():
            if adjacent in keys and weight < keys[adjacent]:
                keys[adjacent] = weight
                pi[adjacent] = current_node
    return mst, total_weight