1

我有一个从网络套接字连接馈送的简单折线图,我正在应用“单调”过滤器来平滑线条,所以为了避免看到线条随着新数据的进入而调整,我正在剪裁图表以隐藏最多本文建议的最近数据点...

http://bost.ocks.org/mike/path/

但这使我的轴看起来不正确,右边缘有一个间隙,显示剪辑矩形和实际输出域之间的差异,如您所见......

在此处输入图像描述

我已经能够通过添加一个不同的 x 比例来解决这个问题,该比例可以减少剪辑矩形的域大小,但这对我来说似乎很老套,而不是一个特别干净的解决方案。

有没有正确的方法来解决这个问题?

这是显示相关部分的简短代码列表...

// Create an x-scale
var x = d3.scale.linear()
    .domain([0, saved_points])
    .range([0, width - margin]);

// Create the axis
var xAxis = d3.svg.axis()
            .scale(x)
            .tickSize(-height)
            .tickValues([10,20,30,40,50,60,70,80,90]);

// Clip path truncates the last two points from the line, because adding new
// control points alters the shape of the line, and it "wiggles"
chart.append("defs")
    .append("clipPath")
    .attr("id", "clip")
    .append("rect")
    .attr("width", width - margin - x(2))
    .attr("height", height);

// Create the stack of lines
y_bands = d3.scale.ordinal().rangeBands([0,height]);
line = d3.svg.line()
    .x(function(d,i){ return x(i); })
    .y(function(d,i){
        var a = -1.0 * (y(d.value) / y_bands.domain().length);
        var b = y_bands(d.name);
        var result = a + height - b;
        return result;
    })
    .interpolate("monotone");

// Put the Axis at the bottom of the graph
d3.select("svg")
    .append("svg:g")
    .attr("class", "xaxis")
    .attr("transform", "translate(0," + (height) + ")")
    .call(xAxis);

// Finally create all the paths
chart.selectAll("path")
    .data(my_line_chart.values)
    .enter()
    .append("g")
    .attr("clip-path", "url(#clip)")
    .append("svg:path")
    .attr("class", "line_chart")
    .attr("stroke", function(d, i) { return color(i); })
    .attr('d', function(d,i){ return line(my_line_chart.values[i]);} );
4

1 回答 1

1

我还没有找到一个理想的解决方案,但我在我的问题中提到的技术确实有效。

通过创建与剪辑路径大小而不是实际数据范围相匹配的第二个比例,我可以用它绘制轴并使它们匹配。

        // define actual scales
        var x = d3.scale.linear()
            .domain([0, saved_points])
            .range([0, width - margin]);

        // Define a scale that's reduced in size of the output range by the
        //  length of two points of the actual scale.
        var fake_x = d3.scale.linear()
            .domain([0, saved_points - 2])
            .range([0, width - margin - x(2)]);

        // Use this fake scale for the axis instead of the real scale.
        var xAxis = d3.svg.axis()
                    .scale(fake_x)
                    .tickSize(-height)
                    .tickValues(ticks);

        // The clip path uses the same width reduced by two points
        chart.append("defs")
            .append("clipPath")
            .attr("id", "clip")
            .append("rect")
            .attr("width", width - margin - x(2))
            .attr("height", height);

我看到这种方法的唯一缺点是动画宽度存在问题,因为 fake_x 比例中的 x(2) 值不会转换。

于 2012-07-26T15:19:02.717 回答