PHP에서 좌표 간 거리 계산
좌표 간 거리를 정확하게 측정하는 것은 다양한 애플리케이션에 필수적입니다. 이를 계산하는 효율적인 방법 중 하나는 구면 삼각법을 활용하여 구 표면(이 경우 지구)을 따라 최단 거리를 결정하는 Haversine 공식입니다.
PHP에서 Haversine 공식 구현
제공된 PHP 구현은 Haversine 공식을 활용하려고 시도하지만 특정 내용을 포함합니다. 오류:
향상된 Haversine 공식 구현
수정된 PHP 구현은 다음과 같습니다.
class CoordDistance { public $lat_a; public $lon_a; public $lat_b; public $lon_b; public $measure_unit = 'kilometers'; public $measure_state = false; public $measure; public $error; public function DistAB() { $delta_lat = $this->lat_b - $this->lat_a; $delta_lon = $this->lon_b - $this->lon_a; $earth_radius = 6372.795477598; $alpha = $delta_lat / 2; $beta = $delta_lon / 2; $a = sin(deg2rad($alpha)) * sin(deg2rad($alpha)) + cos(deg2rad($this->lat_a)) * cos(deg2rad($this->lat_b)) * sin(deg2rad($beta)) * sin(deg2rad($beta)); $c = asin(min(1, sqrt($a))); $distance = 2 * $earth_radius * $c; $distance = round($distance, 4); $this->measure = $distance; } }
대체 방법: Vincenty 공식
Haversine 공식은 일반적으로 신뢰할 수 있지만 극단적인 거리나 대척점(구에서 서로 정반대에 위치)에서는 약점을 나타낼 수 있습니다. 이러한 시나리오의 경우 Vincenty 공식이 보다 정확한 솔루션을 제공합니다.
/** * Calculates the great-circle distance between two points, using the Vincenty formula. * * @param float $latitudeFrom Latitude of start point in [deg decimal] * @param float $longitudeFrom Longitude of start point in [deg decimal] * @param float $latitudeTo Latitude of target point in [deg decimal] * @param float $longitudeTo Longitude of target point in [deg decimal] * @param float $earthRadius Mean earth radius in [m] * @return float Distance between points in [m] (same as earthRadius) */ public static function vincentyGreatCircleDistance( $latitudeFrom, $longitudeFrom, $latitudeTo, $longitudeTo, $earthRadius = 6371000 ) { // Convert from degrees to radians $latFrom = deg2rad($latitudeFrom); $lonFrom = deg2rad($longitudeFrom); $latTo = deg2rad($latitudeTo); $lonTo = deg2rad($longitudeTo); $lonDelta = $lonTo - $lonFrom; $a = pow(cos($latTo) * sin($lonDelta), 2) + pow(cos($latFrom) * sin($latTo) - sin($latFrom) * cos($latTo) * cos($lonDelta), 2); $b = sin($latFrom) * sin($latTo) + cos($latFrom) * cos($latTo) * cos($lonDelta); $angle = atan2(sqrt($a), $b); return $angle * $earthRadius; }
위 내용은 PHP에서 두 좌표 사이의 거리를 정확하게 계산하는 방법은 무엇입니까?의 상세 내용입니다. 자세한 내용은 PHP 중국어 웹사이트의 기타 관련 기사를 참조하세요!