考虑课程:
MyClass {
int varA;
int varB;
};
我有一个指向MyClass对象的指针:
std::vector<MyClass*> Vec;
我想使用相同的排序函数根据varA或varB对向量进行排序,即:
bool SortFunction(const MyClass* obj1, const MyClass* obj2, const short type) {
if( type == VARA_ID )
return obj1->varA < obj2->varA;
else if( type == VARB_ID )
return obj1->varB < obj2->varB;
}
AFAICT这是不可能的。如果不使用外部库,最优雅的方法是什么?
答案 0 :(得分:21)
class sorter {
short type_;
public:
sorter(short type) : type_(type) {}
bool operator()(MyClass const* o1, MyClass const* o2) const {
return SortFunction(o1, o2, type_ );
}
};
std::sort(Vec.begin(), Vec.end(), sorter(MY_TYPE) );
答案 1 :(得分:6)
你几乎就在那里,让type
成为模板参数,签名就可以了:
template<int type>
bool SortFunction(const MyClass* obj1, const MyClass* obj2) {
if( type == VARA_ID )
return obj1->varA < obj2->varA;
else // if( type == VARB_ID ) -- A sort function must have a default.
return obj1->varB < obj2->varB;
}
std::sort(Vec.begin(), Vec.end(), &SortFunction<VARA_ID> );
优化器会发现( type == VARA_ID )
是编译时常量。
答案 2 :(得分:3)
在你需要排序的代码中使用Boost.Lambda和,没有任何特殊的排序功能:
<强>简言之强>
// sort with VARA_ID
sort(Vec.begin(), Vec.end(), bind(&MyClass::varA, _1)<bind(&MyClass::varA, _2));
// sort with VARB_ID
sort(Vec.begin(), Vec.end(), bind(&MyClass::varB, _1)<bind(&MyClass::varB, _2));
完整示例
#include <iostream>
#include <vector>
#include <boost/lambda/lambda.hpp>
#include <boost/lambda/bind.hpp>
#include <algorithm>
using namespace boost::lambda;
class MyClass {
public:
int varA;
int varB;
};
enum SorterType {
VARA_ID,
VARB_ID
};
int main()
{
std::vector<MyClass*> Vec;
Vec.push_back(new MyClass());
Vec.push_back(new MyClass());
Vec.push_back(new MyClass());
Vec[0]->varA = 1; Vec[0]->varB = 8;
Vec[1]->varA = 2; Vec[1]->varB = 7;
Vec[2]->varA = 3; Vec[2]->varB = 6;
// sort with VARA_ID
std::sort(Vec.begin(), Vec.end(),
bind(&MyClass::varA, _1) < bind(&MyClass::varA, _2) );
// VARB_ID
std::sort(Vec.begin(), Vec.end(),
bind(&MyClass::varB, _1) < bind(&MyClass::varB, _2) );
return 0;
}
答案 3 :(得分:2)
type
的值是否随每次比较而变化?它看起来不可能。在这种情况下,请使用curried函数 - 请参阅boost::bind
。
std::sort(v.begin(), v.end(), boost::bind(SortFunction, _1, _2, type));
答案 4 :(得分:2)
更通用的解决方案也可能是使用指向成员的指针:
#include <vector>
#include <algorithm>
#include <functional>
struct MyClass {
int varA;
int varB;
};
template <class Object, class VarType>
class CompareMemberT: public std::binary_function<bool, const Object*, const Object*>
{
VarType Object::*p;
public:
CompareMemberT(VarType Object::*p): p(p) {}
bool operator()(const Object* a, const Object* b) const
{
return a->*p < b->*p;
}
};
//helper to deduce template arguments
template <class Object, class VarType>
CompareMemberT<Object, VarType> CompareMember(VarType Object::*p)
{
return CompareMemberT<Object, VarType>(p);
}
int main()
{
std::vector<MyClass*> vec;
std::sort(vec.begin(), vec.end(), CompareMember(&MyClass::varA));
std::sort(vec.begin(), vec.end(), CompareMember(&MyClass::varB));
}