Following code uses same comparator function with vector and priority queue. However order produced by both data structures is different. I would like priority queue to behave in same way as vector.
I have two questions
- Why is order different?
- How can i make priority queue's order to be same as vector?
Here's the output of following code:
//Please ignore extra header files, I know I don't need them. #include <iostream> #include <vector> #include <algorithm> #include <string> #include <queue> #include <stack> #include <iterator> #include <unordered_map> #include <functional> using namespace std; class Solution { public: typedef pair<string, int> PII; static bool cmp(const PII& a, const PII& b) { if (a.second == b.second) return a.first < b.first; return a.second > b.second; } void func(vector<string>& words) { unordered_map<string, int> hMap; for (const auto& w : words) hMap[w]++; std::priority_queue< PII, std::vector<PII>, std::function<bool(PII, PII)> > Q(cmp); vector<PII> V; for (const auto& e : hMap) { Q.emplace(e); V.emplace_back(e); } std::sort(V.begin(), V.end(), cmp); //Now why does order of elements is different in vector V and priority_queue Q, despite using same comparator function? int size = Q.size(); cout << "Order in priority Queue:" << endl; for (int i = 0; i < size; i++) { PII e = Q.top(); cout << e.first << ":" << e.second << endl; Q.pop(); } cout << "Order in vector:" << endl; for (const auto& e : V) { cout << e.first << ":" << e.second << endl; } } }; int main() { Solution s; vector<string> words = {"the", "day", "is", "sunny", "the", "the", "the", "sunny", "is", "is" , "we" , "we" , "we" }; s.func( words ); return 0; } 