Logo Questions Linux Laravel Mysql Ubuntu Git Menu
 

find geographic coordinates in a radius of kilometers

Tags:

java

math

I have a dataset of around 300.000 vectors, randomly placed around the earth using lattitude and longitude. Say that I'm at 51.9167° N, 4.5000° E, how do I find all vectors around me in a radius of, for example, 100km? Plain math is preferred. Java and pseudo code are fine too.

like image 442
sirolf2009 Avatar asked Oct 20 '22 01:10

sirolf2009


1 Answers

Assuming you have a Location class with lat/long and a Collection<Location> you want to process, you can do it like this:

Collection<Location> locations; // filled somewhere
final Location here;

List<Location> within100km = locations.stream()
    .filter(l -> haversine(l.getLatitude(), l.getLongitude(),
      here.getLatitude(), here.getLongitude()) <= 100)
    .collect(Collectors.toList());

public static double haversine(
        double lat1, double lng1, double lat2, double lng2) {
    int r = 6371; // average radius of the earth in km
    double dLat = Math.toRadians(lat2 - lat1);
    double dLon = Math.toRadians(lng2 - lng1);
    double a = Math.sin(dLat / 2) * Math.sin(dLat / 2) +
       Math.cos(Math.toRadians(lat1)) * Math.cos(Math.toRadians(lat2)) 
      * Math.sin(dLon / 2) * Math.sin(dLon / 2);
    double c = 2 * Math.atan2(Math.sqrt(a), Math.sqrt(1 - a));
    double d = r * c;
    return d;
}
like image 192
Bohemian Avatar answered Oct 31 '22 11:10

Bohemian