11

我已经从转换为geojson的mbtile创建了一个地图,投影是WGS84。我这样加载它:

var map = svg.append("g").attr("class", "map");
var path = d3.geo.path().projection(d3.geo.albers().origin([3.4,46.8]).scale(12000).translate([590, 570]));
    d3.json('myjsonfile.json', function(json) {
        map.selectAll('path').data(json.features).enter().append('path').attr('d', path)
});

现在我想在我的 svg 中添加一个带有 (lat,lng) 坐标的 svg 元素(一个点、一个圆、一个点(我不知道))。

我不知道该怎么做。

4

1 回答 1

19

您需要分离出投影,以便您可以再次使用它来投影您的点的纬度/经度:

var map = svg.append("g").attr("class", "map");
var projection = d3.geo.albers()
    .origin([3.4,46.8])
    .scale(12000)
    .translate([590, 570]);
var path = d3.geo.path().projection(projection);
d3.json('myjsonfile.json', function(json) {
    map.selectAll('path')
        .data(json.features)
      .enter().append('path').attr('d', path);
    // now use the projection to project your coords
    var coordinates = projection([mylon, mylat]);
    map.append('svg:circle')
        .attr('cx', coordinates[0])
        .attr('cy', coordinates[1])
        .attr('r', 5);
});

另一种方法是通过投影坐标翻译点:

map.append('svg:circle')
    .attr("transform", function(d) { 
        return "translate(" + projection(d.coordinates) + ")"; 
    })
    .attr('r', 5);
于 2012-04-22T03:41:49.497 回答