我目前正在制作一张D3世界地图,在这张地图中,我根据点击情况将缩放功能带到了任何国家或地区的边界级别。
我已经添加了指向肯尼亚县的泡泡,它增加了我添加的缩放功能。但我想在缩放地图时停止缩放气泡。
这是我当前工作的一个吸尘器。
https://plnkr.co/edit/nZIlJxvU74k8Nmtpduzc?p=preview
以下是缩放和缩小的代码
function clicked(d) {
var conditionalChange = d;
if(d.properties.hasOwnProperty("Country")){
var country = d.properties.Country;
var obj = data.objects.countries.geometries;
$.each(obj, function(key, value ) {
if(countries[key].properties.name == "Kenya")
{
conditionalChange = countries[key].geometry;
}
});
}
d = conditionalChange;
if (active.node() === this) return reset();
active.classed("active", false);
active = d3.select(this).classed("active", true);
var bounds = path.bounds(d),
dx = bounds[1][0] - bounds[0][0],
dy = bounds[1][1] - bounds[0][1],
x = (bounds[0][0] + bounds[1][0]) / 2,
y = (bounds[0][1] + bounds[1][1]) / 2,
scale = 1.2/ Math.max(dx / width, dy / height),
translate = [width / 2 - scale * x, height / 2 - scale * y];
g.transition()
.duration(750)
.style("stroke-width", 1/ scale + "px")
.attr("transform", "translate(" + translate + ")scale(" + scale + ")");
}
function reset() {
active.classed("active", false);
active = d3.select(null);
g.transition()
.duration(750)
.style("stroke-width", "1px")
.attr("transform", "");
}
答案 0 :(得分:1)
您正在缩放整个g
元素,这有效地缩放了地图。一切都会增加;但是,对于地图线,您已调整笔划以反映g
比例因子:
g.transition()
.duration(750)
.style("stroke-width", 1/ scale + "px")
.attr("transform", "translate(" + translate + ")scale(" + scale + ")");
要保持圆圈的大小相同,您必须根据r
缩放系数修改每个圆圈的g
属性,对圆圈进行相同的调整:
g.selectAll(".city-circle")
.transition()
.attr("r", 5 / scale )
.duration(750);
尽管如此,因为你实际上并没有在你的圈子上应用班级城市圈,所以当你追加它们时你也需要这样做:
.attr("class","city-circle")
而且,正如您在重置时重置笔触宽度一样,您需要重置圈子'r
:
g.selectAll(".city-circle")
.transition()
.attr("r", 5)
.duration(750);
一起给我们this。