创建“复合”元素就像将一个或多个子元素附加到另一个元素一样简单。在您的示例中,您希望将数据绑定到一系列<a>
元素,并为每个元素提供<a>
一个<circle>
子元素。
首先,您需要选择"a.node"
而不是"circle.node"
. 这是因为您的超链接将成为父元素。如果没有明显的父元素,而您只想为每个数据添加多个元素,请使用<g>
SVG 的 group 元素。
然后,您希望将一个<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>
element,这就是我上面提到的。这与 HTML 不同!通常,您仅将 SVG 元素与 SVG 一起使用,而将 HTML 与 HTML 一起使用。
感谢@mbostock 建议我澄清变量命名。