为什么STL中的priority_queue不遵循严格的弱排序?

时间:2016-08-31 07:36:00

标签: c++ stl priority-queue strict-weak-ordering

我一直在玩STL容器和他们支持的比较函数/仿函数,但是我发现priority_queue没有遵循通常的严格弱序,我试图理解可能是什么原因但不能弄清楚,任何指针都会有所帮助。

在本博客中也提到priority_queue不遵循严格的弱排序。 enter link description here

#include "STL.h"
#include "queue"
#include "vector"
#include "iostream"
#include "functional"
using namespace std;

typedef bool(*func)(const int& val1 , const int& val2);

bool strict_weak_order_function(const int& val1 , const int& val2){
    return val1 > val2;
}

bool comparer_function(const int& val1 , const int& val2){
    return !strict_weak_order_function(val1 , val2);
}

struct Compaper_functor{
    bool operator()(const int& val1 , const int& val2){
        return !strict_weak_order_function(val1 , val2);
    }
};


void runPriorityQueue(void){
    //priority_queue<int , vector<int> , func > pq(comparer_function);
    priority_queue<int , vector<int> , Compaper_functor > pq;
    int size;
    cin >> size;
    while(size--){
        int val;
        cin >> val;
        pq.push(val);
    }
    while(!pq.empty()){
        cout <<'\n'<< pq.top() << '\n';
        pq.pop();
    }
}

1 个答案:

答案 0 :(得分:6)

问题在于,strict_weak_order(使用>)的否定是<=,并且这不是严格的弱顺序。对于所有R,严格的弱订单x R x == false必须满足x。但是,R等于<=会产生(x <= x) == true

您需要反转参数的顺序(对应于<)。

bool comparer_function(const int& val1 , const int& val2){
    return strict_weak_order_function(val2 , val1);
}

struct Compaper_functor{
    bool operator()(const int& val1 , const int& val2){
        return strict_weak_order_function(val2 , val1);
    }
};

但请注意,std::priority_queue有一个std::less作为默认比较器,但that gives a max-heap(即同一输入的[5, 4, 3, 2, 1]输出),所以要获得最小堆(即输入[1, 2, 3, 4, 5]的输出[5, 4, 3, 2, 1]),您需要传递std::greater,请参阅例如这样:

#include <queue>
#include <iostream>

int main()
{
    auto const v  = std::vector<int> { 5, 4, 3, 2, 1 };

    // prints 5 through 1
    for (auto p = std::priority_queue<int> { v.begin(), v.end()  }; !p.empty(); p.pop())
        std::cout << p.top() << ',';
    std::cout << '\n';

    // prints 1 through 5
    for (auto p = std::priority_queue<int, std::vector<int>, std::greater<int>> { v.begin(), v.end()  }; !p.empty(); p.pop())
        std::cout << p.top() << ',';
    std::cout << '\n';
}

Live Example