이중 우선순위 큐는 다음 연산을 할 수 있는 자료구조를 말합니다.
명령어 | 수신 탑(높이) |
---|---|
I 숫자 | 큐에 주어진 숫자를 삽입합니다. |
D 1 | 큐에서 최댓값을 삭제합니다. |
D -1 | 큐에서 최솟값을 삭제합니다. |
이중 우선순위 큐가 할 연산 operations가 매개변수로 주어질 때, 모든 연산을 처리한 후 큐가 비어있으면 [0,0] 비어있지 않으면 [최댓값, 최솟값]을 return 하도록 solution 함수를 구현해주세요.
operations | return |
---|---|
["I 16","D 1"] | [0,0] |
["I 7","I 5","I -5","D -1"] | [7,5] |
-1
을 곱하여 준다. I
, D
중 무엇인지 확인한다.I
일 경우num
을 추가한다.num_dict
에 표현한다.D
일 경우# 우선순위큐
# 코드
from queue import PriorityQueue
def solution(operations):
answer = []
num_dict = {}
max_queue = PriorityQueue()
min_queue = PriorityQueue()
for op in operations:
c, num = op.split(' ')
num = int(num)
if c == 'I':
num_dict[num] = num_dict.get(num, 0) + 1
max_queue.put(-num)
min_queue.put(num)
else:
if num == 1:
if not max_queue.empty():
q_num = -max_queue.get()
while num_dict[q_num] == 0 and not max_queue.empty():
q_num = max_queue.get()
num_dict[q_num] -= 1
else:
if not min_queue.empty() and not min_queue.empty():
q_num = min_queue.get()
while num_dict[q_num] == 0:
q_num = min_queue.get()
num_dict[q_num] -= 1
if num_dict[q_num] < 0 :
num_dict[q_num] = 0
if max_queue.empty() or min_queue.empty():
answer = [0, 0]
else:
max_num = -max_queue.get()
min_num = min_queue.get()
while num_dict[max_num] == 0:
max_num = -max_queue.get()
while num_dict[min_num] == 0:
min_num = min_queue.get()
answer = [max_num, min_num]
return answer
# 힙
# 코드
import heapq
def solution2(operations):
answer = []
num_dict = {}
max_heap = []
min_heap = []
for op in operations:
c, num = op.split(' ')
num = int(num)
if c == 'I':
num_dict[num] = num_dict.get(num, 0) + 1
heapq.heappush(max_heap, -num)
heapq.heappush(min_heap, num)
else:
if num == 1:
if max_heap:
q_num = -heapq.heappop(max_heap)
while num_dict[q_num] == 0 and max_heap:
q_num = -heapq.heappop(max_heap)
num_dict[q_num] -= 1
else:
if min_heap:
q_num = heapq.heappop(min_heap)
while num_dict[q_num] == 0 and min_heap:
q_num = heapq.heappop(min_heap)
num_dict[q_num] -= 1
if num_dict[q_num] < 0 :
num_dict[q_num] = 0
if not max_heap or not min_heap:
answer = [0, 0]
else:
max_num = -heapq.heappop(max_heap)
min_num = heapq.heappop(min_heap)
while num_dict[max_num] == 0:
max_num = -heapq.heappop(max_heap)
while num_dict[min_num] == 0:
min_num = heapq.heappop(min_heap)
answer = [max_num, min_num]
return answer