메모/알고리즘

[백준] Python - 최대힙

Floodnut 2021. 9. 19. 13:43
 

11279번: 최대 힙

첫째 줄에 연산의 개수 N(1 ≤ N ≤ 100,000)이 주어진다. 다음 N개의 줄에는 연산에 대한 정보를 나타내는 정수 x가 주어진다. 만약 x가 자연수라면 배열에 x라는 값을 넣는(추가하는) 연산이고, x가

www.acmicpc.net

최대 힙에서 최댓값을 뽑아오는 문제다.

우선순위 큐를 이용한다.

 

처음에는 재귀함수로 구현했는데 시간초과가 나서 어떻게 할까 고민하면서 알고리즘 자료 + 다른 사람 코드 해서 조금 바꿔봤다.

 

아래는 파이썬 코드

 

더보기
import sys

n = int(sys.stdin.readline())
hArr = [0 for i in range(0, n)]
size = 0

def push(num):
    global size
    global hArr
    size += 1
    hArr[size] = num
    maxheap()

def delete():
    global size
    global hArr

    if size == 0:
        print(size)
    
    else:
        print(hArr[1])
        hArr[1] = hArr[size]
        hArr[size] = 0
        size -= 1
        parent = 1
        child = 2
        while child <= size:
            if (child + 1 <= size) and (hArr[child + 1] > hArr[child]):
                child = child + 1
            if hArr[child] > hArr[parent]:
                tmp = hArr[child]
                hArr[child] = hArr[parent]
                hArr[parent] = tmp
                parent = child
                child = parent * 2
            else:
                break


def maxheap():
    global size
    global hArr
    idx = size
    while idx > 1:
        parent = hArr[int(idx/2)]
        child = hArr[idx]
        if parent < child:
            tmp = child
            hArr[idx] = parent
            hArr[int(idx/2)] = tmp
            idx = int(idx/2) 
        else:
            break

for i in range(0, n):
    num = int(sys.stdin.readline())
    if num == 0:
        delete()
    else:
        push(num)