冻结力导向网络图并在D3中进行拖动

时间:2013-01-12 18:05:06

标签: javascript d3.js force-layout

我试图完全冻结d3中的强制定向网络!我已经尝试将摩擦值设置为0,但网络变得更加精简,节点仍然略微悬停。

var force = d3.layout.force()
.charge(-220)
.linkDistance(70)
.friction(0);

我还希望我的节点可以拖动,即拖动时移动位置。

最终,我试图得到类似于Cytoscape js的东西,看起来像this

谢谢!

1 个答案:

答案 0 :(得分:5)

首先,如果您想在某个时间“冻结”图表,可以使用force布局的stop命令:

force.stop()

一个很好的用法是首先让图表自我组织(使用tick),然后停止使用力量:

// include in beginning of script
force.start();
for (var i = 0; i < n; ++i) force.tick();
force.stop();

然后,如果你想拖放节点,一个好主意就是在d3示例页面上搜索drag,你会找到以下链接:Drag and Drop Support to set nodes to fixed position when dropped它有你想要的一切。顺便说一句,它也与stackoverflow问题有关,你可能会觉得有趣:D3 force directed graph with drag and drop support to make selected node position fixed when dropped

这是一个有趣的拖放代码,适用于力已经停止的图形(我只是注释了一些行,但不确定,所以通过取消注释验证它是否按预期工作)

var node_drag = d3.behavior.drag()
    .on("dragstart", dragstart)
    .on("drag", dragmove)
    .on("dragend", dragend);

function dragstart(d, i) {
    //force.stop() // stops the force auto positioning before you start dragging
}

function dragmove(d, i) {
    d.px += d3.event.dx;
    d.py += d3.event.dy;
    d.x += d3.event.dx;
    d.y += d3.event.dy; 
    tick(); // this is the key to make it work together with updating both px,py,x,y on d !
}

function dragend(d, i) {
    //d.fixed = true; // of course set the node to fixed so the force doesn't include the node in its auto positioning stuff
    //tick();
    //force.resume();
}

function tick() {
  link.attr("x1", function(d) { return d.source.x; })
      .attr("y1", function(d) { return d.source.y; })
      .attr("x2", function(d) { return d.target.x; })
      .attr("y2", function(d) { return d.target.y; });

  node.attr("transform", function(d) { return "translate(" + d.x + "," + d.y + ")"; });
};