반응형
250x250
Notice
Recent Posts
Recent Comments
Link
일 | 월 | 화 | 수 | 목 | 금 | 토 |
---|---|---|---|---|---|---|
1 | 2 | |||||
3 | 4 | 5 | 6 | 7 | 8 | 9 |
10 | 11 | 12 | 13 | 14 | 15 | 16 |
17 | 18 | 19 | 20 | 21 | 22 | 23 |
24 | 25 | 26 | 27 | 28 | 29 | 30 |
Tags
- it자격증
- 학점은행제
- Homebrew
- 코어뱅킹
- 맥북셋팅
- 은행IT
- 개인프로필스튜디오창업
- 학점은행제무료강의
- 의사결정나무모형
- MSA
- fastapi
- python
- 오라클
- jdk17
- 코딩테스트
- 계정계
- 맥북
- 디렉토리계층구조
- Pass By Value
- 렌탈스튜디오창업
- 프로그래머스
- oracleapex
- 모놀리식
- 컴퓨터공학학사취득
- jdk
- 맥북환경설정
- 채널계
- DB
- union
- SQL
Archives
- Today
- Total
개발머해니
[파이썬] 힙 우선순위 데이터 추출 구현 본문
728x90
반응형
1. root 노드와 마지막 노드의 위치를 바꿉니다.
2. 마지막 위치로 간 원래 root 노드의 데이터를 별도 변수에 저장하고, 노드는 힙에서 지웁니다.
3. 새로운 root 노드를 대상으로 heapify해서 망가진 힙 속성을 복원합니다.
4. 2단계에서 따로 저장해 둔 최우선순위 데이터를 리턴합니다.
main.py
from heapify_code import *
class PriorityQueue:
"""힙으로 구현한 우선순위 큐"""
def __init__(self):
self.heap = [None] # 파이썬 리스트로 구현한 힙
def insert(self, data):
"""삽입 메소드"""
self.heap.append(data) # 힙의 마지막에 데이터 추가
reverse_heapify(self.heap, len(self.heap)-1) # 삽입된 노드(추가된 데이터)의 위치를 재배치
def extract_max(self):
"""최고 우선순위 데이터 추출 메소드"""
swap(self.heap, 1, len(self.heap) - 1) # root 노드와 마지막 노드의 위치 바꿈
max_value = self.heap.pop() # 힙에서 마지막 노드 추출(삭제)해서 변수에 저장
heapify(self.heap, 1, len(self.heap)) # 새로운 root 노드를 대상으로 heapify 호출해서 힙 속성 유지
return max_value # 최우선순위 데이터 리턴
def __str__(self):
return str(self.heap)
# 출력 코드
priority_queue = PriorityQueue()
priority_queue.insert(6)
priority_queue.insert(9)
priority_queue.insert(1)
priority_queue.insert(3)
priority_queue.insert(10)
priority_queue.insert(11)
priority_queue.insert(13)
print(priority_queue.extract_max())
print(priority_queue.extract_max())
print(priority_queue.extract_max())
print(priority_queue.extract_max())
print(priority_queue.extract_max())
print(priority_queue.extract_max())
print(priority_queue.extract_max())
heapify.py
def swap(tree, index_1, index_2):
"""완전 이진 트리의 노드 index_1과 노드 index_2의 위치를 바꿔준다"""
temp = tree[index_1]
tree[index_1] = tree[index_2]
tree[index_2] = temp
def heapify(tree, index, tree_size):
"""heapify 함수"""
# 왼쪽 자식 노드의 인덱스와 오른쪽 자식 노드의 인덱스를 계산
left_child_index = 2 * index
right_child_index = 2 * index + 1
largest = index # 일단 부모 노드의 값이 가장 크다고 설정
# 왼쪽 자식 노드의 값과 비교
if 0 < left_child_index < tree_size and tree[largest] < tree[left_child_index]:
largest = left_child_index
# 오른쪽 자식 노드의 값과 비교
if 0 < right_child_index < tree_size and tree[largest] < tree[right_child_index]:
largest = right_child_index
if largest != index: # 부모 노드의 값이 자식 노드의 값보다 작으면
swap(tree, index, largest) # 부모 노드와 최댓값을 가진 자식 노드의 위치를 바꿔 준다
heapify(tree, largest, tree_size) # 자리가 바뀌어 자식 노드가 된 기존의 부모 노드를대상으로 또 heapify 함수를 호출한다
def reverse_heapify(tree, index):
"""삽입된 노드를 힙 속성을 지키는 위치로 이동시키는 함수"""
parent_index = index // 2 # 삽입된 노드의 부모 노드의 인덱스 계산
# 부모 노드가 존재하고, 부모 노드의 값이 삽입된 노드의 값보다 작을 때
if 0 < parent_index < len(tree) and tree[index] > tree[parent_index]:
swap(tree, index, parent_index) # 부모 노드와 삽입된 노드의 위치 교환
reverse_heapify(tree, parent_index) # 삽입된 노드를 대상으로 다시 reverse_heapify 호출
728x90
반응형
'자료구조' 카테고리의 다른 글
[파이썬] 이진 탐색 트리 탐색 구현 (0) | 2023.12.15 |
---|---|
[파이썬] 이진 트리 만들어 보기 (1) | 2023.12.15 |
[파이썬] 힙에 데이터 삽입하기 (0) | 2023.12.15 |
[파이썬] 힙 정렬 구현하기 (1) | 2023.12.15 |
[파이썬] heapify 함수 구현 (1) | 2023.12.15 |