학교/2-1학기(자료구조)
12월 31일(토) - 히프 정리
C0MPAS
2023. 1. 2. 23:35
1. 히프트리
//ㅡㅡㅡㅡㅡㅡㅡㅡㅡㅡ히프트리 테스트 프로그램ㅡㅡㅡㅡㅡㅡㅡㅡㅡㅡ
#include <stdio.h>
#include <stdlib.h>
typedef struct {
int key;
}element;
typedef struct {
element heap[200];
int heap_size;
}HeapType;
HeapType* create()
{
return (HeapType*)malloc(sizeof(HeapType));
}
void init(HeapType* h)
{
h->heap_size = 0;
}
void insert_max_heap(HeapType* h, element item)
{
int i;
i = ++(h->heap_size);
while ((i != 1) && (item.key > h->heap[i / 2].key))
{
h->heap[i] = h->heap[i / 2];
i = i / 2;
}
h->heap[i] = item;
}
element delete_max_heap(HeapType* h)
{
int parent, child;
element item, tmp;
item = h->heap[1];
tmp = h->heap[(h->heap_size)--];
parent = 1;
child = 2;
while (child <= h->heap_size)
{
if ((child < h->heap_size) && (h->heap[child].key) < h->heap[child + 1].key)
{
child++;
}
if (tmp.key >= h->heap[child].key)
{
break;
}
h->heap[parent] = h->heap[child];
parent = child;
child = child * 2;
}
h->heap[parent] = tmp;
return item;
}
int main(void)
{
element e1 = { 10 }, e2 = { 5 }, e3 = { 30 };
element e4, e5, e6;
HeapType* heap;
heap = create();
init(heap);
insert_max_heap(heap, e1);
insert_max_heap(heap, e2);
insert_max_heap(heap, e3);
e4 = delete_max_heap(heap);
printf("< %d > ", e4.key);
e5 = delete_max_heap(heap);
printf("< %d > ", e5.key);
e6 = delete_max_heap(heap);
printf("< %d > \n", e6.key);
free(heap);
return 0;
}
ㅡㅡㅡㅡㅡㅡㅡㅡㅡㅡㅡㅡㅡㅡㅡㅡㅡㅡㅡㅡㅡㅡㅡㅡㅡㅡㅡㅡㅡㅡㅡㅡㅡㅡㅡㅡㅡㅡㅡㅡㅡㅡㅡㅡㅡㅡㅡㅡㅡㅡ
2. 히프정렬
//히프 정렬
#include <stdio.h>
#include <stdlib.h>
typedef struct {
int key;
}element;
typedef struct {
element heap[200];
int heap_size;
}HeapType;
HeapType* create()
{
return (HeapType*)malloc(sizeof(HeapType));
}
void init(HeapType* h)
{
h->heap_size = 0;
}
void insert_max_heap(HeapType* h, element item)
{
int i;
i = ++(h->heap_size);
while ((i != 1) && (item.key > h->heap[i / 2].key))
{
h->heap[i] = h->heap[i / 2];
i = i / 2;
}
h->heap[i] = item;
}
element delete_max_heap(HeapType* h)
{
int parent, child;
element item, tmp;
item = h->heap[1];
tmp = h->heap[(h->heap_size)--];
parent = 1;
child = 2;
while (child <= h->heap_size)
{
if ((child < h->heap_size) && (h->heap[child].key) < h->heap[child + 1].key)
{
child++;
}
if (tmp.key >= h->heap[child].key)
{
break;
}
h->heap[parent] = h->heap[child];
parent = child;
child = child * 2;
}
h->heap[parent] = tmp;
return item;
}
void heap_sort(element a[], int n)
{
int i;
HeapType* h;
h = create();
init(h);
for (i = 0; i < n; i++)
{
insert_max_heap(h, a[i]);
}
for (i = n - 1; i >= 0; i--)
{
a[i] = delete_max_heap(h);
}
free(h);
}
int main(void)
{
element list[8] = { 23,56,11,9,56,99,27,34 };
heap_sort(list, 8);
for (int i = 0; i < 8; i++)
{
printf("%d ", list[i].key);
}
printf("\n");
return 0;
}
ㅡㅡㅡㅡㅡㅡㅡㅡㅡㅡㅡㅡㅡㅡㅡㅡㅡㅡㅡㅡㅡㅡㅡㅡㅡㅡㅡㅡㅡㅡㅡㅡㅡㅡㅡㅡㅡㅡㅡㅡㅡㅡㅡㅡㅡㅡㅡㅡㅡㅡ
출처: c언어로 쉽게 풀어쓴 자료구조