0

我正在尝试使用 JSON 在 Google 地图上放置多个标记,并将 InfoWindows 绑定到每个标记。不幸的是,只出现了一个标记,即 JSON 中的最后一个值。不会显示其他标记,并且漫画气球样式的箭头不会出现在信息窗口的尾部。已经尝试了很长时间来解决这个问题,但似乎没有任何效果。

这是代码:

var stories = {{story_Json|safe}};

var map;


function loadMarkers(stories){
    for (i=0;i<stories.length;i++) {
        var story = stories[i];
        var point = new google.maps.LatLng(story.latitude, story.longitude);
        var marker = new google.maps.Marker({position: point, map: map});
        var infowindow = new google.maps.InfoWindow({
            content: '<div >'+
                '<div >'+
                '</div>'+
                '<h2 class="firstHeading">'+story.headline+'</h2>'+
                '<div>'+
                '<p>'+story.copy+'</p>'+

                '</div>'+
                '</div>'

        });
        google.maps.event.addListener(marker, 'click', function() {
          infowindow.open(map,marker);
        });

    }
}


 function mainMap(position)
 {
       // Define the coordinates as a Google Maps LatLng Object
       var coords = new google.maps.LatLng(position.coords.latitude, position.coords.longitude);

       // Prepare the map options
       var mapOptions =
      {
                  zoom: 15,
                  center: coords,
                  mapTypeControl: false,
                  navigationControlOptions: {style: google.maps.NavigationControlStyle.SMALL},
                  mapTypeId: google.maps.MapTypeId.ROADMAP
        };

        // Create the map, and place it in the map_canvas div
        map = new google.maps.Map(document.getElementById("map_canvas"), mapOptions);

        // Place the initial marker
        var marker = new google.maps.Marker({
                  position: coords,
                  map: map,
                  title: "Your current location!"
        });

        loadMarkers(stories);

    }

对这些问题的任何见解都非常感谢。

4

1 回答 1

1

InfoWindow 使用 i 的最后一个值保持引用(因为循环结束,我们看到 JSON 的最后一个值)。这与 Javascript 中的函数作用域而不是块作用域有关。

获得所需结果的一种方法是引入一个新story的来引用每个信息窗口的故事的每个值。这可以通过一个新的匿名函数作用域来完成:

function loadMarkers(stories){
    for (i=0;i<stories.length;i++) {
        var story = stories[i];

        (function(story) {
          var point = new google.maps.LatLng(story.latitude, story.longitude);
          var marker = new google.maps.Marker({position: point, map: map});
          var infowindow = new google.maps.InfoWindow({
            content: '<div >'+
                '<div >'+
                '</div>'+
                '<h2 class="firstHeading">'+story.headline+'</h2>'+
                '<div>'+
                '<p>'+story.copy+'</p>'+

                '</div>'+
                '</div>'

          });
          google.maps.event.addListener(marker, 'click', function() {
            infowindow.open(map,this);
          });
        })(story);
    }
}

忘记了信息窗口箭头,它是否显示不正确,例如模糊或变形?也许这是一个 CSS 的东西,添加这些行可能会对你有所帮助。

#map_canvas label { width: auto; display:inline; }
#map_canvas img { max-width: none; max-height: none; }
于 2012-06-08T16:16:09.423 回答