3

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

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

我还希望我的节点是可拖动的,即当它们被拖动时移动位置。

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

谢谢!

4

1 回答 1

6

首先,如果你想在某个时间“冻结”图形,你可以使用layout的stop命令:force

force.stop()

一个很好的用途是首先让图形自组织(使用tick)然后停止强制:

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

然后,如果你想拖放节点,一个好主意是drag在 d3 示例页面上搜索,你会找到以下链接:拖放支持将节点设置为放置时的固定位置,这有你想要的一切。顺便说一句,它也与你可能会发现有趣的stackoverflow问题有关:D3 forcedirected graph with drag and drop support to make selected node position fixed when drops

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

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 + ")"; });
};
于 2013-01-13T16:04:19.807 回答