1

我正在尝试在 C++ 应用程序中从 graphviz 生成图片格式的图形。

我进行的方式如下。从 boost 库中,我创建了一个 adjancy_list:

struct VertexP { std::string tag; std::string shape;std::string style; };
struct EdgeP { std::string symbol; std::string color; };
struct GraphP { };

typedef adjacency_list<vecS, vecS, directedS, VertexP, EdgeP, GraphP> Graph;

我有一个函数可以从外部数据递归地构建我的图表

Graph addnode_progeny(data, Graph );

然后,我有一个函数可以生成这个图的点文件。

void printGraphDot(Graph g, std::string file_path){
std::ofstream dot_file(file_path+".dot");
dynamic_properties dp;
dp.property("node_id", get(&VertexP::tag, g));
dp.property("label", get(&VertexP::tag, g));
dp.property("shape", get(&VertexP::shape, g));
dp.property("style", get(&VertexP::style, g));
dp.property("label", get(&EdgeP::symbol, g));
dp.property("color", get(&EdgeP::color, g));
dp.property("rankdir", boost::make_constant_property<Graph*>(std::string("TB")));
write_graphviz_dp(dot_file, g, dp);
}

到此为止,一切都很顺利。

现在,我想将此点文件转换为 png 文件。我不想通过 system("dot -Tpng input -o output") 命令,因为我不想强迫用户安装 graphviz。

我在以下帖子中找到了第一个想法:Generate image of GraphViz graph given dot text c++

我已经修改了代码。我已将它添加到上一个函数中,当我需要生成一个图形时它可以工作。

新功能是:

void printGraphDot(Graph g, std::string file_path){
std::ofstream dot_file(file_path+".dot");
dynamic_properties dp;
dp.property("node_id", get(&VertexP::tag, g));
dp.property("label", get(&VertexP::tag, g));
dp.property("shape", get(&VertexP::shape, g));
dp.property("style", get(&VertexP::style, g));
dp.property("label", get(&EdgeP::symbol, g));
dp.property("color", get(&EdgeP::color, g));
dp.property("rankdir", boost::make_constant_property<Graph*>(std::string("TB")));

write_graphviz_dp(dot_file, g, dp);
std::string o_arg = "-o" +file_path+".png";
std::string i_arg = file_path+".dot";
char* args[] = {const_cast<char*>("dot"),
                const_cast<char*>("-Tpng"),
                const_cast<char*>(i_arg.c_str()),
                const_cast<char*>(o_arg.c_str()) };

const int argc = sizeof(args)/sizeof(args[0]);
Agraph_t *h, *prev = NULL;
GVC_t *gvc;
gvc = gvContext();
gvParseArgs(gvc, argc, args);

while ((h = gvNextInputGraph(gvc)))
{
  if (prev)
  {
    gvFreeLayout(gvc, prev);
    agclose(prev);
  }
  gvLayoutJobs(gvc, h);
  gvRenderJobs(gvc, h);
  prev = h;
}
}

但是,对于多个图,如果我再次调用此函数,它不起作用并且我有一个分段错误。事实上,在以下文档第 25 页中写道,我们只能在应用程序中使用一个 GVC_t:http: //www.graphviz.org/pdf/libguide.pdf

因此,在以下情况下,它会因分段错误而停止程序:

printGraphDot( g1,  file_path1);
printGraphDot( g2,  file_path2);

是否有另一种方法可以在不使用命令的情况下从 C++ 应用程序中的点文件生成 png 图?

非常感谢您的帮助。干杯

4

1 回答 1

0

我找到了一种方法,我使用了以下函数并且它有效,我也在Generate image of GraphViz graph given dot text c++中添加了这个答案:

bool saveImageGV(std::string file_path){
    GVC_t *gvc;
    Agraph_t *g;
    FILE *fp;
    gvc = gvContext();
    fp = fopen((file_path+".dot").c_str(), "r");
    g = agread(fp, 0);
    gvLayout(gvc, g, "dot");
    gvRender(gvc, g, "png", fopen((file_path+".png").c_str(), "w"));
    gvFreeLayout(gvc, g);
    agclose(g);
    return (gvFreeContext(gvc));
}
于 2018-08-23T16:48:21.163 回答