Golang : How to calculate the distance between two coordinates using Haversine formula
I need to develop a service that calculate the distances of my current location to several points nearby. Each of the locations are represented by coordinates and my service will pick the 3 nearest points and select one of them. So, how to calculate the distances of my current location to each and every points?
Below is a simple example using the Haversine formula to calculate the distance between 2 coordinates.
Here you go!
package main
import (
"fmt"
"math"
)
type Coordinates struct {
Latitude float64
Longitude float64
}
const radius = 6371 // Earth's mean radius in kilometers
func degrees2radians(degrees float64) float64 {
return degrees * math.Pi / 180
}
func (origin Coordinates) Distance(destination Coordinates) float64 {
degreesLat := degrees2radians(destination.Latitude - origin.Latitude)
degreesLong := degrees2radians(destination.Longitude - origin.Longitude)
a := (math.Sin(degreesLat/2)*math.Sin(degreesLat/2) +
math.Cos(degrees2radians(origin.Latitude))*
math.Cos(degrees2radians(destination.Latitude))*math.Sin(degreesLong/2)*
math.Sin(degreesLong/2))
c := 2 * math.Atan2(math.Sqrt(a), math.Sqrt(1-a))
d := radius * c
return d
}
func main() {
pointA := Coordinates{2.990353, 101.533913}
pointB := Coordinates{2.960148, 101.577888}
fmt.Println("Point A : ", pointA)
fmt.Println("Point B : ", pointB)
distance := pointA.Distance(pointB)
fmt.Printf("The distance from point A to point B is %.2f kilometers.\n", distance)
}
Sample output:
Point A : {2.990353 101.533913}
Point B : {2.960148 101.577888}
The distance from point A to point B is 5.93 kilometers.
References :
See also : Golang : Find location by IP address and display with Google Map
By Adam Ng(黃武俊)
IF you gain some knowledge or the information here solved your programming problem. Please consider donating to the less fortunate or some charities that you like. Apart from donation, planting trees, volunteering or reducing your carbon footprint will be great too.
Advertisement
Tutorials
+25k Golang : Convert long hexadecimal with strconv.ParseUint example
+5.5k Golang : Struct field tags and what is their purpose?
+18.5k Golang : Delete duplicate items from a slice/array
+7.3k SSL : How to check if current certificate is sha1 or sha2 from command line
+9.1k Golang : Timeout example
+12k Golang : Flush and close file created by os.Create and bufio.NewWriter example
+10.3k Golang : Get local time and equivalent time in different time zone
+47.6k Golang : How to convert JSON string to map and slice
+12k Golang : Simple client-server HMAC authentication without SSL example
+14k Golang : Convert IP version 6 address to integer or decimal number
+6.2k Golang : Break string into a slice of characters example
+54.8k Golang : Unmarshal JSON from http response