Notice
Recent Posts
Recent Comments
Link
일 | 월 | 화 | 수 | 목 | 금 | 토 |
---|---|---|---|---|---|---|
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 |
Tags
- 백준 5397
- c#
- AVL 시간 복잡도
- 백준 17779
- 게리멘더링2
- 시간 복잡도
- 1764
- 버킷 정렬
- C/C++ 구현
- 별 찍기 10
- 스택의 특징
- 백준
- 5397
- 백준 1158
- 해시구현
- dfs
- Stack 이란
- 원판 돌리기
- heap
- 백준 17471
- qorwns
- 백준 17822
- 자료구조
- 조세퍼스 순열
- 풀이
- 백준 2447
- 구현
- ㅣ풀이
- 백준 1406
- 해시 구현
Archives
- Today
- Total
홍시홍의 프로그래밍
[백준 11279] 최대 힙 본문
https://www.acmicpc.net/problem/11279
문제 요구 사항
- 배열에 자연수 x를 넣는다.
- 배열에서 가장 큰 값을 출력하고, 그 값을 배열에서 제거한다.
1번 풀이
자료 구조 힙에서는 배열로 완전 이진 트리를 구성한다.
자식은 부모/2( 나머지는 부모/2 +1)
삽입 할때 제일 끝에 삽입 후 자기 보다 큰 부모가 나올때 까지 올라간다
2번 풀이
pop() 할때는 제일 작은 heap[1]을 빼고 제일 마지막 요소를 heap[1]에 넣어
자기 위치를 찾을 수 있도록 한다.
*우선순위 큐를 사용하면 쉽게 풀 수 있다.
(우선 순위 큐 : 우선 순위(오름차순, 내림차순)대로 우선 순위가 높은대로 자료 보관하는 큐
코드
#include <stdio.h>
#define MAX_N 100001
int heap[MAX_N];
int size = 0;
void swap(int *a, int *b) {
int temp = *a;
*a = *b;
*b = temp;
}
void insert(int data) {
int idx = ++size;
while ((idx != 1) && (data>heap[idx / 2])) {
heap[idx] = heap[idx / 2];
idx /= 2;
}
heap[idx] = data;
}
int deleteheap() {
if (size == 0)
return 0;
int value = heap[1];
//1에 힙에 제일 마지막에 있는 데이터 삽입
heap[1] = heap[size--];
int parent = 1;
int child;
while (1) {
child = parent * 2;
//왼쪽 오른쪽 선택하는거
if (child + 1 <= size && heap[child] <heap[child + 1])
child++;
if (child > size || heap[child] < heap[parent])
break;
swap(&heap[parent], &heap[child]);
parent = child;
}
return value;
}
int main() {
int n;
scanf("%d", &n);
for (int i = 0; i < n; i++)
{
int x;
scanf("%d", &x);
if (x == 0)
{
printf("%d\n", deleteheap());
}
else
{
insert(x);
}
}
}
'알고리즘 문제풀이 > 백준' 카테고리의 다른 글
[백준 17471] 게리멘더링 (0) | 2019.09.20 |
---|---|
[백준 2667] 단지번호 붙이기 (0) | 2019.08.25 |
[백준 1927] 최소 힙 (0) | 2019.08.16 |
[백준 17406] 배열돌리기 4 (0) | 2019.08.13 |
[백준 14889] 스타트와 링크 (0) | 2019.02.14 |
Comments