Logo Questions Linux Laravel Mysql Ubuntu Git Menu
 

How to print a boost graph in graphviz with one of the properties displayed?

I see examples of this when using property maps, but not when using structs to handle the vertices and edges (I think this is called 'bundles').

I have vertices and edges defined as such, in an adjacency list graph.

struct Vertex
{
    string name;
    int some_int;
};

struct Edge
{
    double weight;
};

The graph is constructed as follows:

typedef boost::adjacency_list<boost::listS, boost::vecS, boost::directedS, Vertex, Edge> boost_graph;

I want to print my graph of these objects in Graphviz format, so I can view it as an image. However, I don't only want the nodes and edges. I also want the attribute name on vertices and weight on edges to appear in the image. How can I do this?

like image 361
Jim Avatar asked Feb 07 '12 17:02

Jim


2 Answers

I just stumbled upon this question. Although it has an accepted answer, I thought I'll add my version too.

You are using bundled property in your graph. The correct way to get property map from your bundled properties is to use boost::get. So you can do something like:

boost::write_graphviz(std::cout, your_graph,
    boost::make_label_writer(boost::get(&Vertex::name, your_graph)),
    boost::make_label_writer(boost::get(&Edge::weight, your_graph)),
    );

Where your_graph is the graph object you have created.

like image 189
Vikas Avatar answered Nov 13 '22 03:11

Vikas


I gave bad info the first time. Here is the correct answer.

#include <boost/graph/graphviz.hpp>

using namespace boost;

// Graph type
typedef adjacency_list<vecS, vecS, directedS, VertexProperties, EdgeProperty> Graph;
Graph g;
std::vector<std::string> NameVec; // for dot file names


// write the dot file
std::ofstream dotfile (strDotFile.c_str ());
write_graphviz (dotfile, g, make_label_writer(&NameVec[0]));
like image 43
Dan Avatar answered Nov 13 '22 01:11

Dan