Programmers_Heap03 - 이중우선순위 큐
프로그래머스 - 이중우선순위 큐 문제 입니다.
1. 문제
https://programmers.co.kr/learn/courses/30/parts/12077
2. 분류 및 난이도
Programmers 문제입니다.
level 3의 문제입니다.
3. 생각한 것들(문제 접근 방법)
- 어떤 자료구조에 앞 뒤로 숫자를 넣고 빼는 것은 deque에 어울리지 않을까해서 deque를 사용했습니다.
- 불필요한 반복을 줄이기 위해 정렬 여부를 판단하는 bool 타입 변수 check를 두었습니다.
- Insert만 들어올 경우를 대비해 마지막에 한 번 더 정렬을 해줬습니다.
4. 접근 방법을 적용한 코드
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
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
#include <string>
#include <vector>
#include<deque>
#include<iostream>
#include<algorithm>
using namespace std;
bool pred(int& a, int& b)
{
return a < b;
}
vector<int> solution(vector<string> operations) {
vector<int> answer;
deque<int> dq;
string str;
//정렬 판단 여부
bool check = false;
for (size_t i = 0; i < operations.size(); ++i)
{
str = operations[i];
// I,D 인지 확인
char query = str[0];
//숫자가 앞에 오도록 잘라줌
str = str.substr(2);
// 뒤의 숫자 문자열을 숫자 자료형으로 치환
int insert = stoi(str);
if (query == 'I')//insert
{
dq.push_back(insert);
//정렬해라 라는 의미
check = true;
}
else
{
if (insert == 1)
{
//정렬을 해야하면
if (check)
{
sort(dq.begin(), dq.end(),pred);
check = false;
}
if(!dq.empty())
dq.pop_back();
}
else
{
if (check)
{
sort(dq.begin(), dq.end(),pred);
check = false;
}
if (!dq.empty())
dq.pop_front();
}
}
}
if (dq.empty())
{
answer.push_back(0);
answer.push_back(0);
}
else
{
//Insert만 들어올 경우 정렬 다시 해줘야하므로
sort(dq.begin(), dq.end(), pred);
answer.push_back(dq.back());
answer.push_back(dq.front());
}
return answer;
}
5. 결과
This post is licensed under CC BY 4.0 by the author.