4

我是 Javascript 和 google map api 的新手,我一直按照这个链接删除标记,但有些我无法让它工作。

基本上我想在用户输入地址并单击按钮时使用按钮生成标记。当用户输入新地址并再次单击按钮时,旧标记将被移除,新地址上的新标记销。标记也是可拖动的。

这是我的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);
                                }
                    });
            }

更新 当我检查检查元素时,它给了我这个错误:

未捕获的类型错误:无法调用未定义的方法“setMap”

4

1 回答 1

15

您需要引用您的marker对象才能在以后访问它。如果您想将地图限制为一次marker显示一个,您可以更新标记Position属性,而不是删除并重新创建它。

这是一个可以更改标记位置或在地图上不存在标记时创建新标记的功能。location 参数是一个 GoogleLatLng对象,与 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);

}
...

这是一个概念的小提琴。 您可以单击地图,标记将移动到所需位置。

于 2013-05-15T21:15:49.290 回答