How do I sort an STL vector based on two different comparison criterias? The default sort() function only takes a single sorter object.
See Question&Answers more detail:osHow do I sort an STL vector based on two different comparison criterias? The default sort() function only takes a single sorter object.
See Question&Answers more detail:osYou need to combine the two criteria into one. Heres an example of how you'd sort a struct with a first and second field based on the first field, then the second field.
#include <algorithm>
struct MyEntry {
int first;
int second;
};
bool compare_entry( const MyEntry & e1, const MyEntry & e2) {
if( e1.first != e2.first)
return (e1.first < e2.first);
return (e1.second < e2.second);
}
int main() {
std::vector<MyEntry> vec = get_some_entries();
std::sort( vec.begin(), vec.end(), compare_entry );
}
NOTE: implementation of compare_entry
updated to use code from Nawaz.