我有这个功能,点击标记后在与项目相关的点之间绘制一条线。
function showDetails(itemId)
{
var newlatlng = itemId.position;
var xmlhttp;
if (window.XMLHttpRequest)
{// code for IE7+, Firefox, Chrome, Opera, Safari
xmlhttp=new XMLHttpRequest();
}
else
{// code for IE6, IE5
xmlhttp=new ActiveXObject("Microsoft.XMLHTTP");
}
xmlhttp.open("GET", "index.php?r=items/ajaxdetails&id="+itemId.indice,
false);
xmlhttp.send();
var checkins = JSON.parse(xmlhttp.responseText);
var numeroCheckins = checkins.length;
var polylineCheckins = [];
var bounds = new google.maps.LatLngBounds();
for (counter = 0; counter< numeroCheckins; counter++)
{
var posizione = new google.maps.LatLng(checkins[counter].lat,
checkins[counter].long);
polylineCheckins[counter] = posizione;
bounds.extend(posizione);
}
var polyline = new google.maps.Polyline({
path: polylineCheckins,
strokeColor: "#FF0000",
strokeOpacity: 0.5,
strokeWeight: 5
});
polyline.setMap(map);
map.fitBounds(bounds);
}
一切正常,但如果多次调用此函数,则始终会显示上一行。我尝试使用方法setMap(null)但没有成功,尝试重置折线。
我希望在绘制新折线之前实现删除先前折线的结果。
感谢您的支持
答案 0 :(得分:2)
在地图上仅为showDetails
保留一条折线的最简单方法是制作全局折线变量。这样,每次调用showDetails
时,都会修改全局变量。
现在,每次showDetails
运行时都会创建一个新的折线,并且不会返回对它的引用,所以我没有办法将上一行的地图设置为null。
// GLOBAL
var detailsPolyline = new google.maps.Polyline({
strokeColor: "#FF0000",
strokeOpacity: 0.5,
strokeWeight: 5
});
在showDetails
内:
detailsPolyline.setPath(polylineCheckins);
detailsPolyline.setMap(map);
map.fitBounds(bounds);
这是我使用的整个测试用例,因为我没有创建自己的对象的php文件
var map;
var mapOptions = { center: new google.maps.LatLng(0.0, 0.0), zoom: 2,
mapTypeId: google.maps.MapTypeId.ROADMAP };
function initialize() {
map = new google.maps.Map(document.getElementById("map_canvas"), mapOptions);
showDetails([ {lat: 20, long: 0},
{lat: 20, long: 10},
{lat: 30, long: 20}]);
showDetails([ {lat: 10, long: 0},
{lat: 10, long: 10},
{lat: 20, long: 20}]);
}
var detailsPolyline = new google.maps.Polyline({
strokeColor: "#FF0000",
strokeOpacity: 0.5,
strokeWeight: 5
});
function showDetails(checkins)
{
var numeroCheckins = checkins.length;
var polylineCheckins = [];
var bounds = new google.maps.LatLngBounds();
for (counter = 0; counter< numeroCheckins; counter++)
{
var posizione = new google.maps.LatLng(checkins[counter].lat, checkins[counter].long);
polylineCheckins[counter] = posizione;
bounds.extend(posizione);
}
detailsPolyline.setPath(polylineCheckins);
detailsPolyline.setMap(map);
map.fitBounds(bounds);
}
答案 1 :(得分:1)
您正在函数本身中定义polyline
变量,因此一旦函数完成,该变量就超出了任何其他方法的范围(例如setMap(null)
)。
有几种方法可以做到这一点。简单的方法是将函数外部的折线定义为全局变量:
var polyline = null;
function showDetails(itemId)
{
if (polyline != null)
{
polyline.setMap(null);
polyline = null;
}
/* more code */
polyline = new google.maps.Polyline({
path: polylineCheckins,
strokeColor: "#FF0000",
strokeOpacity: 0.5,
strokeWeight: 5
});
polyline.setMap(map);
map.fitBounds(bounds);
}