web-dev-qa-db-ja.com

D3対角関数を使用して曲線を描く方法は?

サンプルを見ました http://bl.ocks.org/mbostock/raw/4063570/

enter image description here

ソースターゲットから左から右にニースのマージされた行を生成します。

私の場合、ノードを手動でレイアウトし、x、y座標を配置する必要があります。この場合、行はソースノードでマージされません。この問題を再現するテストコードは次のとおりです。

var data = [ {name: "p1", children: [{name: "c1"}, {name: "c2"}, {name: "c3"}, {name: "c4"}]}];
var width = 400, height = 200, radius = 10, gap = 50;

// test layout
var nodes = [];
var links = [];
data.forEach(function(d, i) {
    d.x = width/4;
    d.y = height/2;
    nodes.Push(d);
    d.children.forEach(function(c, i) {
        c.x = 3*width/4;
        c.y = gap * (i +1) -2*radius;
        nodes.Push(c);
        links.Push({source: d, target: c});
    })
})

var color = d3.scale.category20();

var svg = d3.select("#chart").append("svg")
        .attr("width", width)
        .attr("height", height)
        .append("g");
var diagonal = d3.svg.diagonal()
        .projection(function(d) { return [d.x, d.y]; });

var link = svg.selectAll(".link")
        .data(links)
        .enter().append("path")
        .attr("class", "link")
        .attr("d", diagonal);

var circle = svg.selectAll(".circle")
        .data(nodes)
        .enter()
        .append("g")
        .attr("class", "circle");

var el = circle.append("circle")
        .attr("cx", function(d) {return d.x})
        .attr("cy", function(d) {return d.y})
        .attr("r", radius)
        .style("fill", function(d) {return color(d.name)})
        .append("title").text(function(d) {return d.name});

これのサンプルは http://jsfiddle.net/zmagdum/qsEbd/ にあります:

enter image description here

ただし、ノードに近い曲線の動作は、望ましいものと反対のように見えます。節点から水平にまっすぐに始めて、真ん中に曲線を描いてもらいたいです。これを行うためのトリックはありますか?

19
John Smith

このソリューションは優れた@bmdhacksソリューションに基づいていますが、データ自体の中でxyを交換する必要がないため、私の方が少し優れていると思います。

アイデアは、diagonal.source()diagonal.target()を使用してxyを交換できるということです。

var diagonal = d3.svg.diagonal()
    .source(function(d) { return {"x":d.source.y, "y":d.source.x}; })            
    .target(function(d) { return {"x":d.target.y, "y":d.target.x}; })
    .projection(function(d) { return [d.y, d.x]; });

すべてx yスワッピングが上記のコード内にカプセル化されるようになりました。

結果:

enter image description here

こちらも jsfiddle です。

26
VividD

ブロックの例では、x値とy値がリンクで交換されていることに注意してください。これは通常、間違った場所にリンクを描画しますが、彼はそれらを元に戻す投影関数も提供しています。

var diagonal = d3.svg.diagonal()
    .projection(function(d) { return [d.y, d.x]; });

この手法を適用したjsfiddleは次のとおりです。 http://jsfiddle.net/bmdhacks/qsEbd/5/

8
bmdhacks