我正在尝试从我的Rails应用程序渲染以下树状图:http : //bl.ocks.org/mbostock/4063570
我有一个带有许多属性的模型,但我想手动嵌套这些属性,并简单地使用字符串插值来构建自己的JSON字符串,然后将其直接传递给d3。
这是我的代码:
<%= javascript_tag do %> var width = 960, height = 2200; var cluster = d3.layout.cluster() .size([height, width - 160]); var diagonal = d3.svg.diagonal() .projection(function(d) { return [d.y, d.x]; }); var svg = d3.select("body").append("svg") .attr("width", width) .attr("height", height) .append("g") .attr("transform", "translate(40,0)"); **d3.json("/assets/flare.json", function(root) {** var nodes = cluster.nodes(root), links = cluster.links(nodes); var link = svg.selectAll(".link") .data(links) .enter().append("path") .attr("class", "link") .attr("d", diagonal); var node = svg.selectAll(".node") .data(nodes) .enter().append("g") .attr("class", "node") .attr("transform", function(d) { return "translate(" + d.y + "," + d.x + ")"; }) node.append("circle") .attr("r", 4.5); node.append("text") .attr("dx", function(d) { return d.children ? -8 : 8; }) .attr("dy", 3) .style("text-anchor", function(d) { return d.children ? "end" : "start"; }) .text(function(d) { return d.name; }); }); d3.select(self.frameElement).style("height", height + "px"); <% end %>
这是我的(未缩小的)JSON字符串:
var mystring = '{ "name": "Product", "properties": { "id": { "type": "number", "description": "Product identifier", "required": true }, "name": { "type": "string", "description": "Name of the product", "required": true }, "price": { "type": "number", "minimum": 0, "required": true }, "tags": { "type": "array", "items": { "type": "string" } }, "stock": { "type": "object", "properties": { "warehouse": { "type": "number" }, "retail": { "type": "number" } } } } }';
我尝试过的事情:
缩小JSON,以便仅输入一行(无效)
在字符串上运行JSON.parse(mystring)
查看D3文档,并谷歌搜索一种方法来修改以下函数以接受字符串而不是文件路径:
d3.json("/assets/flare.json", function(root) { var nodes = cluster.nodes(root), links = cluster.links(nodes);
首先,让我们看一下d3.json。
d3.json
d3.json("/assets/flare.json", function(root) { // code that uses the object 'root' });
这/assets/flare.json将从服务器加载文件,将内容解释为JSON,并将结果对象作为root参数传递给匿名函数。
/assets/flare.json
root
如果您已经有了JSON对象,则无需使用该d3.json函数-您可以直接使用该对象。
var root = { "name": "flare", "children": [ ... ] }; // code that uses the object 'root'
如果对象表示为字符串,则可以使用JSON.parse获取对象:
JSON.parse
var myString = '{"name": "flare","children": [ ... ] }'; var root = JSON.parse(mystring); // code that uses the object 'root'
其次,让我们看看d3.layout.cluster您对数据的期望。根据文档:
d3.layout.cluster
…默认的子级访问器假定每个输入数据都是具有子级数组的对象…
换句话说,您的数据必须采用以下形式:
var mystring = '{ "name": "Product", "children": [ { "name": "id", "type": "number", "description": "Product identifier", "required": true }, ... { "name": "stock", "type": "object", "children": [ { "name: "warehouse", "type": "number" }, { "name": "retail", "type": "number" } ] } ] }