在我的应用程序中,用户可以使用click事件找到地名,获得地名后,我使用inputField向用户显示地名。为此,我编写了以下代码。

//辅助函数

function makingGeocodeRequest(obj,callback){
   var geocodeInstance=new google.maps.Geocoder();
    geocodeInstance.geocode(obj,callback);
}

google.maps.event.addListener(mapInstane,"click",function(event){
 makingGeocodeRequest(_.object(["location"],[event.latLng]),
                        function(res,status){
                            document.getElementById("field").value=res[0]["formatted_address"];
                        }
 )
})


一旦用户单击Save按钮,我将使用以下代码根据地点名称查找latlng

makingGeocodeRequest(
    _.object(["address"],[document.getElementById("field").value]),
    function(res,status){
        if (status===google.maps.GeocoderStatus.OK) {
          var latLngObj=res[0]["geometry"]["location"];
          console.log(latLngObj;
        }
    }
)


这里的问题是,两个latlng值都不同(单击事件时间latlng值和保存按钮操作latlng值)。

实际上两者都是从Google中找到的,但是它返回的是不同的latlng值。

在单击事件事件中,我正在使用this图标更改光标样式。单击Save按钮后,将还原为默认光标。

我该如何解决。有人可以帮我吗。

谢谢。

最佳答案

要解决您的问题,您可以创建点数组和点数组,将标记添加到该数组并在地图上呈现该数组的结果。

这是您可以执行的操作:

使用Javascript,

<script type="text/javascript">
        var map;
        var markersList= [];

        function initGMap()
        {
            var latlng = new google.maps.LatLng(39, 20);
            var myOptions = {
                zoom: 10,
                center: latlng,
                mapTypeId: google.maps.MapTypeId.ROADMAP
            };
            map = new google.maps.Map(document.getElementById("map"), myOptions);

            // add a click event handler to the map object and get the lat Lng and then place it on the map
            google.maps.event.addListener(map, "click", function(event)
            {
                // place a marker
                placeMarker(event.latLng);

                // display the lat/lng in your form's lat/lng fields
                document.getElementById("latVal").value = event.latLng.lat();
                document.getElementById("lngVal").value = event.latLng.lng();
            });
        }
        // here is the function to place Marker on the map
        function placeMarker(location) {
            // first remove all markers if there are any
            deleteOverlays();

            var marker = new google.maps.Marker({
                position: location,
                map: map
            });

            // add marker in markers array
            markersList.push(marker);

            //map.setCenter(location);
        }

        // Here you can use this function to delete all markers in the array
        function deleteOverlays() {
            if (markersList) {
                for (i in markersList) {
                    markersList[i].setMap(null);
                }
            markersList.length = 0;
            }
        }
    </script>


使用HTML代码,

<body onload="initGMap()">
    <div id="map"></div>
    <input type="text" id="latVal">
    <input type="text" id="lngVal">
</body>

10-04 22:30