我想创建一个“通用” priority_queue,它是类A的成员,这样我就不需要在编译时指定比较器函子类。我将在运行时选择比较器函子。我怎样才能实现这个目标?以下是我的用例的简化示例。
我不能使用任何C ++ 11功能。
class A{
private:
priority_queue<T, vector<T>, ?> *pq;
public:
A(string );
~A();
};
A::A(string s) {
if(s == "1")
pq = new priority_queue<T, vector<T>, Mycomparator1>;
else (s == "2")
pq = new priority_queue<T, vector<T>, Mycomparator2>;
}
A::~A(){
delete pq;
}
struct Mycomparator1 {
bool operator()(const T&a, const T&b){
return a.x > b.x;
}
};
struct Mycomparator2 {
bool operator()(const T&a, const T&b){
return a.y > b.y
}
};
int main(){
string s(argv[1]);
A(s);
}
最佳答案
您无法在运行时确定比较器的类型。但是您可以做的是让一个比较器的行为取决于运行时值。一个适合您的情况的简单示例如下:
struct MyComparator3 {
bool compare_x;
bool operator()(const T& a, const T& b) const {
if (compare_x)
return a.x > b.x;
else
return a.y > b.y;
}
};
另一个更为通用的可能性是使用
std::function<bool(T,T)>
之类的东西,或者(因为您说过您不能使用C ++ 11)boost::function
。关于c++ - 如何在运行时指定比较器类的priority_queue,我们在Stack Overflow上找到一个类似的问题:https://stackoverflow.com/questions/42519019/