python 구현 및 검색 집합
그것 의 조작 은 두 요소 가 하나의 집합 에 있 는 지, 두 요 소 를 합 쳤 는 지 확인 하 는 것 이다.합병 할 때 취 하 는 전략 은 다음 과 같다. 두 원소 가 있 는 집합의 모든 원 소 를 하나의 집합 에 함께 넣는다.
여기 서 두 개의 사전 을 사용 하여 집합 을 찾 습 니 다. 하나의 사전 은 현재 노드 의 부모 노드 정 보 를 저장 하고 다른 하 나 는 부모 노드 크기 를 유지 하 는 정 보 를 저장 합 니 다.
class UnionFindSet(object):
""" """
def __init__(self, data_list):
""" , ,
, ,size 1"""
self.father_dict = {}
self.size_dict = {}
for node in data_list:
self.father_dict[node] = node
self.size_dict[node] = 1
def find_head(self, node):
"""
,
"""
father = self.father_dict[node]
if(node != father):
father = self.find_head(father)
self.father_dict[node] = father
return father
def is_same_set(self, node_a, node_b):
""" """
return self.find_head(node_a) == self.find_head(node_b)
def union(self, node_a, node_b):
""" """
if node_a is None or node_b is None:
return
a_head = self.find_head(node_a)
b_head = self.find_head(node_b)
if(a_head != b_head):
a_set_size = self.size_dict[a_head]
b_set_size = self.size_dict[b_head]
if(a_set_size >= b_set_size):
self.father_dict[b_head] = a_head
self.size_dict[a_head] = a_set_size + b_set_size
else:
self.father_dict[a_head] = b_head
self.size_dict[b_head] = a_set_size + b_set_size
if __name__ == '__main__':
a = [1,2,3,4,5]
union_find_set = UnionFindSet(a)
union_find_set.union(1,2)
union_find_set.union(3,5)
union_find_set.union(3,1)
print(union_find_set.is_same_set(2,5)) # True
다음으로 전송:https://www.cnblogs.com/jiaxin359/p/9265208.html
이 내용에 흥미가 있습니까?
현재 기사가 여러분의 문제를 해결하지 못하는 경우 AI 엔진은 머신러닝 분석(스마트 모델이 방금 만들어져 부정확한 경우가 있을 수 있음)을 통해 가장 유사한 기사를 추천합니다:
다양한 언어의 JSONJSON은 Javascript 표기법을 사용하여 데이터 구조를 레이아웃하는 데이터 형식입니다. 그러나 Javascript가 코드에서 이러한 구조를 나타낼 수 있는 유일한 언어는 아닙니다. 저는 일반적으로 '객체'{}...
텍스트를 자유롭게 공유하거나 복사할 수 있습니다.하지만 이 문서의 URL은 참조 URL로 남겨 두십시오.
CC BY-SA 2.5, CC BY-SA 3.0 및 CC BY-SA 4.0에 따라 라이센스가 부여됩니다.