3 * SPDX-License-Identifier: GPL-2.0-only
5 * This file is part of Nominatim. (https://nominatim.org)
7 * Copyright (C) 2022 by the Nominatim developer community.
8 * For a full list of authors see the git log.
13 require_once(CONST_LibDir.'/SpecialSearchOperator.php');
14 require_once(CONST_LibDir.'/SearchContext.php');
15 require_once(CONST_LibDir.'/Result.php');
18 * Description of a single interpretation of a search query.
20 class SearchDescription
22 /// Ranking how well the description fits the query.
23 private $iSearchRank = 0;
24 /// Country code of country the result must belong to.
25 private $sCountryCode = '';
26 /// List of word ids making up the name of the object.
27 private $aName = array();
28 /// True if the name is rare enough to force index use on name.
29 private $bRareName = false;
30 /// True if the name requires to be accompanied by address terms.
31 private $bNameNeedsAddress = false;
32 /// List of word ids making up the address of the object.
33 private $aAddress = array();
34 /// List of word ids that appear in the name but should be ignored.
35 private $aNameNonSearch = array();
36 /// List of word ids that appear in the address but should be ignored.
37 private $aAddressNonSearch = array();
38 /// Kind of search for special searches, see Nominatim::Operator.
39 private $iOperator = Operator::NONE;
40 /// Class of special feature to search for.
42 /// Type of special feature to search for.
44 /// Housenumber of the object.
45 private $sHouseNumber = '';
46 /// Postcode for the object.
47 private $sPostcode = '';
48 /// Global search constraints.
51 // Temporary values used while creating the search description.
53 /// Index of phrase currently processed.
54 private $iNamePhrase = -1;
57 * Create an empty search description.
59 * @param object $oContext Global context to use. Will be inherited by
60 * all derived search objects.
62 public function __construct($oContext)
64 $this->oContext = $oContext;
68 * Get current search rank.
70 * The higher the search rank the lower the likelihood that the
71 * search is a correct interpretation of the search query.
73 * @return integer Search rank.
75 public function getRank()
77 return $this->iSearchRank;
81 * Extract key/value pairs from a query.
83 * Key/value pairs are recognised if they are of the form [<key>=<value>].
84 * If multiple terms of this kind are found then all terms are removed
85 * but only the first is used for search.
87 * @param string $sQuery Original query string.
89 * @return string The query string with the special search patterns removed.
91 public function extractKeyValuePairs($sQuery)
93 // Search for terms of kind [<key>=<value>].
95 '/\\[([\\w_]*)=([\\w_]*)\\]/',
101 foreach ($aSpecialTermsRaw as $aTerm) {
102 $sQuery = str_replace($aTerm[0], ' ', $sQuery);
103 if (!$this->hasOperator()) {
104 $this->setPoiSearch(Operator::TYPE, $aTerm[1], $aTerm[2]);
112 * Check if the combination of parameters is sensible.
114 * @return bool True, if the search looks valid.
116 public function isValidSearch()
118 if (empty($this->aName)) {
119 if ($this->sHouseNumber) {
122 if (!$this->sClass && !$this->sCountryCode) {
126 if ($this->bNameNeedsAddress && empty($this->aAddress)) {
133 /////////// Search building functions
136 * Create a copy of this search description adding to search rank.
138 * @param integer $iTermCost Cost to add to the current search rank.
140 * @return object Cloned search description.
142 public function clone($iTermCost)
144 $oSearch = clone $this;
145 $oSearch->iSearchRank += $iTermCost;
151 * Check if the search currently includes a name.
153 * @param bool bIncludeNonNames If true stop-word tokens are taken into
156 * @return bool True, if search has a name.
158 public function hasName($bIncludeNonNames = false)
160 return !empty($this->aName)
161 || (!empty($this->aNameNonSearch) && $bIncludeNonNames);
165 * Check if the search currently includes an address term.
167 * @return bool True, if any address term is included, including stop-word
170 public function hasAddress()
172 return !empty($this->aAddress) || !empty($this->aAddressNonSearch);
176 * Check if a country restriction is currently included in the search.
178 * @return bool True, if a country restriction is set.
180 public function hasCountry()
182 return $this->sCountryCode !== '';
186 * Check if a postcode is currently included in the search.
188 * @return bool True, if a postcode is set.
190 public function hasPostcode()
192 return $this->sPostcode !== '';
196 * Check if a house number is set for the search.
198 * @return bool True, if a house number is set.
200 public function hasHousenumber()
202 return $this->sHouseNumber !== '';
206 * Check if a special type of place is requested.
208 * param integer iOperator When set, check for the particular
209 * operator used for the special type.
211 * @return bool True, if speial type is requested or, if requested,
212 * a special type with the given operator.
214 public function hasOperator($iOperator = null)
216 return $iOperator === null ? $this->iOperator != Operator::NONE : $this->iOperator == $iOperator;
220 * Add the given token to the list of terms to search for in the address.
222 * @param integer iID ID of term to add.
223 * @param bool bSearchable Term should be used to search for result
224 * (i.e. term is not a stop word).
226 public function addAddressToken($iId, $bSearchable = true)
229 $this->aAddress[$iId] = $iId;
231 $this->aAddressNonSearch[$iId] = $iId;
236 * Add the given full-word token to the list of terms to search for in the
239 * @param interger iId ID of term to add.
240 * @param bool bRareName True if the term is infrequent enough to not
241 * require other constraints for efficient search.
243 public function addNameToken($iId, $bRareName)
245 $this->aName[$iId] = $iId;
246 $this->bRareName = $bRareName;
247 $this->bNameNeedsAddress = false;
251 * Add the given partial token to the list of terms to search for in
254 * @param integer iID ID of term to add.
255 * @param bool bSearchable Term should be used to search for result
256 * (i.e. term is not a stop word).
257 * @param bool bNeedsAddress True if the term is too unspecific to be used
258 * in a stand-alone search without an address
259 * to narrow down the search.
260 * @param integer iPhraseNumber Index of phrase, where the partial term
263 public function addPartialNameToken($iId, $bSearchable, $bNeedsAddress, $iPhraseNumber)
265 if (empty($this->aName)) {
266 $this->bNameNeedsAddress = $bNeedsAddress;
268 $this->bNameNeedsAddress &= $bNeedsAddress;
271 $this->aName[$iId] = $iId;
273 $this->aNameNonSearch[$iId] = $iId;
275 $this->iNamePhrase = $iPhraseNumber;
279 * Set country restriction for the search.
281 * @param string sCountryCode Country code of country to restrict search to.
283 public function setCountry($sCountryCode)
285 $this->sCountryCode = $sCountryCode;
286 $this->iNamePhrase = -1;
290 * Set postcode search constraint.
292 * @param string sPostcode Postcode the result should have.
294 public function setPostcode($sPostcode)
296 $this->sPostcode = $sPostcode;
297 $this->iNamePhrase = -1;
301 * Make this search a search for a postcode object.
303 * @param integer iId Token Id for the postcode.
304 * @param string sPostcode Postcode to look for.
306 public function setPostcodeAsName($iId, $sPostcode)
308 $this->iOperator = Operator::POSTCODE;
309 $this->aAddress = array_merge($this->aAddress, $this->aName);
310 $this->aName = array($iId => $sPostcode);
311 $this->bRareName = true;
312 $this->iNamePhrase = -1;
316 * Set house number search cnstraint.
318 * @param string sNumber House number the result should have.
320 public function setHousenumber($sNumber)
322 $this->sHouseNumber = $sNumber;
323 $this->iNamePhrase = -1;
327 * Make this search a search for a house number.
329 * @param integer iId Token Id for the house number.
331 public function setHousenumberAsName($iId)
333 $this->aAddress = array_merge($this->aAddress, $this->aName);
334 $this->bRareName = false;
335 $this->bNameNeedsAddress = true;
336 $this->aName = array($iId => $iId);
337 $this->iNamePhrase = -1;
341 * Make this search a POI search.
343 * In a POI search, objects are not (only) searched by their name
344 * but also by the primary OSM key/value pair (class and type in Nominatim).
346 * @param integer $iOperator Type of POI search
347 * @param string $sClass Class (or OSM tag key) of POI.
348 * @param string $sType Type (or OSM tag value) of POI.
352 public function setPoiSearch($iOperator, $sClass, $sType)
354 $this->iOperator = $iOperator;
355 $this->sClass = $sClass;
356 $this->sType = $sType;
357 $this->iNamePhrase = -1;
360 public function getNamePhrase()
362 return $this->iNamePhrase;
366 * Get the global search context.
368 * @return object Objects of global search constraints.
370 public function getContext()
372 return $this->oContext;
375 /////////// Query functions
379 * Query database for places that match this search.
381 * @param object $oDB Nominatim::DB instance to use.
382 * @param integer $iMinRank Minimum address rank to restrict search to.
383 * @param integer $iMaxRank Maximum address rank to restrict search to.
384 * @param integer $iLimit Maximum number of results.
386 * @return mixed[] An array with two fields: IDs contains the list of
387 * matching place IDs and houseNumber the houseNumber
388 * if appicable or -1 if not.
390 public function query(&$oDB, $iMinRank, $iMaxRank, $iLimit)
394 if ($this->sCountryCode
395 && empty($this->aName)
398 && !$this->oContext->hasNearPoint()
400 // Just looking for a country - look it up
401 if (4 >= $iMinRank && 4 <= $iMaxRank) {
402 $aResults = $this->queryCountry($oDB);
404 } elseif (empty($this->aName) && empty($this->aAddress)) {
405 // Neither name nor address? Then we must be
406 // looking for a POI in a geographic area.
407 if ($this->oContext->isBoundedSearch()) {
408 $aResults = $this->queryNearbyPoi($oDB, $iLimit);
410 } elseif ($this->iOperator == Operator::POSTCODE) {
411 // looking for postcode
412 $aResults = $this->queryPostcode($oDB, $iLimit);
415 // First search for places according to name and address.
416 $aResults = $this->queryNamedPlace(
423 // Now search for housenumber, if housenumber provided. Can be zero.
424 if (($this->sHouseNumber || $this->sHouseNumber === '0') && !empty($aResults)) {
425 $aHnResults = $this->queryHouseNumber($oDB, $aResults);
427 // Downgrade the rank of the street results, they are missing
428 // the housenumber. Also drop POI places (rank 30) here, they
429 // cannot be a parent place and therefore must not be shown
430 // as a result for a search with a missing housenumber.
431 foreach ($aResults as $oRes) {
432 if ($oRes->iAddressRank < 28) {
433 if ($oRes->iAddressRank >= 26) {
434 $oRes->iResultRank++;
436 $oRes->iResultRank += 2;
438 $aHnResults[$oRes->iId] = $oRes;
442 $aResults = $aHnResults;
445 // finally get POIs if requested
446 if ($this->sClass && !empty($aResults)) {
447 $aResults = $this->queryPoiByOperator($oDB, $aResults, $iLimit);
451 Debug::printDebugTable('Place IDs', $aResults);
453 if (!empty($aResults) && $this->sPostcode) {
454 $sPlaceIds = Result::joinIdsByTable($aResults, Result::TABLE_PLACEX);
456 $sSQL = 'SELECT place_id FROM placex';
457 $sSQL .= ' WHERE place_id in ('.$sPlaceIds.')';
458 $sSQL .= " AND postcode != '".$this->sPostcode."'";
459 Debug::printSQL($sSQL);
460 $aFilteredPlaceIDs = $oDB->getCol($sSQL);
461 if ($aFilteredPlaceIDs) {
462 foreach ($aFilteredPlaceIDs as $iPlaceId) {
463 $aResults[$iPlaceId]->iResultRank++;
473 private function queryCountry(&$oDB)
475 $sSQL = 'SELECT place_id FROM placex ';
476 $sSQL .= "WHERE country_code='".$this->sCountryCode."'";
477 $sSQL .= ' AND rank_search = 4';
478 if ($this->oContext->bViewboxBounded) {
479 $sSQL .= ' AND ST_Intersects('.$this->oContext->sqlViewboxSmall.', geometry)';
481 $sSQL .= ' ORDER BY st_area(geometry) DESC LIMIT 1';
483 Debug::printSQL($sSQL);
485 $iPlaceId = $oDB->getOne($sSQL);
489 $aResults[$iPlaceId] = new Result($iPlaceId);
495 private function queryNearbyPoi(&$oDB, $iLimit)
497 if (!$this->sClass) {
501 $aDBResults = array();
502 $sPoiTable = $this->poiTable();
504 if ($oDB->tableExists($sPoiTable)) {
505 $sSQL = 'SELECT place_id FROM '.$sPoiTable.' ct';
506 if ($this->oContext->sqlCountryList) {
507 $sSQL .= ' JOIN placex USING (place_id)';
509 if ($this->oContext->hasNearPoint()) {
510 $sSQL .= ' WHERE '.$this->oContext->withinSQL('ct.centroid');
511 } elseif ($this->oContext->bViewboxBounded) {
512 $sSQL .= ' WHERE ST_Contains('.$this->oContext->sqlViewboxSmall.', ct.centroid)';
514 if ($this->oContext->sqlCountryList) {
515 $sSQL .= ' AND country_code in '.$this->oContext->sqlCountryList;
517 $sSQL .= $this->oContext->excludeSQL(' AND place_id');
518 if ($this->oContext->sqlViewboxCentre) {
519 $sSQL .= ' ORDER BY ST_Distance(';
520 $sSQL .= $this->oContext->sqlViewboxCentre.', ct.centroid) ASC';
521 } elseif ($this->oContext->hasNearPoint()) {
522 $sSQL .= ' ORDER BY '.$this->oContext->distanceSQL('ct.centroid').' ASC';
524 $sSQL .= " LIMIT $iLimit";
525 Debug::printSQL($sSQL);
526 $aDBResults = $oDB->getCol($sSQL);
529 if ($this->oContext->hasNearPoint()) {
530 $sSQL = 'SELECT place_id FROM placex WHERE ';
531 $sSQL .= 'class = :class and type = :type';
532 $sSQL .= ' AND '.$this->oContext->withinSQL('geometry');
533 $sSQL .= ' AND linked_place_id is null';
534 if ($this->oContext->sqlCountryList) {
535 $sSQL .= ' AND country_code in '.$this->oContext->sqlCountryList;
537 $sSQL .= ' ORDER BY '.$this->oContext->distanceSQL('centroid').' ASC';
538 $sSQL .= " LIMIT $iLimit";
539 Debug::printSQL($sSQL);
540 $aDBResults = $oDB->getCol(
542 array(':class' => $this->sClass, ':type' => $this->sType)
547 foreach ($aDBResults as $iPlaceId) {
548 $aResults[$iPlaceId] = new Result($iPlaceId);
554 private function queryPostcode(&$oDB, $iLimit)
556 $sSQL = 'SELECT p.place_id FROM location_postcode p ';
558 if (!empty($this->aAddress)) {
559 $sSQL .= ', search_name s ';
560 $sSQL .= 'WHERE s.place_id = p.parent_place_id ';
561 $sSQL .= 'AND array_cat(s.nameaddress_vector, s.name_vector)';
562 $sSQL .= ' @> '.$oDB->getArraySQL($this->aAddress).' AND ';
567 $sSQL .= "p.postcode = '".reset($this->aName)."'";
568 $sSQL .= $this->countryCodeSQL(' AND p.country_code');
569 if ($this->oContext->bViewboxBounded) {
570 $sSQL .= ' AND ST_Intersects('.$this->oContext->sqlViewboxSmall.', geometry)';
572 $sSQL .= $this->oContext->excludeSQL(' AND p.place_id');
573 $sSQL .= " LIMIT $iLimit";
575 Debug::printSQL($sSQL);
578 foreach ($oDB->getCol($sSQL) as $iPlaceId) {
579 $aResults[$iPlaceId] = new Result($iPlaceId, Result::TABLE_POSTCODE);
585 private function queryNamedPlace(&$oDB, $iMinAddressRank, $iMaxAddressRank, $iLimit)
590 // Sort by existence of the requested house number but only if not
591 // too many results are expected for the street, i.e. if the result
592 // will be narrowed down by an address. Remember that with ordering
593 // every single result has to be checked.
594 if ($this->sHouseNumber && ($this->bRareName || !empty($this->aAddress) || $this->sPostcode)) {
595 $sHouseNumberRegex = $oDB->getDBQuoted('\\\\m'.$this->sHouseNumber.'\\\\M');
597 // Housenumbers on streets and places.
598 $sChildHnr = 'SELECT * FROM placex WHERE parent_place_id = search_name.place_id';
599 $sChildHnr .= ' AND housenumber ~* E'.$sHouseNumberRegex;
600 // Interpolations on streets and places.
601 if (preg_match('/^[0-9]+$/', $this->sHouseNumber)) {
602 $sIpolHnr = 'WHERE parent_place_id = search_name.place_id ';
603 $sIpolHnr .= ' AND startnumber is not NULL';
604 $sIpolHnr .= ' AND '.$this->sHouseNumber.'>=startnumber ';
605 $sIpolHnr .= ' AND '.$this->sHouseNumber.'<=endnumber ';
609 // Housenumbers on the object iteself for unlisted places.
610 $sSelfHnr = 'SELECT * FROM placex WHERE place_id = search_name.place_id';
611 $sSelfHnr .= ' AND housenumber ~* E'.$sHouseNumberRegex;
613 $sSql = '(CASE WHEN address_rank = 30 THEN EXISTS('.$sSelfHnr.') ';
614 $sSql .= ' ELSE EXISTS('.$sChildHnr.') ';
616 $sSql .= 'OR EXISTS(SELECT * FROM location_property_osmline '.$sIpolHnr.') ';
617 if (CONST_Use_US_Tiger_Data) {
618 $sSql .= "OR (country_code = 'us' AND ";
619 $sSql .= ' EXISTS(SELECT * FROM location_property_tiger '.$sIpolHnr.')) ';
622 $sSql .= 'END) DESC';
628 if (!empty($this->aName)) {
629 $aTerms[] = 'name_vector @> '.$oDB->getArraySQL($this->aName);
631 if (!empty($this->aAddress)) {
632 // For infrequent name terms disable index usage for address
633 if ($this->bRareName) {
634 $aTerms[] = 'array_cat(nameaddress_vector,ARRAY[]::integer[]) @> '.$oDB->getArraySQL($this->aAddress);
636 $aTerms[] = 'nameaddress_vector @> '.$oDB->getArraySQL($this->aAddress);
640 $sCountryTerm = $this->countryCodeSQL('country_code');
642 $aTerms[] = $sCountryTerm;
645 if ($this->sHouseNumber) {
646 $aTerms[] = 'address_rank between 16 and 30';
647 } elseif (!$this->sClass || $this->iOperator == Operator::NAME) {
648 if ($iMinAddressRank > 0) {
649 $aTerms[] = "((address_rank between $iMinAddressRank and $iMaxAddressRank) or (search_rank between $iMinAddressRank and $iMaxAddressRank))";
653 if ($this->oContext->hasNearPoint()) {
654 $aTerms[] = $this->oContext->withinSQL('centroid');
655 $aOrder[] = $this->oContext->distanceSQL('centroid');
656 } elseif ($this->sPostcode) {
657 if (empty($this->aAddress)) {
658 $aTerms[] = "EXISTS(SELECT place_id FROM location_postcode p WHERE p.postcode = '".$this->sPostcode."' AND ST_DWithin(search_name.centroid, p.geometry, 0.12))";
660 $aOrder[] = "(SELECT min(ST_Distance(search_name.centroid, p.geometry)) FROM location_postcode p WHERE p.postcode = '".$this->sPostcode."')";
664 $sExcludeSQL = $this->oContext->excludeSQL('place_id');
666 $aTerms[] = $sExcludeSQL;
669 if ($this->oContext->bViewboxBounded) {
670 $aTerms[] = 'centroid && '.$this->oContext->sqlViewboxSmall;
673 if ($this->oContext->hasNearPoint()) {
674 $aOrder[] = $this->oContext->distanceSQL('centroid');
677 if ($this->sHouseNumber) {
678 $sImportanceSQL = '- abs(26 - address_rank) + 3';
680 $sImportanceSQL = '(CASE WHEN importance = 0 OR importance IS NULL THEN 0.75001-(search_rank::float/40) ELSE importance END)';
682 $sImportanceSQL .= $this->oContext->viewboxImportanceSQL('centroid');
683 $aOrder[] = "$sImportanceSQL DESC";
685 $aFullNameAddress = $this->oContext->getFullNameTerms();
686 if (!empty($aFullNameAddress)) {
687 $sExactMatchSQL = ' ( ';
688 $sExactMatchSQL .= ' SELECT count(*) FROM ( ';
689 $sExactMatchSQL .= ' SELECT unnest('.$oDB->getArraySQL($aFullNameAddress).')';
690 $sExactMatchSQL .= ' INTERSECT ';
691 $sExactMatchSQL .= ' SELECT unnest(nameaddress_vector)';
692 $sExactMatchSQL .= ' ) s';
693 $sExactMatchSQL .= ') as exactmatch';
694 $aOrder[] = 'exactmatch DESC';
696 $sExactMatchSQL = '0::int as exactmatch';
699 if ($this->sHouseNumber || $this->sClass) {
705 if (!empty($aTerms)) {
706 $sSQL = 'SELECT place_id, address_rank,'.$sExactMatchSQL;
707 $sSQL .= ' FROM search_name';
708 $sSQL .= ' WHERE '.join(' and ', $aTerms);
709 $sSQL .= ' ORDER BY '.join(', ', $aOrder);
710 $sSQL .= ' LIMIT '.$iLimit;
712 Debug::printSQL($sSQL);
714 $aDBResults = $oDB->getAll($sSQL, null, 'Could not get places for search terms.');
716 foreach ($aDBResults as $aResult) {
717 $oResult = new Result($aResult['place_id']);
718 $oResult->iExactMatches = $aResult['exactmatch'];
719 $oResult->iAddressRank = $aResult['address_rank'];
720 $aResults[$aResult['place_id']] = $oResult;
727 private function queryHouseNumber(&$oDB, $aRoadPlaceIDs)
730 $sRoadPlaceIDs = Result::joinIdsByTableMaxRank(
732 Result::TABLE_PLACEX,
735 $sPOIPlaceIDs = Result::joinIdsByTableMinRank(
737 Result::TABLE_PLACEX,
741 $aIDCondition = array();
742 if ($sRoadPlaceIDs) {
743 $aIDCondition[] = 'parent_place_id in ('.$sRoadPlaceIDs.')';
746 $aIDCondition[] = 'place_id in ('.$sPOIPlaceIDs.')';
749 if (empty($aIDCondition)) {
753 $sHouseNumberRegex = $oDB->getDBQuoted('\\\\m'.$this->sHouseNumber.'\\\\M');
754 $sSQL = 'SELECT place_id FROM placex WHERE';
755 $sSQL .= ' housenumber ~* E'.$sHouseNumberRegex;
756 $sSQL .= ' AND ('.join(' OR ', $aIDCondition).')';
757 $sSQL .= $this->oContext->excludeSQL(' AND place_id');
759 Debug::printSQL($sSQL);
761 // XXX should inherit the exactMatches from its parent
762 foreach ($oDB->getCol($sSQL) as $iPlaceId) {
763 $aResults[$iPlaceId] = new Result($iPlaceId);
766 $bIsIntHouseNumber= (bool) preg_match('/[0-9]+/', $this->sHouseNumber);
767 $iHousenumber = intval($this->sHouseNumber);
768 if ($bIsIntHouseNumber && $sRoadPlaceIDs && empty($aResults)) {
769 // if nothing found, search in the interpolation line table
770 $sSQL = 'SELECT distinct place_id FROM location_property_osmline';
771 $sSQL .= ' WHERE startnumber is not NULL';
772 $sSQL .= ' AND parent_place_id in ('.$sRoadPlaceIDs.') AND (';
773 if ($iHousenumber % 2 == 0) {
774 // If housenumber is even, look for housenumber in streets
775 // with interpolationtype even or all.
776 $sSQL .= "interpolationtype='even'";
778 // Else look for housenumber with interpolationtype odd or all.
779 $sSQL .= "interpolationtype='odd'";
781 $sSQL .= " or interpolationtype='all') and ";
782 $sSQL .= $iHousenumber.'>=startnumber and ';
783 $sSQL .= $iHousenumber.'<=endnumber';
784 $sSQL .= $this->oContext->excludeSQL(' AND place_id');
786 Debug::printSQL($sSQL);
788 foreach ($oDB->getCol($sSQL) as $iPlaceId) {
789 $oResult = new Result($iPlaceId, Result::TABLE_OSMLINE);
790 $oResult->iHouseNumber = $iHousenumber;
791 $aResults[$iPlaceId] = $oResult;
795 // If nothing found then search in Tiger data (location_property_tiger)
796 if (CONST_Use_US_Tiger_Data && $sRoadPlaceIDs && $bIsIntHouseNumber && empty($aResults)) {
797 $sSQL = 'SELECT place_id FROM location_property_tiger';
798 $sSQL .= ' WHERE parent_place_id in ('.$sRoadPlaceIDs.') and (';
799 if ($iHousenumber % 2 == 0) {
800 $sSQL .= "interpolationtype='even'";
802 $sSQL .= "interpolationtype='odd'";
804 $sSQL .= " or interpolationtype='all') and ";
805 $sSQL .= $iHousenumber.'>=startnumber and ';
806 $sSQL .= $iHousenumber.'<=endnumber';
807 $sSQL .= $this->oContext->excludeSQL(' AND place_id');
809 Debug::printSQL($sSQL);
811 foreach ($oDB->getCol($sSQL) as $iPlaceId) {
812 $oResult = new Result($iPlaceId, Result::TABLE_TIGER);
813 $oResult->iHouseNumber = $iHousenumber;
814 $aResults[$iPlaceId] = $oResult;
822 private function queryPoiByOperator(&$oDB, $aParentIDs, $iLimit)
825 $sPlaceIDs = Result::joinIdsByTable($aParentIDs, Result::TABLE_PLACEX);
831 if ($this->iOperator == Operator::TYPE || $this->iOperator == Operator::NAME) {
832 // If they were searching for a named class (i.e. 'Kings Head pub')
833 // then we might have an extra match
834 $sSQL = 'SELECT place_id FROM placex ';
835 $sSQL .= " WHERE place_id in ($sPlaceIDs)";
836 $sSQL .= " AND class='".$this->sClass."' ";
837 $sSQL .= " AND type='".$this->sType."'";
838 $sSQL .= ' AND linked_place_id is null';
839 $sSQL .= $this->oContext->excludeSQL(' AND place_id');
840 $sSQL .= ' ORDER BY rank_search ASC ';
841 $sSQL .= " LIMIT $iLimit";
843 Debug::printSQL($sSQL);
845 foreach ($oDB->getCol($sSQL) as $iPlaceId) {
846 $aResults[$iPlaceId] = new Result($iPlaceId);
850 // NEAR and IN are handled the same
851 if ($this->iOperator == Operator::TYPE || $this->iOperator == Operator::NEAR) {
852 $sClassTable = $this->poiTable();
853 $bCacheTable = $oDB->tableExists($sClassTable);
855 $sSQL = "SELECT min(rank_search) FROM placex WHERE place_id in ($sPlaceIDs)";
856 Debug::printSQL($sSQL);
857 $iMaxRank = (int) $oDB->getOne($sSQL);
859 // For state / country level searches the normal radius search doesn't work very well
861 if ($iMaxRank < 9 && $bCacheTable) {
862 // Try and get a polygon to search in instead
863 $sSQL = 'SELECT geometry FROM placex';
864 $sSQL .= " WHERE place_id in ($sPlaceIDs)";
865 $sSQL .= " AND rank_search < $iMaxRank + 5";
866 $sSQL .= " AND ST_GeometryType(geometry) in ('ST_Polygon','ST_MultiPolygon')";
867 $sSQL .= ' ORDER BY rank_search ASC ';
869 Debug::printSQL($sSQL);
870 $sPlaceGeom = $oDB->getOne($sSQL);
877 $sSQL = 'SELECT place_id FROM placex';
878 $sSQL .= " WHERE place_id in ($sPlaceIDs) and rank_search < $iMaxRank";
879 Debug::printSQL($sSQL);
880 $aPlaceIDs = $oDB->getCol($sSQL);
881 $sPlaceIDs = join(',', $aPlaceIDs);
884 if ($sPlaceIDs || $sPlaceGeom) {
887 // More efficient - can make the range bigger
891 if ($this->oContext->hasNearPoint()) {
892 $sOrderBySQL = $this->oContext->distanceSQL('l.centroid');
893 } elseif ($sPlaceIDs) {
894 $sOrderBySQL = 'ST_Distance(l.centroid, f.geometry)';
895 } elseif ($sPlaceGeom) {
896 $sOrderBySQL = "ST_Distance(st_centroid('".$sPlaceGeom."'), l.centroid)";
899 $sSQL = 'SELECT distinct i.place_id';
901 $sSQL .= ', i.order_term';
903 $sSQL .= ' from (SELECT l.place_id';
905 $sSQL .= ','.$sOrderBySQL.' as order_term';
907 $sSQL .= ' from '.$sClassTable.' as l';
910 $sSQL .= ',placex as f WHERE ';
911 $sSQL .= "f.place_id in ($sPlaceIDs) ";
912 $sSQL .= " AND ST_DWithin(l.centroid, f.centroid, $fRange)";
913 } elseif ($sPlaceGeom) {
914 $sSQL .= " WHERE ST_Contains('$sPlaceGeom', l.centroid)";
917 $sSQL .= $this->oContext->excludeSQL(' AND l.place_id');
918 $sSQL .= 'limit 300) i ';
920 $sSQL .= 'order by order_term asc';
922 $sSQL .= " limit $iLimit";
924 Debug::printSQL($sSQL);
926 foreach ($oDB->getCol($sSQL) as $iPlaceId) {
927 $aResults[$iPlaceId] = new Result($iPlaceId);
930 if ($this->oContext->hasNearPoint()) {
931 $fRange = $this->oContext->nearRadius();
935 if ($this->oContext->hasNearPoint()) {
936 $sOrderBySQL = $this->oContext->distanceSQL('l.geometry');
938 $sOrderBySQL = 'ST_Distance(l.geometry, f.geometry)';
941 $sSQL = 'SELECT distinct l.place_id';
943 $sSQL .= ','.$sOrderBySQL.' as orderterm';
945 $sSQL .= ' FROM placex as l, placex as f';
946 $sSQL .= " WHERE f.place_id in ($sPlaceIDs)";
947 $sSQL .= " AND ST_DWithin(l.geometry, f.centroid, $fRange)";
948 $sSQL .= " AND l.class='".$this->sClass."'";
949 $sSQL .= " AND l.type='".$this->sType."'";
950 $sSQL .= $this->oContext->excludeSQL(' AND l.place_id');
952 $sSQL .= 'ORDER BY orderterm ASC';
954 $sSQL .= " limit $iLimit";
956 Debug::printSQL($sSQL);
958 foreach ($oDB->getCol($sSQL) as $iPlaceId) {
959 $aResults[$iPlaceId] = new Result($iPlaceId);
968 private function poiTable()
970 return 'place_classtype_'.$this->sClass.'_'.$this->sType;
973 private function countryCodeSQL($sVar)
975 if ($this->sCountryCode) {
976 return $sVar.' = \''.$this->sCountryCode."'";
978 if ($this->oContext->sqlCountryList) {
979 return $sVar.' in '.$this->oContext->sqlCountryList;
985 /////////// Sort functions
988 public static function bySearchRank($a, $b)
990 if ($a->iSearchRank == $b->iSearchRank) {
991 return $a->iOperator + strlen($a->sHouseNumber)
992 - $b->iOperator - strlen($b->sHouseNumber);
995 return $a->iSearchRank < $b->iSearchRank ? -1 : 1;
998 //////////// Debugging functions
1001 public function debugInfo()
1004 'Search rank' => $this->iSearchRank,
1005 'Country code' => $this->sCountryCode,
1006 'Name terms' => $this->aName,
1007 'Name terms (stop words)' => $this->aNameNonSearch,
1008 'Address terms' => $this->aAddress,
1009 'Address terms (stop words)' => $this->aAddressNonSearch,
1010 'Address terms (full words)' => $this->aFullNameAddress ?? '',
1011 'Special search' => $this->iOperator,
1012 'Class' => $this->sClass,
1013 'Type' => $this->sType,
1014 'House number' => $this->sHouseNumber,
1015 'Postcode' => $this->sPostcode
1019 public function dumpAsHtmlTableRow(&$aWordIDs)
1021 $kf = function ($k) use (&$aWordIDs) {
1022 return $aWordIDs[$k] ?? '['.$k.']';
1026 echo "<td>$this->iSearchRank</td>";
1027 echo '<td>'.join(', ', array_map($kf, $this->aName)).'</td>';
1028 echo '<td>'.join(', ', array_map($kf, $this->aNameNonSearch)).'</td>';
1029 echo '<td>'.join(', ', array_map($kf, $this->aAddress)).'</td>';
1030 echo '<td>'.join(', ', array_map($kf, $this->aAddressNonSearch)).'</td>';
1031 echo '<td>'.$this->sCountryCode.'</td>';
1032 echo '<td>'.Operator::toString($this->iOperator).'</td>';
1033 echo '<td>'.$this->sClass.'</td>';
1034 echo '<td>'.$this->sType.'</td>';
1035 echo '<td>'.$this->sPostcode.'</td>';
1036 echo '<td>'.$this->sHouseNumber.'</td>';