18

我用 D3 显示一个折线图,大致如下代码(给定 scale 函数xyfloat 数组data):

 var line = d3.svg.line()
         .interpolate("basis")
         .x(function (d, i) { return x(i); })
         .y(function (d) { return y(d); });
 d3.select('.line').attr('d', line(data));

现在我想知道在给定水平像素位置的线的垂直高度。数组的data数据点比像素少,并且显示的线是插值的,因此仅从data数组中推断给定像素处的线的高度并不直接。

有什么提示吗?

4

3 回答 3

20

该解决方案比公认的答案更有效。它的执行时间是对数的(而接受的答案具有线性复杂性)。

var findYatXbyBisection = function(x, path, error){
  var length_end = path.getTotalLength()
    , length_start = 0
    , point = path.getPointAtLength((length_end + length_start) / 2) // get the middle point
    , bisection_iterations_max = 50
    , bisection_iterations = 0

  error = error || 0.01

  while (x < point.x - error || x > point.x + error) {
    // get the middle point
    point = path.getPointAtLength((length_end + length_start) / 2)

    if (x < point.x) {
      length_end = (length_start + length_end)/2
    } else {
      length_start = (length_start + length_end)/2
    }

    // Increase iteration
    if(bisection_iterations_max < ++ bisection_iterations)
      break;
  }
  return point.y
}
于 2013-07-27T09:40:40.073 回答
10

2012 年 9 月 19 日根据评论编辑 ,非常感谢 nrabinowitz!

您将需要对返回的数据进行某种搜索getPointAtLength。(参见https://developer.mozilla.org/en-US/docs/DOM/SVGPathElement。)

// Line
var line = d3.svg.line()
     .interpolate("basis")
     .x(function (d) { return i; })
     .y(function(d, i) { return 100*Math.sin(i) + 100; });

// Append the path to the DOM
d3.select("svg#chart") //or whatever your SVG container is
     .append("svg:path")
     .attr("d", line([0,10,20,30,40,50,60,70,80,90,100]))
     .attr("id", "myline");

// Get the coordinates
function findYatX(x, linePath) {
     function getXY(len) {
          var point = linePath.getPointAtLength(len);
          return [point.x, point.y];
     }
     var curlen = 0;
     while (getXY(curlen)[0] < x) { curlen += 0.01; }
     return getXY(curlen);
}

console.log(findYatX(5, document.getElementById("myline")));

对我来说,这将返回 [5.000403881072998, 140.6229248046875]。

这个搜索函数 ,findYatX远非高效(在O(n)时间内运行),但说明了这一点。

于 2012-08-19T06:01:21.910 回答
0

我已经尝试实现 findYatXbisection (正如 bumbu 所建议的那样),但我无法让它按原样工作。

我没有根据 length_end 和 length_start 修改长度,而是将长度减少了 50%(如果 x < point.x)或增加了 50%(如果 x> point.x),但总是相对于零的起始长度. 我还结合了 revXscale/revYscale 将像素转换为我的 d3.scale 函数设置的 x/y 值。

function findYatX(x,path,error){
    var length = apath.getTotalLength()
        , point = path.getPointAtLength(length)
        , bisection_iterations_max=50
        , bisection_iterations = 0
    error = error || 0.1
    while (x < revXscale(point.x) -error || x> revXscale(point.x + error) {
        point = path.getPointAtlength(length)
        if (x < revXscale(point.x)) {
             length = length/2
        } else {
             length = 3/2*length
        }
        if (bisection_iterations_max < ++ bisection_iterations) {
              break;
        }
    }
return revYscale(point.y)
}
于 2013-07-30T18:38:43.950 回答