住所のある場所のデータベースがあり、Googleマップにマーカーを追加したい。
デフォルトのマーカーのみを表示します。geocoder.geocode()は何もしないようです。たとえば、「New York City」にマーカーを追加しようとしていますが、成功しません。
<script>
var geocoder;
var map;
var address = "new york city";
geocoder = new google.maps.Geocoder();
function initMap() {
var uluru = { lat: -25.363, lng: 131.044 };
var map = new google.maps.Map(document.getElementById('map'), {
zoom: 4,
center: uluru
});
var marker = new google.maps.Marker({
position: uluru,
map: map
});
codeAddress(address);
}
function codeAddress(address) {
geocoder.geocode({ 'address': address }, function (results, status) {
if (status == 'OK') {
var marker = new google.maps.Marker({
position: address,
map: map
});
} else {
alert('Geocode was not successful for the following reason: ' + status);
}
});
}
</script>
<script src="https://maps.googleapis.com/maps/api/js?key=XXX&callback=initMap"
async defer></script>
期待した結果が得られない理由は、提供した例に誤ったコード配置があるためです。 Google Mapsが完全にロードされる前に、Google Maps API Geocoderの新しいインスタンスを取得しようとしています。したがって、Google Maps API Geocoderはこのため動作しませんUncaught ReferenceError:google is not defined。 initMap()関数内でGoogle Maps API Geocoderの新しいインスタンスを取得する必要があります。
詳細については、Maps JavaScript API Geocodingを確認してください。
住所のジオコーディング時のベストプラクティスも確認できます。
また、Google Maps APi関連の質問を投稿するときは、API_KEYを含めないでください。
コード全体は次のとおりです。
<!DOCTYPE html>
<html>
<head>
<title>Geocoding service</title>
<meta name="viewport" content="initial-scale=1.0, user-scalable=no">
<meta charset="utf-8">
<style>
/* Always set the map height explicitly to define the size of the div
* element that contains the map. */
#map {
height: 100%;
}
/* Optional: Makes the sample page fill the window. */
html, body {
height: 100%;
margin: 0;
padding: 0;
}
</style>
</head>
<body>
<div id="map"></div>
<script>
var geocoder;
var map;
var address = "new york city";
function initMap() {
var map = new google.maps.Map(document.getElementById('map'), {
zoom: 8,
center: {lat: -34.397, lng: 150.644}
});
geocoder = new google.maps.Geocoder();
codeAddress(geocoder, map);
}
function codeAddress(geocoder, map) {
geocoder.geocode({'address': address}, function(results, status) {
if (status === 'OK') {
map.setCenter(results[0].geometry.location);
var marker = new google.maps.Marker({
map: map,
position: results[0].geometry.location
});
} else {
alert('Geocode was not successful for the following reason: ' + status);
}
});
}
</script>
<script async defer
src="https://maps.googleapis.com/maps/api/js?key=YOUR_API_KEY&callback=initMap">
</script>
</body>
</html>
ライブデモここ.
それが役に立てば幸い!