1 # SPDX-License-Identifier: GPL-3.0-or-later
3 # This file is part of Nominatim. (https://nominatim.org)
5 # Copyright (C) 2023 by the Nominatim developer community.
6 # For a full list of authors see the git log.
8 Implementation of the acutal database accesses for forward search.
10 from typing import List, Tuple, AsyncIterator, Dict, Any, Callable
13 import sqlalchemy as sa
14 from sqlalchemy.dialects.postgresql import ARRAY, array_agg
16 from nominatim.typing import SaFromClause, SaScalarSelect, SaColumn, \
17 SaExpression, SaSelect, SaLambdaSelect, SaRow, SaBind
18 from nominatim.api.connection import SearchConnection
19 from nominatim.api.types import SearchDetails, DataLayer, GeometryFormat, Bbox
20 import nominatim.api.results as nres
21 from nominatim.api.search.db_search_fields import SearchData, WeightedCategories
22 from nominatim.db.sqlalchemy_types import Geometry
24 #pylint: disable=singleton-comparison,not-callable
25 #pylint: disable=too-many-branches,too-many-arguments,too-many-locals,too-many-statements
27 def no_index(expr: SaColumn) -> SaColumn:
28 """ Wrap the given expression, so that the query planner will
29 refrain from using the expression for index lookup.
31 return sa.func.coalesce(sa.null(), expr) # pylint: disable=not-callable
34 def _details_to_bind_params(details: SearchDetails) -> Dict[str, Any]:
35 """ Create a dictionary from search parameters that can be used
36 as bind parameter for SQL execute.
38 return {'limit': details.max_results,
39 'min_rank': details.min_rank,
40 'max_rank': details.max_rank,
41 'viewbox': details.viewbox,
42 'viewbox2': details.viewbox_x2,
44 'near_radius': details.near_radius,
45 'excluded': details.excluded,
46 'countries': details.countries}
49 LIMIT_PARAM: SaBind = sa.bindparam('limit')
50 MIN_RANK_PARAM: SaBind = sa.bindparam('min_rank')
51 MAX_RANK_PARAM: SaBind = sa.bindparam('max_rank')
52 VIEWBOX_PARAM: SaBind = sa.bindparam('viewbox', type_=Geometry)
53 VIEWBOX2_PARAM: SaBind = sa.bindparam('viewbox2', type_=Geometry)
54 NEAR_PARAM: SaBind = sa.bindparam('near', type_=Geometry)
55 NEAR_RADIUS_PARAM: SaBind = sa.bindparam('near_radius')
56 COUNTRIES_PARAM: SaBind = sa.bindparam('countries')
58 def _within_near(t: SaFromClause) -> Callable[[], SaExpression]:
59 return lambda: t.c.geometry.ST_DWithin(NEAR_PARAM, NEAR_RADIUS_PARAM)
61 def _exclude_places(t: SaFromClause) -> Callable[[], SaExpression]:
62 return lambda: t.c.place_id.not_in(sa.bindparam('excluded'))
64 def _select_placex(t: SaFromClause) -> SaSelect:
65 return sa.select(t.c.place_id, t.c.osm_type, t.c.osm_id, t.c.name,
67 t.c.address, t.c.extratags,
68 t.c.housenumber, t.c.postcode, t.c.country_code,
69 t.c.importance, t.c.wikipedia,
70 t.c.parent_place_id, t.c.rank_address, t.c.rank_search,
71 t.c.linked_place_id, t.c.admin_level,
73 t.c.geometry.ST_Expand(0).label('bbox'))
76 def _add_geometry_columns(sql: SaLambdaSelect, col: SaColumn, details: SearchDetails) -> SaSelect:
79 if details.geometry_simplification > 0.0:
80 col = sa.func.ST_SimplifyPreserveTopology(col, details.geometry_simplification)
82 if details.geometry_output & GeometryFormat.GEOJSON:
83 out.append(sa.func.ST_AsGeoJSON(col, 7).label('geometry_geojson'))
84 if details.geometry_output & GeometryFormat.TEXT:
85 out.append(sa.func.ST_AsText(col).label('geometry_text'))
86 if details.geometry_output & GeometryFormat.KML:
87 out.append(sa.func.ST_AsKML(col, 7).label('geometry_kml'))
88 if details.geometry_output & GeometryFormat.SVG:
89 out.append(sa.func.ST_AsSVG(col, 0, 7).label('geometry_svg'))
91 return sql.add_columns(*out)
94 def _make_interpolation_subquery(table: SaFromClause, inner: SaFromClause,
95 numerals: List[int], details: SearchDetails) -> SaScalarSelect:
96 all_ids = array_agg(table.c.place_id) # type: ignore[no-untyped-call]
97 sql = sa.select(all_ids).where(table.c.parent_place_id == inner.c.place_id)
99 if len(numerals) == 1:
100 sql = sql.where(sa.between(numerals[0], table.c.startnumber, table.c.endnumber))\
101 .where((numerals[0] - table.c.startnumber) % table.c.step == 0)
103 sql = sql.where(sa.or_(
104 *(sa.and_(sa.between(n, table.c.startnumber, table.c.endnumber),
105 (n - table.c.startnumber) % table.c.step == 0)
109 sql = sql.where(_exclude_places(table))
111 return sql.scalar_subquery()
114 def _filter_by_layer(table: SaFromClause, layers: DataLayer) -> SaColumn:
115 orexpr: List[SaExpression] = []
116 if layers & DataLayer.ADDRESS and layers & DataLayer.POI:
117 orexpr.append(no_index(table.c.rank_address).between(1, 30))
118 elif layers & DataLayer.ADDRESS:
119 orexpr.append(no_index(table.c.rank_address).between(1, 29))
120 orexpr.append(sa.and_(no_index(table.c.rank_address) == 30,
121 sa.or_(table.c.housenumber != None,
122 table.c.address.has_key('addr:housename'))))
123 elif layers & DataLayer.POI:
124 orexpr.append(sa.and_(no_index(table.c.rank_address) == 30,
125 table.c.class_.not_in(('place', 'building'))))
127 if layers & DataLayer.MANMADE:
129 if not layers & DataLayer.RAILWAY:
130 exclude.append('railway')
131 if not layers & DataLayer.NATURAL:
132 exclude.extend(('natural', 'water', 'waterway'))
133 orexpr.append(sa.and_(table.c.class_.not_in(tuple(exclude)),
134 no_index(table.c.rank_address) == 0))
137 if layers & DataLayer.RAILWAY:
138 include.append('railway')
139 if layers & DataLayer.NATURAL:
140 include.extend(('natural', 'water', 'waterway'))
141 orexpr.append(sa.and_(table.c.class_.in_(tuple(include)),
142 no_index(table.c.rank_address) == 0))
147 return sa.or_(*orexpr)
150 def _interpolated_position(table: SaFromClause, nr: SaColumn) -> SaColumn:
151 pos = sa.cast(nr - table.c.startnumber, sa.Float) / (table.c.endnumber - table.c.startnumber)
153 (table.c.endnumber == table.c.startnumber, table.c.linegeo.ST_Centroid()),
154 else_=table.c.linegeo.ST_LineInterpolatePoint(pos)).label('centroid')
157 async def _get_placex_housenumbers(conn: SearchConnection,
158 place_ids: List[int],
159 details: SearchDetails) -> AsyncIterator[nres.SearchResult]:
161 sql = _select_placex(t).where(t.c.place_id.in_(place_ids))
163 if details.geometry_output:
164 sql = _add_geometry_columns(sql, t.c.geometry, details)
166 for row in await conn.execute(sql):
167 result = nres.create_from_placex_row(row, nres.SearchResult)
169 result.bbox = Bbox.from_wkb(row.bbox)
173 async def _get_osmline(conn: SearchConnection, place_ids: List[int],
175 details: SearchDetails) -> AsyncIterator[nres.SearchResult]:
177 values = sa.values(sa.Column('nr', sa.Integer()), name='housenumber')\
178 .data([(n,) for n in numerals])
179 sql = sa.select(t.c.place_id, t.c.osm_id,
180 t.c.parent_place_id, t.c.address,
181 values.c.nr.label('housenumber'),
182 _interpolated_position(t, values.c.nr),
183 t.c.postcode, t.c.country_code)\
184 .where(t.c.place_id.in_(place_ids))\
185 .join(values, values.c.nr.between(t.c.startnumber, t.c.endnumber))
187 if details.geometry_output:
189 sql = _add_geometry_columns(sa.select(sub), sub.c.centroid, details)
191 for row in await conn.execute(sql):
192 result = nres.create_from_osmline_row(row, nres.SearchResult)
197 async def _get_tiger(conn: SearchConnection, place_ids: List[int],
198 numerals: List[int], osm_id: int,
199 details: SearchDetails) -> AsyncIterator[nres.SearchResult]:
201 values = sa.values(sa.Column('nr', sa.Integer()), name='housenumber')\
202 .data([(n,) for n in numerals])
203 sql = sa.select(t.c.place_id, t.c.parent_place_id,
204 sa.literal('W').label('osm_type'),
205 sa.literal(osm_id).label('osm_id'),
206 values.c.nr.label('housenumber'),
207 _interpolated_position(t, values.c.nr),
209 .where(t.c.place_id.in_(place_ids))\
210 .join(values, values.c.nr.between(t.c.startnumber, t.c.endnumber))
212 if details.geometry_output:
214 sql = _add_geometry_columns(sa.select(sub), sub.c.centroid, details)
216 for row in await conn.execute(sql):
217 result = nres.create_from_tiger_row(row, nres.SearchResult)
222 class AbstractSearch(abc.ABC):
223 """ Encapuslation of a single lookup in the database.
226 def __init__(self, penalty: float) -> None:
227 self.penalty = penalty
230 async def lookup(self, conn: SearchConnection,
231 details: SearchDetails) -> nres.SearchResults:
232 """ Find results for the search in the database.
236 class NearSearch(AbstractSearch):
237 """ Category search of a place type near the result of another search.
239 def __init__(self, penalty: float, categories: WeightedCategories,
240 search: AbstractSearch) -> None:
241 super().__init__(penalty)
243 self.categories = categories
246 async def lookup(self, conn: SearchConnection,
247 details: SearchDetails) -> nres.SearchResults:
248 """ Find results for the search in the database.
250 results = nres.SearchResults()
251 base = await self.search.lookup(conn, details)
256 base.sort(key=lambda r: (r.accuracy, r.rank_search))
257 max_accuracy = base[0].accuracy + 0.5
258 base = nres.SearchResults(r for r in base if r.source_table == nres.SourceTable.PLACEX
259 and r.accuracy <= max_accuracy
260 and r.bbox and r.bbox.area < 20)
263 baseids = [b.place_id for b in base[:5] if b.place_id]
265 for category, penalty in self.categories:
266 await self.lookup_category(results, conn, baseids, category, penalty, details)
267 if len(results) >= details.max_results:
273 async def lookup_category(self, results: nres.SearchResults,
274 conn: SearchConnection, ids: List[int],
275 category: Tuple[str, str], penalty: float,
276 details: SearchDetails) -> None:
277 """ Find places of the given category near the list of
278 place ids and add the results to 'results'.
280 table = await conn.get_class_table(*category)
282 tgeom = conn.t.placex.alias('pgeom')
285 # No classtype table available, do a simplified lookup in placex.
286 table = conn.t.placex.alias('inner')
287 sql = sa.select(table.c.place_id,
288 sa.func.min(tgeom.c.centroid.ST_Distance(table.c.centroid))
290 .join(tgeom, table.c.geometry.intersects(tgeom.c.centroid.ST_Expand(0.01)))\
291 .where(table.c.class_ == category[0])\
292 .where(table.c.type == category[1])
294 # Use classtype table. We can afford to use a larger
295 # radius for the lookup.
296 sql = sa.select(table.c.place_id,
297 sa.func.min(tgeom.c.centroid.ST_Distance(table.c.centroid))
300 table.c.centroid.ST_CoveredBy(
301 sa.case((sa.and_(tgeom.c.rank_address > 9,
302 tgeom.c.geometry.is_area()),
304 else_ = tgeom.c.centroid.ST_Expand(0.05))))
306 inner = sql.where(tgeom.c.place_id.in_(ids))\
307 .group_by(table.c.place_id).subquery()
310 sql = _select_placex(t).join(inner, inner.c.place_id == t.c.place_id)\
311 .order_by(inner.c.dist)
313 sql = sql.where(no_index(t.c.rank_address).between(MIN_RANK_PARAM, MAX_RANK_PARAM))
314 if details.countries:
315 sql = sql.where(t.c.country_code.in_(COUNTRIES_PARAM))
317 sql = sql.where(_exclude_places(t))
318 if details.layers is not None:
319 sql = sql.where(_filter_by_layer(t, details.layers))
321 sql = sql.limit(LIMIT_PARAM)
322 for row in await conn.execute(sql, _details_to_bind_params(details)):
323 result = nres.create_from_placex_row(row, nres.SearchResult)
325 result.accuracy = self.penalty + penalty
326 result.bbox = Bbox.from_wkb(row.bbox)
327 results.append(result)
331 class PoiSearch(AbstractSearch):
332 """ Category search in a geographic area.
334 def __init__(self, sdata: SearchData) -> None:
335 super().__init__(sdata.penalty)
336 self.qualifiers = sdata.qualifiers
337 self.countries = sdata.countries
340 async def lookup(self, conn: SearchConnection,
341 details: SearchDetails) -> nres.SearchResults:
342 """ Find results for the search in the database.
344 bind_params = _details_to_bind_params(details)
347 rows: List[SaRow] = []
349 if details.near and details.near_radius is not None and details.near_radius < 0.2:
350 # simply search in placex table
351 def _base_query() -> SaSelect:
352 return _select_placex(t) \
353 .where(t.c.linked_place_id == None) \
354 .where(t.c.geometry.ST_DWithin(NEAR_PARAM, NEAR_RADIUS_PARAM)) \
355 .order_by(t.c.centroid.ST_Distance(NEAR_PARAM)) \
358 classtype = self.qualifiers.values
359 if len(classtype) == 1:
360 cclass, ctype = classtype[0]
361 sql: SaLambdaSelect = sa.lambda_stmt(lambda: _base_query()
362 .where(t.c.class_ == cclass)
363 .where(t.c.type == ctype))
365 sql = _base_query().where(sa.or_(*(sa.and_(t.c.class_ == cls, t.c.type == typ)
366 for cls, typ in classtype)))
369 sql = sql.where(t.c.country_code.in_(self.countries.values))
371 if details.viewbox is not None and details.bounded_viewbox:
372 sql = sql.where(t.c.geometry.intersects(VIEWBOX_PARAM))
374 rows.extend(await conn.execute(sql, bind_params))
376 # use the class type tables
377 for category in self.qualifiers.values:
378 table = await conn.get_class_table(*category)
379 if table is not None:
380 sql = _select_placex(t)\
381 .join(table, t.c.place_id == table.c.place_id)\
382 .where(t.c.class_ == category[0])\
383 .where(t.c.type == category[1])
385 if details.viewbox is not None and details.bounded_viewbox:
386 sql = sql.where(table.c.centroid.intersects(VIEWBOX_PARAM))
388 if details.near and details.near_radius is not None:
389 sql = sql.order_by(table.c.centroid.ST_Distance(NEAR_PARAM))\
390 .where(table.c.centroid.ST_DWithin(NEAR_PARAM,
394 sql = sql.where(t.c.country_code.in_(self.countries.values))
396 sql = sql.limit(LIMIT_PARAM)
397 rows.extend(await conn.execute(sql, bind_params))
399 results = nres.SearchResults()
401 result = nres.create_from_placex_row(row, nres.SearchResult)
403 result.accuracy = self.penalty + self.qualifiers.get_penalty((row.class_, row.type))
404 result.bbox = Bbox.from_wkb(row.bbox)
405 results.append(result)
410 class CountrySearch(AbstractSearch):
411 """ Search for a country name or country code.
413 def __init__(self, sdata: SearchData) -> None:
414 super().__init__(sdata.penalty)
415 self.countries = sdata.countries
418 async def lookup(self, conn: SearchConnection,
419 details: SearchDetails) -> nres.SearchResults:
420 """ Find results for the search in the database.
424 ccodes = self.countries.values
425 sql = _select_placex(t)\
426 .where(t.c.country_code.in_(ccodes))\
427 .where(t.c.rank_address == 4)
429 if details.geometry_output:
430 sql = _add_geometry_columns(sql, t.c.geometry, details)
433 sql = sql.where(_exclude_places(t))
435 if details.viewbox is not None and details.bounded_viewbox:
436 sql = sql.where(lambda: t.c.geometry.intersects(VIEWBOX_PARAM))
438 if details.near is not None and details.near_radius is not None:
439 sql = sql.where(_within_near(t))
441 results = nres.SearchResults()
442 for row in await conn.execute(sql, _details_to_bind_params(details)):
443 result = nres.create_from_placex_row(row, nres.SearchResult)
445 result.accuracy = self.penalty + self.countries.get_penalty(row.country_code, 5.0)
446 result.bbox = Bbox.from_wkb(row.bbox)
447 results.append(result)
449 return results or await self.lookup_in_country_table(conn, details)
452 async def lookup_in_country_table(self, conn: SearchConnection,
453 details: SearchDetails) -> nres.SearchResults:
454 """ Look up the country in the fallback country tables.
456 # Avoid the fallback search when this is a more search. Country results
457 # usually are in the first batch of results and it is not possible
458 # to exclude these fallbacks.
460 return nres.SearchResults()
462 t = conn.t.country_name
463 tgrid = conn.t.country_grid
465 sql = sa.select(tgrid.c.country_code,
466 tgrid.c.geometry.ST_Centroid().ST_Collect().ST_Centroid()
468 tgrid.c.geometry.ST_Collect().ST_Expand(0).label('bbox'))\
469 .where(tgrid.c.country_code.in_(self.countries.values))\
470 .group_by(tgrid.c.country_code)
472 if details.viewbox is not None and details.bounded_viewbox:
473 sql = sql.where(tgrid.c.geometry.intersects(VIEWBOX_PARAM))
474 if details.near is not None and details.near_radius is not None:
475 sql = sql.where(_within_near(tgrid))
477 sub = sql.subquery('grid')
479 sql = sa.select(t.c.country_code,
481 + sa.func.coalesce(t.c.derived_name,
482 sa.cast('', type_=conn.t.types.Composite))
484 sub.c.centroid, sub.c.bbox)\
485 .join(sub, t.c.country_code == sub.c.country_code)
487 if details.geometry_output:
488 sql = _add_geometry_columns(sql, sub.c.centroid, details)
490 results = nres.SearchResults()
491 for row in await conn.execute(sql, _details_to_bind_params(details)):
492 result = nres.create_from_country_row(row, nres.SearchResult)
494 result.bbox = Bbox.from_wkb(row.bbox)
495 result.accuracy = self.penalty + self.countries.get_penalty(row.country_code, 5.0)
496 results.append(result)
502 class PostcodeSearch(AbstractSearch):
503 """ Search for a postcode.
505 def __init__(self, extra_penalty: float, sdata: SearchData) -> None:
506 super().__init__(sdata.penalty + extra_penalty)
507 self.countries = sdata.countries
508 self.postcodes = sdata.postcodes
509 self.lookups = sdata.lookups
510 self.rankings = sdata.rankings
513 async def lookup(self, conn: SearchConnection,
514 details: SearchDetails) -> nres.SearchResults:
515 """ Find results for the search in the database.
518 pcs = self.postcodes.values
520 sql = sa.select(t.c.place_id, t.c.parent_place_id,
521 t.c.rank_search, t.c.rank_address,
522 t.c.postcode, t.c.country_code,
523 t.c.geometry.label('centroid'))\
524 .where(t.c.postcode.in_(pcs))
526 if details.geometry_output:
527 sql = _add_geometry_columns(sql, t.c.geometry, details)
529 penalty: SaExpression = sa.literal(self.penalty)
531 if details.viewbox is not None:
532 if details.bounded_viewbox:
533 sql = sql.where(t.c.geometry.intersects(VIEWBOX_PARAM))
535 penalty += sa.case((t.c.geometry.intersects(VIEWBOX_PARAM), 0.0),
536 (t.c.geometry.intersects(VIEWBOX2_PARAM), 0.5),
539 if details.near is not None:
540 if details.near_radius is not None:
541 sql = sql.where(_within_near(t))
542 sql = sql.order_by(t.c.geometry.ST_Distance(NEAR_PARAM))
545 sql = sql.where(t.c.country_code.in_(self.countries.values))
548 sql = sql.where(_exclude_places(t))
551 assert len(self.lookups) == 1
552 assert self.lookups[0].lookup_type == 'restrict'
553 tsearch = conn.t.search_name
554 sql = sql.where(tsearch.c.place_id == t.c.parent_place_id)\
555 .where(sa.func.array_cat(tsearch.c.name_vector,
556 tsearch.c.nameaddress_vector,
557 type_=ARRAY(sa.Integer))
558 .contains(self.lookups[0].tokens))
560 for ranking in self.rankings:
561 penalty += ranking.sql_penalty(conn.t.search_name)
562 penalty += sa.case(*((t.c.postcode == v, p) for v, p in self.postcodes),
566 sql = sql.add_columns(penalty.label('accuracy'))
567 sql = sql.order_by('accuracy').limit(LIMIT_PARAM)
569 results = nres.SearchResults()
570 for row in await conn.execute(sql, _details_to_bind_params(details)):
571 result = nres.create_from_postcode_row(row, nres.SearchResult)
573 result.accuracy = row.accuracy
574 results.append(result)
580 class PlaceSearch(AbstractSearch):
581 """ Generic search for an address or named place.
583 def __init__(self, extra_penalty: float, sdata: SearchData, expected_count: int) -> None:
584 super().__init__(sdata.penalty + extra_penalty)
585 self.countries = sdata.countries
586 self.postcodes = sdata.postcodes
587 self.housenumbers = sdata.housenumbers
588 self.qualifiers = sdata.qualifiers
589 self.lookups = sdata.lookups
590 self.rankings = sdata.rankings
591 self.expected_count = expected_count
594 async def lookup(self, conn: SearchConnection,
595 details: SearchDetails) -> nres.SearchResults:
596 """ Find results for the search in the database.
599 tsearch = conn.t.search_name
601 sql: SaLambdaSelect = sa.lambda_stmt(lambda:
602 sa.select(t.c.place_id, t.c.osm_type, t.c.osm_id, t.c.name,
603 t.c.class_, t.c.type,
604 t.c.address, t.c.extratags, t.c.admin_level,
605 t.c.housenumber, t.c.postcode, t.c.country_code,
607 t.c.parent_place_id, t.c.rank_address, t.c.rank_search,
609 t.c.geometry.ST_Expand(0).label('bbox'))
610 .where(t.c.place_id == tsearch.c.place_id))
613 if details.geometry_output:
614 sql = _add_geometry_columns(sql, t.c.geometry, details)
616 penalty: SaExpression = sa.literal(self.penalty)
617 for ranking in self.rankings:
618 penalty += ranking.sql_penalty(tsearch)
620 for lookup in self.lookups:
621 sql = sql.where(lookup.sql_condition(tsearch))
624 sql = sql.where(tsearch.c.country_code.in_(self.countries.values))
627 # if a postcode is given, don't search for state or country level objects
628 sql = sql.where(tsearch.c.address_rank > 9)
629 tpc = conn.t.postcode
630 pcs = self.postcodes.values
631 if self.expected_count > 1000:
632 # Many results expected. Restrict by postcode.
633 sql = sql.where(sa.select(tpc.c.postcode)
634 .where(tpc.c.postcode.in_(pcs))
635 .where(tsearch.c.centroid.ST_DWithin(tpc.c.geometry, 0.12))
638 # Less results, only have a preference for close postcodes
639 pc_near = sa.select(sa.func.min(tpc.c.geometry.ST_Distance(tsearch.c.centroid)))\
640 .where(tpc.c.postcode.in_(pcs))\
642 penalty += sa.case((t.c.postcode.in_(pcs), 0.0),
643 else_=sa.func.coalesce(pc_near, 2.0))
645 if details.viewbox is not None:
646 if details.bounded_viewbox:
647 if details.viewbox.area < 0.2:
648 sql = sql.where(tsearch.c.centroid.intersects(VIEWBOX_PARAM))
650 sql = sql.where(tsearch.c.centroid.ST_Intersects_no_index(VIEWBOX_PARAM))
651 elif self.expected_count >= 10000:
652 if details.viewbox.area < 0.5:
653 sql = sql.where(tsearch.c.centroid.intersects(VIEWBOX2_PARAM))
655 sql = sql.where(tsearch.c.centroid.ST_Intersects_no_index(VIEWBOX2_PARAM))
657 penalty += sa.case((t.c.geometry.intersects(VIEWBOX_PARAM), 0.0),
658 (t.c.geometry.intersects(VIEWBOX2_PARAM), 0.5),
661 if details.near is not None:
662 if details.near_radius is not None:
663 if details.near_radius < 0.1:
664 sql = sql.where(tsearch.c.centroid.ST_DWithin(NEAR_PARAM, NEAR_RADIUS_PARAM))
666 sql = sql.where(tsearch.c.centroid.ST_DWithin_no_index(NEAR_PARAM,
668 sql = sql.add_columns((-tsearch.c.centroid.ST_Distance(NEAR_PARAM))
669 .label('importance'))
670 sql = sql.order_by(sa.desc(sa.text('importance')))
672 if self.expected_count < 10000\
673 or (details.viewbox is not None and details.viewbox.area < 0.5):
675 penalty - sa.case((tsearch.c.importance > 0, tsearch.c.importance),
676 else_=0.75001-(sa.cast(tsearch.c.search_rank, sa.Float())/40)))
677 sql = sql.add_columns(t.c.importance)
680 sql = sql.add_columns(penalty.label('accuracy'))
682 if self.expected_count < 10000:
683 sql = sql.order_by(sa.text('accuracy'))
685 if self.housenumbers:
686 hnr_regexp = f"\\m({'|'.join(self.housenumbers.values)})\\M"
687 sql = sql.where(tsearch.c.address_rank.between(16, 30))\
688 .where(sa.or_(tsearch.c.address_rank < 30,
689 t.c.housenumber.op('~*')(hnr_regexp)))
691 # Cross check for housenumbers, need to do that on a rather large
692 # set. Worst case there are 40.000 main streets in OSM.
693 inner = sql.limit(10000).subquery()
695 # Housenumbers from placex
696 thnr = conn.t.placex.alias('hnr')
697 pid_list = array_agg(thnr.c.place_id) # type: ignore[no-untyped-call]
698 place_sql = sa.select(pid_list)\
699 .where(thnr.c.parent_place_id == inner.c.place_id)\
700 .where(thnr.c.housenumber.op('~*')(hnr_regexp))\
701 .where(thnr.c.linked_place_id == None)\
702 .where(thnr.c.indexed_status == 0)
705 place_sql = place_sql.where(thnr.c.place_id.not_in(sa.bindparam('excluded')))
707 place_sql = place_sql.where(self.qualifiers.sql_restrict(thnr))
709 numerals = [int(n) for n in self.housenumbers.values
710 if n.isdigit() and len(n) < 8]
711 interpol_sql: SaColumn
714 (not self.qualifiers or ('place', 'house') in self.qualifiers.values):
715 # Housenumbers from interpolations
716 interpol_sql = _make_interpolation_subquery(conn.t.osmline, inner,
718 # Housenumbers from Tiger
719 tiger_sql = sa.case((inner.c.country_code == 'us',
720 _make_interpolation_subquery(conn.t.tiger, inner,
724 interpol_sql = sa.null()
725 tiger_sql = sa.null()
727 unsort = sa.select(inner, place_sql.scalar_subquery().label('placex_hnr'),
728 interpol_sql.label('interpol_hnr'),
729 tiger_sql.label('tiger_hnr')).subquery('unsort')
730 sql = sa.select(unsort)\
731 .order_by(sa.case((unsort.c.placex_hnr != None, 1),
732 (unsort.c.interpol_hnr != None, 2),
733 (unsort.c.tiger_hnr != None, 3),
737 sql = sql.where(t.c.linked_place_id == None)\
738 .where(t.c.indexed_status == 0)
740 sql = sql.where(self.qualifiers.sql_restrict(t))
742 sql = sql.where(_exclude_places(tsearch))
743 if details.min_rank > 0:
744 sql = sql.where(sa.or_(tsearch.c.address_rank >= MIN_RANK_PARAM,
745 tsearch.c.search_rank >= MIN_RANK_PARAM))
746 if details.max_rank < 30:
747 sql = sql.where(sa.or_(tsearch.c.address_rank <= MAX_RANK_PARAM,
748 tsearch.c.search_rank <= MAX_RANK_PARAM))
749 if details.layers is not None:
750 sql = sql.where(_filter_by_layer(t, details.layers))
752 sql = sql.limit(LIMIT_PARAM)
754 results = nres.SearchResults()
755 for row in await conn.execute(sql, _details_to_bind_params(details)):
756 result = nres.create_from_placex_row(row, nres.SearchResult)
758 result.bbox = Bbox.from_wkb(row.bbox)
759 result.accuracy = row.accuracy
760 if not details.excluded or not result.place_id in details.excluded:
761 results.append(result)
763 if self.housenumbers and row.rank_address < 30:
765 subs = _get_placex_housenumbers(conn, row.placex_hnr, details)
766 elif row.interpol_hnr:
767 subs = _get_osmline(conn, row.interpol_hnr, numerals, details)
769 subs = _get_tiger(conn, row.tiger_hnr, numerals, row.osm_id, details)
774 async for sub in subs:
775 assert sub.housenumber
776 sub.accuracy = result.accuracy
777 if not any(nr in self.housenumbers.values
778 for nr in sub.housenumber.split(';')):
782 result.accuracy += 1.0 # penalty for missing housenumber