0

我必须为 make_heap 重载什么运算符?是 () 运算符吗?如果我已经在我的算法中为另一种情况定义了它。在我的情况下,任何人都可以提供使用 make_heap 的正确方法。请参阅下面的代码以更好地理解。

在我的顶点类中

bool operator() (vertex &v) const 
{ 
  return (v.key() == _key); 
}

这在以下 std 方法 find_if 中构建图形时使用

vertex_iterator GraphComponents::graph::find_vertex_by_key(int key)
{
  return std::find_if(_vertices.begin(), _vertices.end(), GraphComponents::vertex(key));
}

现在在我的算法中,我想在不同的上下文中使用顶点作为函数对象。

std::list<int> GraphComponents::graph::breadth_first_search (int key, int start_key)
{
  std::vector<GraphComponents::vertex *> heap;
  for (vertex_iterator copy_iter = _vertices.begin(); copy_iter != _vertices.end(); ++copy_iter) {
    heap.push_back(&(*copy_iter));
  }
  std::make_heap(heap.begin(), heap.end(), vertex(<should be distance>));
}

这里我不想在比较中使用键,但我想使用距离成员,因此距离最短的顶点位于堆的顶部。没有实现我自己的堆,推荐的解决方法是什么?

4

1 回答 1

5

实现一个函数,该函数接受您类型的两个参数,如果应该认为左侧参数相对小于右侧参数,则返回 true。(更少可能意味着更大)

然后将该函数作为第三个参数传递给make_heap. 或者您可以operator<使用上述语义来实现,如果您不传递任何函数,将使用该语义。

http://en.wikipedia.org/wiki/Strict_weak_ordering

在您的情况下,您的元素是指针,因此您不能编写operator<,因为该函数已经为所有指针类型定义。因此,您将不得不编写一个单独的函数,如下所示:

bool CompareByDistance(const GraphComponents::vertex * lhs,
                       const GraphComponents::vertex * rhs)
{
    return lhs->distance() < rhs->distance();
}
于 2012-04-16T01:13:28.617 回答