如何在D3力布局中添加复合节点



我正在向部队布局图添加节点,如下所示:

var node = vis.selectAll("circle.node")
    .data(nodes)
    .enter()
    .append("circle")
    .attr("class", "node")
    .attr("cx", function(d) { return d.x; })
    .attr("cy", function(d) { return d.y; })
    .attr("r", 5)
    .style("fill", function(d) { return fill(d.group); })
    .call(force.drag);

有没有一种方法可以添加复合SVG元素作为节点?也就是说,我想为每个圆圈添加一个超链接,所以我需要这样的东西:

<a href="whatever.com"><circle ...></circle></a>

创建一个"复合"元素就像将一个或多个子元素附加到另一个元素一样简单。在您的示例中,您希望将数据绑定到选定的<a>元素,并为每个<a>指定一个子<circle>

首先,您需要选择"a.node"而不是"circle.node"。这是因为您的超链接将成为父元素。如果没有明显的父元素,并且只想为每个数据添加多个元素,请使用SVG的group元素<g>

然后,要将一个<a>元素附加到输入选择中的每个节点。这将创建您的超链接。在设置每个超链接的属性后,您希望为其提供一个<circle>子级。简单:只需调用.append("circle")

var node = vis.selectAll("a.node")
    .data(nodes);
// The entering selection: create the new <a> elements here.
// These elements are automatically part of the update selection in "node".
var nodeEnter = node.enter().append("a")
    .attr("class", "node")
    .attr("xlink:href", "http://whatever.com")
    .call(force.drag);
// Appends a new <circle> element to each element in nodeEnter.
nodeEnter.append("circle")
    .attr("r", 5)
    .style("fill", function(d) { return fill(d.group); })
node.attr("transform", function(d) { return "translate(" + d.x + "," + d.y + ")"; });

请记住,D3主要操作节点的选择。因此,在输入选择时调用.append()意味着选择中的每个节点都有一个新的子节点。强大的东西!

还有一件事:SVG有自己的<a>元素,这就是我在上面提到的。这与HTML不同!通常,您只将SVG元素与SVG一起使用,将HTML与HTML一起使用。

感谢@mbstock建议我澄清变量命名

回复Jason Davies(因为stackoverflow限制了回复评论的长度…):很好的答案。不过,要小心方法链接;通常您希望node引用外部锚点元素而不是内部圆元素。所以我推荐一个小的变体:

var node = vis.selectAll("a.node")
    .data(nodes)
  .enter().append("a")
    .attr("class", "node")
    .attr("xlink:href", "http://whatever.com")
    .attr("transform", function(d) { return "translate(" + d.x + "," + d.y + ")"; })
    .call(force.drag);
node.append("circle")
    .attr("r", 5)
    .style("fill", function(d) { return fill(d.group); });

我还将圆的cx和cy属性替换为包含anchor元素的转换;任何一个都可以。您可以将svg:a元素视为svg:g(两者都是容器),如果您以后想添加标签,这很好。

最新更新