我正在尝试学习d3js并开始使用区域图example的示例。我理解这个例子中发生了什么,我试图稍微操纵它来修复我的数据到这个图表
我的数据看起来像
date,close
0:15,0.433
0:30,0.919
0:45,0.750
1:00,0.699
1:15,0.629
1:30,0.896
1:45,0.794
2:00,0.802
2:15,0.866
2:30,0.943
2:45,0.750
3:00,0.518
3:15,0.721
3:30,0.649
3:45,0.816
4:00,0.698
4:15,0.403
4:30,0.772
4:45,0.605
5:00,0.721
5:15,0.684
5:30,0.559
5:45,0.697
6:00,0.751
和代码
<!DOCTYPE html>
<meta charset="utf-8">
<style>
body {
font: 10px sans-serif;
}
.axis path,
.axis line {
fill: none;
stroke: #000;
shape-rendering: crispEdges;
}
.area {
fill: steelblue;
}
</style>
<body>
<div class="test"></div>
<script src="http://d3js.org/d3.v3.js"></script>
<script>
var margin = {top: 20, right: 20, bottom: 30, left: 50},
width = 960 - margin.left - margin.right,
height = 500 - margin.top - margin.bottom;
var x = d3.scale.linear()
.range([0, width]);
var y = d3.scale.linear()
.range([height, 0]);
var xAxis = d3.svg.axis()
.scale(x)
.orient("bottom");
var yAxis = d3.svg.axis()
.scale(y)
.orient("left");
var area = d3.svg.area()
.x(function(d) { return x(d.date); })
.y0(height)
.y1(function(d) { return y(d.close); });
var svg = d3.select("body").append("svg")
.attr("width", width + margin.left + margin.right)
.attr("height", height + margin.top + margin.bottom)
.append("g")
.attr("transform", "translate(" + margin.left + "," + margin.top + ")");
d3.csv("data/data2.csv", function(error, data) {
data.forEach(function(d) {
d.close = +d.close;
});
x.domain(d3.extent(data, function(d) { return d.date; }));
y.domain([0, d3.max(data, function(d) { return d.close; })]);
svg.append("path")
.data(data)
.attr("class", "area")
.attr("d", area);
svg.append("g")
.attr("class", "x axis")
.attr("transform", "translate(0," + height + ")")
.call(xAxis);
svg.append("g")
.attr("class", "y axis")
.call(yAxis)
.append("text")
.attr("transform", "rotate(-90)")
.attr("y", 6)
.attr("dy", ".71em")
.style("text-anchor", "end")
.text("Price ($)");
});
</script>
</body>
</html>
这不起作用,我想我知道为什么......因为现在x轴不是&#34; date&#34;并且域名没有以正确的方式设置?!那你觉得我该怎么办?有没有办法说d3每隔15分钟x轴是一个时间段?!然后,数据以正确的方式设置为&#34; .data(数据)&#34;而不是&#34; .datum(数据)&#34;。
最好的问候
linda
答案 0 :(得分:0)
这里至少有3个问题:
解析csv时,需要将时间字符串(例如4:15
)转换为javascript Date
对象。 +d.close
不足;使用d3.time.format('%H:%M').parse()
方法。
对于svg.append("path")
位,在其上调用.data(data)
最终只是将data
的第一个元素分配给路径,而不是整个数组。这就是d3选择与数据一起工作的方式。这反过来导致.attr("d", area)
仅将单个数据点传递给area
生成器,而不是整个集合。使用.data(data)
(或者,我认为.datum(data)
也可以),而不是.data([data])
,它将整个数组绑定到路径。
正如您所指出的,比例x
必须为d3.time.scale()
。然而,修复上面的两件事应该已经使它呈现图形,但是不是沿着x轴有日期,你会看到相当大的数字,相当于自1970年以来的毫秒。
应该这样做,除非我错过了其他问题。如果是这样,把这些东西放进一个jsfiddle我会看看。