It's a simple SVG with a pointer shape defined. Drag and drop events will be added to use elements that reference this pre-defined shape (<g id="pointer"/>). If you need more information about this, please consult our previous tutorial.
Then we create a drag handler function using d3.drag and use it on our use elements (dragHandler(svg.selectAll("use"))). Handling drag and drop with D3.js is simple as that!
dragHandler describes the behavior on drag events. It takes a callback function, that should handle the transformation of the current selection.
In this example we simply update the current pointer coordinates (x,y) using the event position.
There is one minor flaw with this behavior: If the user grabs the pointer shape by somewhere else than the pointy end, it jumps to the mouse position.
That's because at the start of the drag motion, the pointer origin (its lower tip) is moved to the mouse position. Not very user friendly!
Here, using the .on("start", callback) we compute the delta between the event position d3.event.(x|y) and the origin of the shape.
The origin of our pointer shape is returned by .attr("x|y") method calls.
Then during the drag event, we can apply this delta to avoid the shape "jump": d3.event.x + deltaX.
It works pretty well, but that's a bit tedious. There might be a better way to do it?
Of course there is! Don't forget that D3.js is a library for manipulating SVG and DOM elements based on data. Here we were completely missing the data binding part!
Let's try again with (x,y) coordinated bound to the element data this time:
Here when creating the pointer shape, we bind its coordinates .data([{x: 50,y: 50}]) to affect it using attribute callbacks .attr("x", function (d) {return (d.x)}).attr("y", function (d) {return (d.y)}).
When using data-binding, D3-drag automatically handle the drag events coordinates delta:
Works like a charm, doesn't it? Well ... not that much. If you drag the shape more than once, it jumps back to its original position.
The .on("drag") callback function takes the parameter d: the selection data. We simply update it along with the shape (x,y) attributes: d3.select(this).attr("x", d.x = d3.event.x).attr("y", d.y = d3.event.y);.
Now it's time to combine our drag and drop example with our previous "mouse events" tutorial. In the next live demo you can:
Click on the map to create a new pointer,
Click while CTRL is pressed on a pointer to remove it,
Click on a pointer to (un)select it,
And of course drag and drop pointers across the map.
Here we bind data to the shape using datum() instead of data(). But otherwise, it's the same as the previous code sample put together with a click handler: