13

我试图用不同的颜色填充图表下方的区域,具体取决于 x 值范围,例如,x 值 0 到 10 黄色,10 到 20 红色等等。有没有办法做到这一点?

我的单一填充颜色的 javascript 是

var m = 80; 
var w = 900 - 3*m;
var h = 600- 3*m; 

var x = d3.scale.linear().range([0, w]);
var y = d3.scale.linear().range([h, 0]);
x.domain(d3.extent(data, function(d) { return d.time; }));
y.domain(d3.extent(data, function(d) { return d.points; }));

var line = d3.svg.line()
.x(function(d) { 
return x(d.time); 
})

.y(function(d) { 
return y(d.points); 
})

var graph = d3.select("#graph").append("svg:svg")
           .attr("width", w+3*m)
           .attr("height", h+3*m)
           .append("svg:g")
           .attr("transform", "translate(" + 1.5*m + "," + 1.5*m + ")");

var area = d3.svg.area()
.x(function(d) { return x(d.time); })
.y0(h)
.y1(function(d) { return y(d.points); });

graph.append("path")
.datum(data)
.attr("class", "area")
.attr("d", area)
.style("fill","steelblue"); 

提前致谢!

4

1 回答 1

12

您基本上有两种选择。

  • 您可以为不同的颜色定义单独的区域。
  • 您可以定义单个区域并使用渐变来模拟不同的颜色。

第二个可能更容易,因为您不需要绘制任何单独的路径,您可以像现在一样简单地填充一个。

对于渐变,您需要定义停靠点(即颜色变化)以对应于值。特别是,您需要在同一个地方引入两个停靠点,以使其看起来颜色突然变化。更多关于梯度的信息在这里。代码看起来像这样。

var grad = graph.append("defs")
     .append("linearGradient")
     .attr("id", "grad");
grad.append("stop").attr("offset", "0%").attr("stop-color", "yellow");
grad.append("stop").attr("offset", "10%").attr("stop-color", "yellow");
grad.append("stop").attr("offset", "10%").attr("stop-color", "red");
grad.append("stop").attr("offset", "20%").attr("stop-color", "red");
// etc

graph.append("path")
     .style("fill", "url(#grad)");

停靠点的位置将由您的比例决定。

于 2013-10-01T13:07:45.440 回答