2011-08-12 122 views
8

如何根據Google地圖縮放級別改變圖標高度&寬度?根據縮放級別更改圖標

我正在使用Google Maps API v3。

+0

莫名其妙地處理一些onzoom事件,然後只是改變圖標?不知道,不要與v3一起工作... – TMS

回答

6

您應該可以根據the docs在縮放更改上添加偵聽器。它不會傳遞任何東西,但你可以通過api獲取屬性。

google.maps.event.addListener(map, 'zoom_changed', function() { 
    zoomLevel = map.getZoom(); 
    //this is where you will do your icon height and width change.  
    }); 
+0

但是,如何更改圖標的寬度和高度? – CamelCamelCamel

+0

你試圖更改哪個圖標? –

+0

我在數組中有很多標記。 – CamelCamelCamel

8

這是我最終使用的代碼:

google.maps.event.addListener(google_map, 'zoom_changed', function() { 
    var z = google_map.getZoom(); 

    _.each(map_shapes, function(s) { 

     if (! $.isFunction(s.shape.getPosition)) return; 

     var w = s.shape.getIcon().size.width; 
     var h = s.shape.getIcon().size.height; 

     s.shape.setIcon(new google.maps.MarkerImage(
      s.shape.getIcon().url, null, null, null, new google.maps.Size(
       w - Math.round(w/3 * (last_zoom - z)), 
       h - Math.round(h/3 * (last_zoom - z))) 
      ) 
     ); 

    }); 

    last_zoom = z; 
}); 
+0

只是一個註釋,確保你的新寬度和高度不低於0,否則你會得到一些討厭的javascript錯誤:)總是確保圖標的寬度和高度至少爲1 – Radek

+0

這個答案應該被接受。 – Andrey

+0

從Google Maps API 3.11開始,現在'MarkerImage'只是'Icon'。你有命名對象的字段,例如'scaledSize',這很酷。請參閱:https://developers.google.com/maps/documentation/javascript/markers#complex_icons – andi

3

此代碼將改變每個縮放級別變化,使圖標顯示爲相同的地理大小時圖標的大小。

//create a marker image with the path to your graphic and the size of your graphic 
var markerImage = new google.maps.MarkerImage(
    'myIcon.png', 
    new google.maps.Size(8,8), //size 
    null, //origin 
    null, //anchor 
    new google.maps.Size(8,8) //scale 
); 

var marker = new google.maps.Marker({ 
    position: new google.maps.LatLng(38, -98), 
    map: map, 
    icon: markerImage //set the markers icon to the MarkerImage 
}); 

//when the map zoom changes, resize the icon based on the zoom level so the marker covers the same geographic area 
google.maps.event.addListener(map, 'zoom_changed', function() { 

    var pixelSizeAtZoom0 = 8; //the size of the icon at zoom level 0 
    var maxPixelSize = 350; //restricts the maximum size of the icon, otherwise the browser will choke at higher zoom levels trying to scale an image to millions of pixels 

    var zoom = map.getZoom(); 
    var relativePixelSize = Math.round(pixelSizeAtZoom0*Math.pow(2,zoom)); // use 2 to the power of current zoom to calculate relative pixel size. Base of exponent is 2 because relative size should double every time you zoom in 

    if(relativePixelSize > maxPixelSize) //restrict the maximum size of the icon 
     relativePixelSize = maxPixelSize; 

    //change the size of the icon 
    marker.setIcon(
     new google.maps.MarkerImage(
      marker.getIcon().url, //marker's same icon graphic 
      null,//size 
      null,//origin 
      null, //anchor 
      new google.maps.Size(relativePixelSize, relativePixelSize) //changes the scale 
     ) 
    );   
}); 
相關問題