web-dev-qa-db-ja.com

JavaScriptで既知の場所までの距離を見つける方法

ブラウザでJavaScriptを使用して、現在の場所から、緯度と経度がある別の場所までの距離をどのように判断できますか?

17
Dalee

コードがブラウザーで実行される場合は、HTML5ジオロケーションAPIを使用できます。

window.navigator.geolocation.getCurrentPosition(function(pos) { 
  console.log(pos); 
  var lat = pos.coords.latitude;
  var lon = pos.coords.longitude;
})

現在の位置と「ターゲット」の位置がわかったら、次の質問に記載されている方法でそれらの間の距離を計算できます: 2つの緯度経度の点の間の距離を計算しますか? (ハバシン式)

したがって、完全なスクリプトは次のようになります。

function distance(lon1, lat1, lon2, lat2) {
  var R = 6371; // Radius of the earth in km
  var dLat = (lat2-lat1).toRad();  // Javascript functions in radians
  var dLon = (lon2-lon1).toRad(); 
  var a = Math.sin(dLat/2) * Math.sin(dLat/2) +
          Math.cos(lat1.toRad()) * Math.cos(lat2.toRad()) * 
          Math.sin(dLon/2) * Math.sin(dLon/2); 
  var c = 2 * Math.atan2(Math.sqrt(a), Math.sqrt(1-a)); 
  var d = R * c; // Distance in km
  return d;
}

/** Converts numeric degrees to radians */
if (typeof(Number.prototype.toRad) === "undefined") {
  Number.prototype.toRad = function() {
    return this * Math.PI / 180;
  }
}

window.navigator.geolocation.getCurrentPosition(function(pos) {
  console.log(pos); 
  console.log(
    distance(pos.coords.longitude, pos.coords.latitude, 42.37, 71.03)
  ); 
});

どうやら私は現在、マサチューセッツ州ボストンの中心から6643メートルのところにあります(これがハードコードされた2番目の場所です)。

詳細については、次のリンクを参照してください。

43