Boost Graph Library: проверка направления графика или нет

Я пишу функцию, которая выполняет некоторые вычисления на графиках с использованием BGL. Способ выполнения расчета зависит от того, направлен граф или нет, но я бы хотел избежать написания двух разных функций, одной для неориентированных графов и одной для ориентированных графов. Оба типа графа определены следующим образом

using namespace boost;
// Undirected
typedef adjacency_list<listS, vecS, undirectedS> UGraph;
// Directed
typedef adjacency_list<listS, vecS, bidirectionalS> DGraph;

Есть ли способ проверить, направлен ли граф от самого объекта графа? Другими словами, есть ли способ узнать из объекта графа используемое свойство направленности (то есть, undirectedS, bidiretionalS или DirectS)?

1 ответ

Решение

Я нашел ответ, глядя на определение функции print_graph() в graph_utility.hpp, который привел меня к функции is_directed() определено в graph_traits.hpp.

Я полагаю, что может быть более элегантный способ сделать это, но вот минимальный рабочий пример:

#include <iostream>
#include <boost/graph/adjacency_list.hpp>
#include <boost/graph/graph_traits.hpp>


template <typename graph_t>
void print_directedness(graph_t &g)
{
  // Typedef of an object whose constructor returns "directedness" of the graph object.
  typedef typename boost::graph_traits<graph_t>::directed_category Cat;
  // The function boost::detail::is_directed() returns "true" if the graph object is directed.
  if(boost::detail::is_directed(Cat()))
    std::cout << "The graph is directed." << std::endl;
  else
    std::cout << "The graph is undirected." << std::endl;
}


int main()
{

  // Creates an undirected graph and tests whether it is directed of not.
  boost::adjacency_list< boost::setS, boost::vecS, boost::undirectedS > UnGraph;
  print_directedness(UnGraph);

  // Creates a directed graph and tests whether it is directed of not.
  boost::adjacency_list< boost::setS, boost::vecS, boost::directedS > DiGraph;
  print_directedness(DiGraph);

  // Creates a bidirectional graph and tests whether it is directed of not.
  boost::adjacency_list< boost::setS, boost::vecS, boost::bidirectionalS > BidiGraph;
  print_directedness(BidiGraph);

  return 0;
}

который правильно возвращает

>> g++ minimal_working_example.cpp -o minimal_working_example
>> ./minimal_working_example
The graph is undirected.
The graph is directed.
The graph is directed.
Другие вопросы по тегам