문제 설명
이중 우선순위 큐는 다음 연산을 할 수 있는 자료구조를 말합니다.
명령어수신 탑(높이)
I 숫자 | 큐에 주어진 숫자를 삽입합니다. |
D 1 | 큐에서 최댓값을 삭제합니다. |
D -1 | 큐에서 최솟값을 삭제합니다. |
이중 우선순위 큐가 할 연산 operations가 매개변수로 주어질 때, 모든 연산을 처리한 후 큐가 비어있으면 [0,0] 비어있지 않으면 [최댓값, 최솟값]을 return 하도록 solution 함수를 구현해주세요.
제한사항
- operations는 길이가 1 이상 1,000,000 이하인 문자열 배열입니다.
- operations의 원소는 큐가 수행할 연산을 나타냅니다.
- 원소는 “명령어 데이터” 형식으로 주어집니다.- 최댓값/최솟값을 삭제하는 연산에서 최댓값/최솟값이 둘 이상인 경우, 하나만 삭제합니다.
- 빈 큐에 데이터를 삭제하라는 연산이 주어질 경우, 해당 연산은 무시합니다.
입출력 예
operations | return |
["I 16","D 1"] | [0,0] |
["I 7","I 5","I -5","D -1"] | [7,5] |
입출력 예 설명
16을 삽입 후 최댓값을 삭제합니다. 비어있으므로 [0,0]을 반환합니다.
7,5,-5를 삽입 후 최솟값을 삭제합니다. 최대값 7, 최소값 5를 반환합니다.
나의 코드
#include <string>
#include <cstring>
#include <vector>
#include <queue>
#include <sstream>
using namespace std;
vector<int> solution(vector<string> operations) {
int size = 0;
vector<int> answer;
priority_queue<int, vector<int>, greater<>> gq;
priority_queue<int, vector<int>, less<>> lq;
for(string tmp : operations){
if (!size) {
while (!gq.empty()) gq.pop();
while (!lq.empty()) lq.pop();
}
int n = stoi(tmp.substr(2));
if (tmp[0] == 'I') {
cout << "I" << endl;
gq.push(n);
lq.push(n);
size++;
}
else if (size > 0) {
if (n == 1) {
cout << " + " << endl;
lq.pop();
}
else {
cout << " - " << endl;
gq.pop();
}
size--;
}
}
if(size > 0) {
answer.push_back(lq.top());
answer.push_back(gq.top());
}
return answer;
}
주석 o
#include <string>
#include <cstring>
#include <vector>
#include <queue>
#include <sstream>
using namespace std;
vector<int> solution(vector<string> operations) {
int size = 0;
vector<int> answer;
priority_queue<int, vector<int>, greater<>> gq; //오름차순
priority_queue<int, vector<int>, less<>> lq; //내림차순
for(string tmp : operations){
if (!size) { //큐가 빈다면
while (!gq.empty()) gq.pop();
while (!lq.empty()) lq.pop();
}
int n = stoi(tmp.substr(2));
if (tmp[0] == 'I') { //추가
cout << "I" << endl;
gq.push(n);
lq.push(n);
size++;
}
else if (size > 0) { //삭제
if (n == 1) { //최대값 삭제
cout << " + " << endl;
lq.pop();
}
else { //최소값 삭제
cout << " - " << endl;
gq.pop();
}
size--;
}
}
if(size > 0) {
answer.push_back(lq.top());
answer.push_back(gq.top());
}
return answer;
}
다른 코드
#include <string>
#include <vector>
#include <set>
using namespace std;
vector<int> solution(vector<string> arguments) {
vector<int> answer;
multiset<int> que;
multiset<int>::iterator iter;
string sub;
for(auto s : arguments) {
sub =s.substr(0, 2);
if(sub=="I ") que.insert(stoi(s.substr(2,s.length()-2)));
else if(s.substr(2,1)=="1"&&que.size()>0) { que.erase(--que.end()); }
else if(que.size()>0) { que.erase(que.begin()); }
}
if(que.size()==0) { answer.push_back(0); answer.push_back(0); }
else {
iter = --que.end(); answer.push_back(*iter);
iter = que.begin(); answer.push_back(*iter);
}
return answer;
}
Curookie님의 코드입니다.
set은 연관컨테이너라고 부르며 균형 이진 트리로 구현된다.
set을 사용하면 자동으로 정렬도 되고 양끝에 있는 요소에 접근할 수 있기 때문에 큐보다 더 나은 것 같다.
multiset은 set과 거의 동일하나 중복된 key값을 허용하는 컨테이너이다.
즉 같은 수를 여러개 넣을 수 있다는 의미 이다.
이번 문제에서는 같은 수가 들어갈 수 있기 떄문에 set대신 multiset을 사용하는 것이 편하다.
참고 사이트 :
velog.io/@choiiis/C-STL-set-multiset-%ED%81%B4%EB%9E%98%EC%8A%A4-%EC%A0%95%EB%A6%AC
2021.11.10 풀이 코드
#include <string>
#include <vector>
#include <algorithm>
using namespace std;
vector<int> solution(vector<string> operations) {
vector<int> answer;
vector<int> queue;
for (string str : operations) {
if (str[0] == 'I') {
string tmp = str.substr(2);
queue.push_back(stoi(tmp));
}
else {
sort(queue.begin(), queue.end());
if (str[2] == '-') {
if (!queue.empty())
queue.erase(queue.begin());
}
else {
if (!queue.empty())
queue.pop_back();
}
}
}
if (queue.size() == 0) return { 0,0 };
else {
sort(queue.begin(), queue.end());
return { queue[queue.size() - 1], queue[0] };
}
}
'전공공부 > 코딩테스트' 카테고리의 다른 글
프로그래머스 정렬 가장 큰 수 (0) | 2021.05.08 |
---|---|
프로그래머스 정렬 K번째수 (0) | 2021.05.06 |
프로그래머스 힙 디스크 컨트롤러 (0) | 2021.05.04 |
프로그래머스 힙(Heap) 더 맵게 (0) | 2021.05.03 |
프로그래머스 스택/큐 프린터 (0) | 2021.04.04 |