我是Javascript和谷歌地图api的新手,我一直关注这个link删除一个标记,但有些我不能使它工作。
基本上我想在用户输入地址并单击按钮时使用按钮生成标记。当用户输入新地址并再次单击该按钮时,旧标记将被删除,新标记将固定在新地址上。标记也可拖动。
这是我的js代码:
$('#geocode').live('click',function() {
codeAddress();
return false;
});
function codeAddress() {
var address = document.getElementById('location').value;
geocoder.geocode( { 'address': address}, function(results, status) {
if (status == google.maps.GeocoderStatus.OK) {
map.setCenter(results[0].geometry.location);
if (marker) marker.setMap(null);
if (marker) delete marker;
var marker = new google.maps.Marker({
draggable:true,
map: map,
position: results[0].geometry.location
});
var newlat = results[0].geometry.location.lat();
var newlng = results[0].geometry.location.lng();
document.getElementById('mwqsflatlng').value = (newlat+' , '+newlng);
draggeablemarker(marker);
} else {
alert('Geocode was not successful for the following reason: ' + status);
}
});
}
更新 当我检查inspect元素时,它给了我这个错误:
未捕获的TypeError:无法调用未定义的方法'setMap'
答案 0 :(得分:14)
您需要引用marker
对象才能在以后访问它。如果您想将地图限制为一次marker
,则可以更新标记Position
属性,而不是删除并重新创建它。
这是一个可以更改标记位置或创建新标记的功能(如果地图上不存在)。 location参数是Google LatLng
对象,与Geocoder results[0].geometry.location
返回的对象相同。
注意 marker
变量是在函数范围之外定义的。这使您可以在以后引用标记。
var marker;
function placeMarker(location) {
if (marker) {
//if marker already was created change positon
marker.setPosition(location);
} else {
//create a marker
marker = new google.maps.Marker({
position: location,
map: map,
draggable: true
});
}
}
因此,对于您的地理编码成功函数,您只需将结果传递给此函数。
geocoder.geocode( { 'address': address}, function(results, status) {
if (status == google.maps.GeocoderStatus.OK) {
placeMarker(results[0].geometry.location);
}
...
Here is a fiddle of of the concept.您可以点击地图,标记将移动到所需的位置。