Last active
February 5, 2024 16:56
-
-
Save OdinsPlasmaRifle/34fe62dd0da0ba3e2ec980dd80692edd to your computer and use it in GitHub Desktop.
Haversine formula in Django using Postgres SQL
This file contains bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
from django.db import models, connection | |
""" | |
Haversine formula in Django using Postgres SQL | |
Queries a model for all rows that are within a certain radius (given in meters) of a central point. | |
The 'location_model' placeholder should be raplaced with the name of the table (full name) that includes a latitude and longitude column. | |
The latitude and longitude columns should be decimal fields. | |
Returns a list of row ids. | |
""" | |
class LocationManager(models.Manager): | |
def in_range(self, latitude, longitude, radius, results=100): | |
unit = 6371 # Distance unit (kms) | |
radius = float(radius) / 1000.0 # Distance radius convert m to km | |
latitude = float(latitude) # Central point latitude | |
longitude = float(longitude) # Central point longitude | |
sql = """SELECT id FROM | |
(SELECT id, latitude, longitude, ({unit} * acos(CAST((cos(radians({latitude})) * cos(radians(latitude)) * | |
cos(radians(longitude) - radians({longitude})) + | |
sin(radians({latitude})) * sin(radians(latitude))) AS DECIMAL))) | |
AS distance | |
FROM location_model) AS distances | |
WHERE distance < {radius} | |
ORDER BY distance | |
OFFSET 0 | |
LIMIT {results};""".format(unit=unit, latitude=latitude, longitude=longitude, radius=radius, results=results) | |
cursor = connection.cursor() | |
cursor.execute(sql) | |
ids = [row[0] for row in cursor.fetchall()] | |
return ids |
Sign up for free
to join this conversation on GitHub.
Already have an account?
Sign in to comment
thanks