我是靠谱客的博主 精明红牛,最近开发中收集的这篇文章主要介绍C++中堆的应用:make_heap, pop_heap, push_heap, sort_heap,觉得挺不错的,现在分享给大家,希望可以做个参考。

概述

C++中堆的应用:make_heap, pop_heap, push_heap, sort_heap

函数说明:
std::make_heap将[start, end)范围进行堆排序,默认使用less, 即最大元素放在第一个。

std::pop_heap将front(即第一个最大元素)移动到end的前部,同时将剩下的元素重新构造成(堆排序)一个新的heap。

std::push_heap对刚插入的(尾部)元素做堆排序。

std::sort_heap将一个堆做排序,最终成为一个有序的系列,可以看到sort_heap时,必须先是一个堆(两个特性:1、最大元素在第一个 2、添加或者删除元素以对数时间),因此必须先做一次make_heap.

make_heap, pop_heap, push_heap, sort_heap都是标准算法库里的模板函数,用于将存储在vector/deque 中的元素进行堆操作,对不愿自己写数据结构堆的C++选手来说,这几个算法函数很有用,下面是这几个函数操作vector中元素的例子。

> #include< iostream>
#include< algorithm>
#include< vector >
using namespace std;
void print_ivec(vector< int >::iterator begin, vector< int >::iterator end)
{
    for(;begin != end; ++begin)
        cout << *begin << 't';
        cout << endl;
}
int main(int argc, char* argv[])
{
    int a[] = {1, 12, 15, 20, 30};
    vector< int > ivec(a, a + sizeof(a) / sizeof(a[0]));
    print_ivec(ivec.begin(), ivec.end());
    make_heap(ivec.begin(), ivec.end(), greater< int >());
    print_ivec(ivec.begin(), ivec.end());
    pop_heap(ivec.begin(), ivec.end());
    ivec.pop_back();
    print_ivec(ivec.begin(), ivec.end());
    ivec.push_back(99);
    push_heap(ivec.begin(), ivec.end());
    print_ivec(ivec.begin(), ivec.end());
    sort_heap(ivec.begin(), ivec.end());
    print_ivec(ivec.begin(), ivec.end());
    return 0;
}

以及

# include <iostream>
# include <functional>
# include <vector>
# include <algorithm>

using namespace std;

void printVec(vector<int> nums)
{
    for (int i = 0; i < nums.size(); ++i)
        cout << nums[i] << " ";
    cout << endl;
}
int main(void)
{
    int nums_temp[] = {8, 3, 4, 8, 9, 2, 3, 4};
    vector<int> nums(nums_temp, nums_temp + 8);
    cout << "sorce nums: ";
    printVec(nums);

    cout << "(默认)make_heap: ";
    make_heap(nums.begin(), nums.end());
    printVec(nums);

    cout << "(less)make_heap: ";
    make_heap(nums.begin(), nums.end(), less<int> ());
    printVec(nums);

    cout << "(greater)make_heap: ";
    make_heap(nums.begin(), nums.end(), greater<int> ());
    printVec(nums);

    cout << "此时,nums为小顶堆" << endl;;
    cout << "push_back(3)" << endl;
    nums.push_back(3);
    cout << "忽略第三个参数,即为默认)push_heap: ";
    push_heap(nums.begin(), nums.end());
    printVec(nums);
    cout << "第三个参数为greater: ";
    push_heap(nums.begin(), nums.end(), greater<int>());
    printVec(nums);
    cout << "(做替换)pop_heap: ";
    pop_heap(nums.begin(), nums.end());
    printVec(nums);
    cout << "pop_back(): ";
    nums.pop_back();
    printVec(nums);
}

结果为:
在这里插入图片描述

最后

以上就是精明红牛为你收集整理的C++中堆的应用:make_heap, pop_heap, push_heap, sort_heap的全部内容,希望文章能够帮你解决C++中堆的应用:make_heap, pop_heap, push_heap, sort_heap所遇到的程序开发问题。

如果觉得靠谱客网站的内容还不错,欢迎将靠谱客网站推荐给程序员好友。

本图文内容来源于网友提供,作为学习参考使用,或来自网络收集整理,版权属于原作者所有。
点赞(67)

评论列表共有 0 条评论

立即
投稿
返回
顶部