我正在尝试使用stable_sort来对指针向量进行排序

到某个班级。我有这样的代码:

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

using namespace std;

class B
{
    public :
        B(int y, int j) {x = y, r = j;};

        void getVal() {cout << x << endl; };

        int x;
        int r;
};


bool compareB(B* b1, B* b2)
{
    return b1->getVal() < b2->getVal();
}

int main()
{
    B b1(3, 4), b2(-5, 7), b3(12, 111);

    vector<B*> myVec;
    myVec.push_back(&b1);
    myVec.push_back(&b2);
    myVec.push_back(&b3);

    std::stable_sort(myVec.begin(), myVec.end(), compareB);
    for (size_t size = 0; size < myVec.size(); ++size)
    {
        myVec[size]->getVal();
    }

    return 0;
}


但是,我在编译它时得到了愚蠢的错误:

“错误:二进制'operator   return b1-> getVal() getVal();“

有人能帮我吗 ?

最佳答案

问题出在

void getVal() {cout << x << endl; };


它返回void而不是某些值。

当您在return b1->getVal() < b2->getVal();中使用它时,它会简化为return void < void;,它将无法编译。

您应该可以将其更改为

int getVal() { return x; };

07-25 20:30