我目前正在制作一个D3世界地图,我在其中引入了缩放功能-根据点击可以放大到任何国家或国家的边界。
我已经添加了气泡指向肯尼亚的县,这得到放大的缩放功能,我有added.But我想停止缩放气泡,对地图的缩放。
这是我当前工作的一个插销。
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", "");
}
发布于 2017-10-24 20:58:59
您正在缩放整个g
元素,这将有效地缩放地图。所有内容的大小都会增加;但是,对于地图线,您已经调整了笔划以反映g
比例因子的更改:
g.transition()
.duration(750)
.style("stroke-width", 1/ scale + "px")
.attr("transform", "translate(" + translate + ")scale(" + scale + ")");
要使圆保持相同的大小,必须对圆进行相同的调整,方法是根据g
比例因子修改每个圆的r
属性:
g.selectAll(".city-circle")
.transition()
.attr("r", 5 / scale )
.duration(750);
但是,由于您实际上并没有在您的circle上应用类city-circle,所以当您附加它们时,您也需要这样做:
.attr("class","city-circle")
而且,就像在重置时重置笔划宽度一样,您需要重置圆的r
:
g.selectAll(".city-circle")
.transition()
.attr("r", 5)
.duration(750);
加在一起就得到了this。
https://stackoverflow.com/questions/46916743
复制相似问题