The following query returns the venues near us (lat: 62.0, lon: 25.0) inside whose radius we fall in ordered by distance:
SELECT *,
earth_distance(ll_to_earth(62.0, 25.0),
ll_to_earth(lat, lon)) AS distance
FROM venues
WHERE earth_distance(ll_to_earth(62.0, 25.0), ll_to_earth(lat, lon)) <= radius
ORDER BY earth_distance(ll_to_earth(62.0, 25.0), ll_to_earth(lat, lon))
Is it possible (and advisable) to re-use the result from earth_distance(ll_to_earth(62.0, 25.0), ll_to_earth(lat, lon))
instead of computing it separately for SELECT, WHERE and ORDER BY clauses?
In the GROUP BY
and ORDER BY
clause you can refer to column aliases (output columns) or even ordinal numbers of SELECT
list items. I quote the manual on ORDER BY
:
Each expression can be the name or ordinal number of an output column (SELECT list item), or it can be an arbitrary expression formed from input-column values.
Bold emphasis mine.
But in the WHERE
and HAVING
clauses, you can only refer to columns from the base tables (input columns), so you have to spell out your function call.
SELECT *, earth_distance(ll_to_earth(62.0, 25.0), ll_to_earth(lat, lon)) AS dist
FROM venues
WHERE earth_distance(ll_to_earth(62.0, 25.0), ll_to_earth(lat, lon)) <= radius
ORDER BY distance;
If you want to know if it's faster to pack the calculation into a CTE or subquery, just test it with EXPLAIN ANALYZE
. (I doubt it.)
SELECT *
FROM (
SELECT *
,earth_distance(ll_to_earth(62.0, 25.0), ll_to_earth(lat, lon)) AS dist
FROM venues
) x
WHERE distance <= radius
ORDER BY distance;
Like @Mike commented, by declaring a function STABLE
(or IMMUTABLE
) you inform the query planner that results from a function call can be reused multiple times for identical calls within a single statement. I quote the manual here:
A STABLE function cannot modify the database and is guaranteed to return the same results given the same arguments for all rows within a single statement. This category allows the optimizer to optimize multiple calls of the function to a single call.
Bold emphasis mine.
While I use MS SQL Server primarily, I'm pretty sure PostgreSQL supports CTEs. Try something like:
WITH CTE_venues AS (
SELECT *, earth_distance(ll_to_earth(62.0, 25.0), ll_to_earth(lat, lon)) AS distance
FROM venues
)
SELECT *
FROM CTE_venues
WHERE distance <= radius
ORDER BY distance
If you love us? You can donate to us via Paypal or buy me a coffee so we can maintain and grow! Thank you!
Donate Us With