Reputation: 1117
I'm using D3 for drawing on the SVG. What I want is to append DOM element or HTML to the D3, like:
task.append(function(model){
//here return html or dom
};
Documentation says it's possible, but unfortunately I can't find any example or found out how to do this myself.
Upvotes: 20
Views: 24391
Reputation: 16494
The selection.append() function accepts one of two types:
Your question wasn't very specific, so I'll do a wild guess here.
If you created your element using
var newElem = document.createElement(tagname);
or
var newElem = document.createElementNS(d3.ns.prefix.svg, tagname);
and you want to add that new element to your d3 selection then you can use this:
mySelection.node().appendChild(newElem)
This will basically append the new element to the first node from your selection. For appending the element to every node from the selection you'd need to make a loop over mySelection and call node() on every single item.
Adding multiple custom created elements works the same, but you can save yourself some work using element.cloneNode(true)
Note however that you can't use any of d3's magic on plain elements, except you wrap them in d3.select(elem)
.
Let's assume you have two selections s1 and s2 and you want s2 to be appended to s1. If both are selections over only one element respectively, then you can simply use
s1.node().appendChild(s2.node())
or
s1.append(function() {return s2.node()})
If s1 and/or s2 are being selections over multiple elements you need to iterate over both selections first and use
s1[i].node().append(s2[j].node())
or
s1.append(function() {return s2[i].node()})
instead.
Upvotes: 27
Reputation: 360
This is how used this information to create dynamic "shapes" in my force-directed chart using a function inside append().
shape = svg.append("g")
.selectAll("rect") // only a placeholder - does not control the shape
.data(force.nodes())
.enter()
.append(function(d){
return setshvape(d)
})
function setshape(d){
if(d.type == "start"){
var shape = document.createElementNS(d3.ns.prefix.svg, "circle");
}else{
var shape = document.createElementNS(d3.ns.prefix.svg, "rect");
}
return shape
}
Upvotes: 0
Reputation: 221
Try this:
d3.select("body").append(function() { return document.createElement("p") });
Upvotes: 22