-3

下面是我的代码。操作功能无法正常工作。任何帮助将不胜感激。通常,sort按升序排序。我想定义operat,使其按降序排序

#include<iostream>
#include<cstdio>
#include<algorithm>
#include<vector>
#include<utility>
using namespace std;
typedef pair<int,int> pii;
typedef pair<int,pii> pwp;

bool operat(pwp a, pwp b){
    if(a.first > b.first){
        return true;
    }else if(a.second.first > b.second.first) {
        return true;

    }else if (a.second.second > b.second.second) { return true;}
    return false;

}
int main(){
    vector<pwp> inp;
    pwp obj1 = make_pair(1998,make_pair(3,24));
    pwp obj2 = make_pair(1998,make_pair(3,21));
    pwp obj3 = make_pair(1997,make_pair(3,24));
    inp.push_back(obj1);
    inp.push_back(obj2);
    inp.push_back(obj3);
    printf("Before sorting\n");
    for(int i = 0 ; i< inp.size();i++){
        pwp sth = inp[i];
        printf("%d %d %d\n",sth.first,sth.second.first,sth.second.second);

    }
    sort(inp.begin(), inp.end(),operat);
    cout<<"After soring"<<endl;
    for(int i = 0 ; i< inp.size();i++){
        pwp sth = inp[i];
        printf("%d %d %d\n",sth.first,sth.second.first,sth.second.second);
    }
return 0;
}

新的一个:

bool operat(pwp a, pwp b){
    if(a.first > b.first){
        return true;
    }else if(a.first <  b.first) return false;

    else if(a.second.first > b.second.first) {
        return true;

    }else if (a.second.first < b.second.first) return false;
    else if (a.second.second > b.second.second) { return true;}
    return false;

}
4

2 回答 2

4

std::pair带有比较运算符,如果其模板参数具有这些运算符,则该运算符起作用。因此,您可以简单地使用std::greater实例作为比较函子:

#include <functional> // for std::greater

operat = std::greater<pwp>();
std::sort(inp.begin(), inp.end(),operat);

如果std::greater由于某种原因使用太令人生畏,那么另一种方法是定义函数operat

bool operat(const pwp& a, const pwp& b){ return a > b; }

如果您坚持自己实现词法比较逻辑,那么我会建议以下内容:与其试图弄清楚如何正确比较std::pair<int, std::pair<int, int>>,不如从总体上弄清楚如何进行比较std::pair<T1,T2>。然后在比较中使用该逻辑std::pair<T1, std::pair<T2, t3>>

于 2013-01-30T07:36:52.463 回答
2

在您的代码中:

bool operat(pwp a, pwp b){
    if(a.first > b.first){
        return true;
    }else if(a.second.first > b.second.first) {
        return true;
    }else if (a.second.second > b.second.second) { return true;}
    return false;
}

仅当 a.first == b.first 和第三个比较时才应执行第二个比较 a.second.first == b.second.first

于 2013-01-30T07:36:10.450 回答