堆的创建、排序C++

思路:大堆

1、堆都是完全二叉树。
2、将节点V和他的左右孩子比较(如果有的话),加入孩子中存在权值比V大的节点,就将其中最大的与V对换,交换完毕后继续让V与其孩子节点进行比较,直到几点V的孩子的权值都比V小或者V不存在孩子节点。
3、完全二叉树的叶子节点个数为int(n/2),因此在数组下标[1,n/2]范围内的节点都是非叶子节点。于是从n/2号位开始倒着枚举节点。
4、删除堆顶元素,只需要将最后一个元素覆盖对顶元素。
5、插入节点,可以把想要插入的节点放在二叉树的最后,然后向上调整,把与调整节点与其父节点进行比较。

#include 

using namespace std;
const int maxn = 100;
int heap[maxn],n=10;

void downAdjust(int low,int high)
{
    int i = low,j=i*2;
    while(j<=high)
    {
        if(j+1 <= high && heap[j+1]>heap[j])
        {
            j  =j+1;
        }

        if(heap[j]>heap[i])
        {
            swap(heap[j],heap[i]);
            i = j;
            j = i*2;
        }else break;
    }
}

void createHeap()
{
    for(int i=n/2;i>=1;i--)
    {
        downAdjust(i,n);
    }
}

void deleteTop()    //删除堆顶元素
{
    heap[1] = heap[n--];    //最后一个元素覆盖第一个,并且数目-1;
    downAdjust(1,n);    //向下调整
}

void upAdjust(int low,int high)
{
    int i = high,j=i/2;
    while(j>=low)
    {
        if(heap[j]<heap[i])
        {
            swap(heap[j],heap[i]);
            i = j;
            j = i/2;
        }else break;
    }
}

void insert(int x)
{
    heap[++n] = x;
    upAdjust(1,n);
}

void heapSoet()
{
    createHeap();
    for(int i=n;i>=1;i--)
    {
        swap(heap[1],heap[i]);
        downAdjust(1,i-1);
    }
}

int main()
{
    //85 55 82 57 68 92 99 98 66 56
    for(int i=1;i<=n;i++) scanf("%d",&heap[i]);
    createHeap();
    //deleteTop();
    for(int i=1;i<=n;i++) printf("%d ",heap[i]);
}

你可能感兴趣的:(数据结构)