The earthdistance extension for Postgres provides functions to calculate great-circle distances between points on the Earth's surface. This is essential for applications requiring geospatial distance calculations, such as location-based services, mapping applications, logistics, and any system that needs to find nearby points or calculate travel distances.
Accuracy and assumptions
The earthdistance extension primarily assumes a spherical Earth model for its calculations, which provides good approximations for many use cases. It relies on the cube extension for some of its underlying operations.
You may consider using the postgis extension if accurate geospatial calculations are critical for your application.
Try it on Neon!
Neon is Serverless Postgres built for the cloud. Explore Postgres features and functions in our user-friendly SQL editor. Sign up for a free account to get started.
Enable the earthdistance extension
To use earthdistance, you first need to enable it and its dependency, the cube extension. You can do this by running the following CREATE EXTENSION statements in the Neon SQL Editor or from a client like psql:
CREATE EXTENSION IF NOT EXISTS cube;
CREATE EXTENSION IF NOT EXISTS earthdistance;Version availability:
Please refer to the list of all extensions available in Neon for up-to-date extension version information.
Core concepts
The earthdistance extension offers two main ways to represent geographic points and calculate distances:
- Using the earthtype: This approach involves converting latitude and longitude coordinates into a specialearthdata type (which is a domain overcube, representing a point in 3D Cartesian coordinates based on a spherical earth model). Distances are calculated in meters.
- Using the native pointtype: This approach uses the built-inpointtype in Postgres, where the first component is longitude and the second is latitude. It provides a specific operator for distance calculation, which returns results in statute miles.
The earth data type and associated functions
- 
earthdata typeRepresents a point on the Earth's surface. It's internally a cubepoint representing a 3D Cartesian coordinate. You don't usually interact with its internal representation directly but use helper functions.
- 
ll_to_earth(latitude double precision, longitude double precision)returnsearthConverts latitude and longitude (in degrees) to an earthdata type value.
- 
earth_distance(p1 earth, p2 earth)returns double precisionCalculates the great-circle distance in meters between two earthpoints.-- Distance between London and Paris SELECT earth_distance( ll_to_earth(51.5074, -0.1278), -- London ll_to_earth(48.8566, 2.3522) -- Paris ) AS distance_meters; -- Output: 343942.5946120387
- 
earth_box(location earth, radius_meters double precision)returnscubeComputes a bounding box (as a cubetype) that encloses all points within the specifiedradius_metersfrom the givenlocation. This is primarily used for optimizing radius searches with GiST indexes.-- Create a bounding box for a 10km radius around London SELECT earth_box(ll_to_earth(51.5074, -0.1278), 10000) AS search_box;When used in queries, you typically use the <@operator from thecubeextension. The<@operator means "is contained by".The expression ll_to_earth(lat, lon) <@ earth_box(center_point_earth, search_radius_meters)checks if the specific geographic point (represented as anearthtype, which is acubepoint) is contained within the square boundingearth_box(also acube).For instance, if point_Aisll_to_earth(51.5, -0.1)(a point in London) andlondon_boxisearth_box(ll_to_earth(51.5074, -0.1278), 10000), thenpoint_A <@ london_boxwould betrue.SELECT ll_to_earth(51.5, -0.1) <@ earth_box(ll_to_earth(51.5074, -0.1278), 10000) AS is_within_box; -- Output: true
Using the point data type
- 
pointdata typeA built-in Postgres type representing a 2D point in Cartesian coordinates. In the context of earthdistance, the first component is longitude and the second is latitude.
- 
point1 <@> point2returns double precisionCalculates the great-circle distance in statute miles between two points. -- Distance between San Francisco (-122.4194 lon, 37.7749 lat) -- and New York (-74.0060 lon, 40.7128 lat) SELECT point '(-122.4194, 37.7749)' <@> point '(-74.0060, 40.7128)' AS distance_miles; -- Output: 2565.6899113306895
Example usage
Now that we've seen the core functions, let's create and populate a sample table to demonstrate practical usage scenarios. This table will store location data with latitude and longitude.
CREATE TABLE locations (
    id SERIAL PRIMARY KEY,
    name TEXT NOT NULL,
    latitude DOUBLE PRECISION NOT NULL,
    longitude DOUBLE PRECISION NOT NULL
);
INSERT INTO locations (name, latitude, longitude) VALUES
  ('San Francisco', 37.7749, -122.4194),
  ('New York', 40.7128, -74.0060),
  ('Los Angeles', 34.0522, -118.2437),
  ('Chicago', 41.8781, -87.6298),
  ('London', 51.5074, -0.1278),
  ('Tokyo', 35.6895, 139.6917),
  ('Sydney', -33.8688, 151.2093);Practical usage scenarios
With our sample locations table, we can now explore common geospatial queries.
Calculating distance between two specific points
Using ll_to_earth() and earth_distance():
SELECT
    a.name AS location_a,
    b.name AS location_b,
    earth_distance(
        ll_to_earth(a.latitude, a.longitude),
        ll_to_earth(b.latitude, b.longitude)
    ) AS distance_meters
FROM locations a, locations b
WHERE a.name = 'San Francisco' AND b.name = 'New York';Output:
| location_a    | location_b | distance_meters     |
|---------------|------------|---------------------|
| San Francisco | New York   | 4133731.792059527   |Finding locations within a given radius
Find all locations within 8000 kilometers of London using the earth type functions.
SELECT
    name,
    earth_distance(
        ll_to_earth(latitude, longitude),
        ll_to_earth(51.5074, -0.1278) -- London's coordinates
    ) / 1000.0 AS distance_from_london_km -- Convert meters to km
FROM locations
WHERE earth_distance(
        ll_to_earth(latitude, longitude),
        ll_to_earth(51.5074, -0.1278)
    ) < 8000 * 1000 -- Radius in meters
ORDER BY distance_from_london_km;Output:
| name          | distance_from_london_km |
|---------------|-------------------------|
| London        | 0.0                     |
| New York      | 5576.4892261332425      |
| Chicago       | 6360.125481207209       |Indexing for performance
For applications with many locations that require frequent radius searches or nearest-neighbor queries, indexing is crucial. GiST indexes are used with the earth type functions (ll_to_earth, earth_box).
- 
Create a GiST index on the earthrepresentation of your coordinates: This index will be on the result of thell_to_earth()function applied to your latitude and longitude columns.CREATE INDEX locations_earth_coords_idx ON locations USING GIST (ll_to_earth(latitude, longitude));
- 
Perform an indexed radius search: Let's find locations within 1000 km of San Francisco (37.7749° N, -122.4194° W).SELECT name, earth_distance( ll_to_earth(latitude, longitude), ll_to_earth(37.7749, -122.4194) ) / 1000.0 AS distance_from_sf_km FROM locations WHERE -- This part uses the GiST index for a fast coarse filter ll_to_earth(latitude, longitude) <@ earth_box(ll_to_earth(37.7749, -122.4194), 1000 * 1000) -- Radius in meters -- This part is the exact distance check for refinement (necessary as earth_box is a square) AND earth_distance( ll_to_earth(latitude, longitude), ll_to_earth(37.7749, -122.4194) ) < 1000 * 1000 -- Radius in meters ORDER BY distance_from_sf_km;Explanation of the indexed query: - The ll_to_earth(latitude, longitude) <@ earth_box(...)condition uses the GiST index. Theearth_boxfunction creates a square bounding box. The index quickly finds points whoseearthrepresentation falls within this box.
- The second condition, earth_distance(...) < radius, is crucial. It performs the precise great-circle distance calculation for the candidate rows selected by the index, filtering them to the exact circular radius. This is because theearth_boxprovides a rough filter, and theearth_distanceprovides the exact filter.
 
- The 
Conclusion
The earthdistance extension is a powerful and convenient tool in Postgres for applications dealing with geographic locations. It simplifies the calculation of great-circle distances, enabling features like location-based searching and distance filtering directly within your database. By understanding its core functions, data representations, and how to leverage GiST indexing, you can build efficient and effective geospatial queries.
Resources
- PostgreSQL official documentation:
- Cube extension
- Greater-circle distance
Need help?
Join our Discord Server to ask questions or see what others are doing with Neon. For paid plan support options, see Support.