5

我希望所有的边缘都具有属性、重量和容量。我发现 BGL 已经定义了这两个。所以我为 Graph 定义 Edge 和 Vertex 属性

 typedef property<vertex_name_t, string> VertexProperty;
 typedef property<edge_weight_t, int, property<edge_capacity_t, int> > EdgeProperty;
 typedef adjacency_list<listS,vecS, undirectedS, VertexProperty, EdgeProperty > Graph;

这是我试图将边缘添加到图表的地方:

172: EdgeProperty prop = (weight, capacity);
173: add_edge(vertex1,vertex2, prop, g);

如果我只有 1 个属性,我知道它将是 prop = 5; 但是,有两个我对格式感到困惑。

这是我收到的错误:

graph.cc: In function ‘void con_graph()’:
graph.cc:172: warning: left-hand operand of comma has no effect
4

2 回答 2

7

如果您查看boost::property的实现,您会发现无法以这种方式初始化属性值。即便如此,您所拥有的语法(weight, capacity)无论如何都是无效的,因此,如果可以像这样初始化属性,它将被写入EdgeProperty prop = EdgeProperty(weight, capacity);或只是EdgeProperty prop(weight, capacity);. 但是,这又是行不通的。从技术上讲,这是您需要初始化属性值的方式:

EdgeProperty prop = EdgeProperty(weight, property<edge_capacity_t, int>(capacity));

但随着属性数量的增加,这有点难看。因此,默认构造边缘属性然后手动设置每个单独的属性会更干净:

EdgeProperty prop;
get_property_value(prop, edge_weight_t) = weight;
get_property_value(prop, edge_capacity_t) = capacity;

当然,更好的选择是使用捆绑属性而不是旧的 bo​​ost::property 链。

于 2012-07-01T00:11:50.393 回答
0

正确的形式是:

EdgeProperty prop;
get_property_value(prop, edge_weight) = weight;
get_property_value(prop, edge_capacity) = capacity;
于 2015-07-14T11:29:25.823 回答