알고리즘/백준

[백준/C,C++] 11286번: 절댓값 힙

이민훈 2021. 4. 21. 05:46

www.acmicpc.net/problem/11286

 

11286번: 절댓값 힙

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

www.acmicpc.net

풀이

절댓값 힙을 구현하는 문제입니다.

 

#include<iostream>

using namespace std;

const int MAX = 100001;

class AbsMinHeap
{
private:
    int heap[MAX];
    int idx = 0;
public:
    int size();
    bool condition(int child, int parent);
    void push(int data);
    int pop();
    void swap(int* a, int* b);
    int select(int child);
};

int AbsMinHeap::size()
{
    return idx;
}

bool AbsMinHeap::condition(int child, int parent)
{
    if (abs(heap[child]) < abs(heap[parent])) return true;
    else if (abs(heap[parent]) < abs(heap[child])) return false;
    else {
        if (heap[child] < heap[parent]) return true;
        else return false;
    }
}

void AbsMinHeap::push(int data)
{
    heap[++idx] = data;

    int child = idx;
    int parent = child / 2;
    while (child > 1 && condition(child, parent)) {
        swap(&heap[child], &heap[parent]);
        child = parent;
        parent = child / 2;
    }
}

int AbsMinHeap::pop()
{
    int ret = heap[1];

    swap(&heap[idx--], &heap[1]);

    int parent = 1;
    int child = parent * 2;
    child = select(child);

    while (child <= idx && condition(child, parent)) {
        swap(&heap[parent], &heap[child]);
        parent = child;
        child = child * 2;
        child = select(child);
    }

    return ret;
}

void AbsMinHeap::swap(int* a, int* b)
{
    int tmp = *a;
    *a = *b;
    *b = tmp;
}

int AbsMinHeap::select(int child)
{
    if (child + 1 <= idx) {
        if (abs(heap[child]) < abs(heap[child + 1])) return child;
        else if (abs(heap[child + 1]) < abs(heap[child])) return child + 1;
        else {
            if (heap[child] < heap[child + 1]) return child;
            else return child + 1;
        }
    }
    else return child;
}

int main(void)
{
    ios_base::sync_with_stdio(false);
    cin.tie(NULL);
    cout.tie(NULL);

    AbsMinHeap h;

    int n; cin >> n;

    while (n--) {
        int c; cin >> c;
        if (c == 0) {
            if (h.size()) cout << h.pop();
            else cout << 0;
            cout << '\n';
        }
        else h.push(c);
    }

    return 0;
}

반례

Input

10
41
-41
777
0
95
61
-777
0
0
0

Output

-41

41

61

95