0

在代码中看起来像这样:

比较算法

class PathComp{
public:
virtual bool betterThan(const PathInfo& path1, const PathInfo& path2) const{
//returns true if path1 is shorther than path2
{
};

具有重新定义运算符 () 的类

class QueueComp{
private:
PathComp* comp;
public:
QueueComp(PathComp* pc);
bool operator () (const pair<PathInfo, string>& item1, const pair<PathInfo, string> item2);
};

QueueComp::QueueComp(PathComp* pc):comp(pc){}
bool QueueComp::operator () (const pair<PathInfo, string>& item1, const pair<PathInfo, string>& item2){
    return comp->betterThan(item1.first, item2.first);
}

使用优先队列的函数

list<string> Graph::shortestPath(const string& from, const string& to, PathComp* pc) const{
    const QueueComp comp(pc);
    std::priority_queue<pair<PathInfo, string>, set<pair<PathInfo, string> >, comp> q;
}

编译器显示错误消息:“comp”不能出现在常量表达式中,模板参数 3 无效,之前声明中的类型无效;令牌

有谁知道问题出在哪里?感谢所有帮助。

4

1 回答 1

1

编译器已经说明了问题所在:非constexpr不能是模板参数。你可能打算写

std::priority_queue<std::pair<PathInfo, std::string>,
                    std::vector<std::pair<PathInfo, std::string> >,
                    QueueComp>
    q(comp);

直接的问题是这comp是一个对象,但模板需要比较函数的类型。一旦解决了这个问题,下一个问题将是它std::set<...>不是一个可行的容器,std::priorit_queue<...>std::vector<...>它是。

于 2012-11-25T21:16:59.743 回答