5 * This program is free software; you can redistribute it and/or modify
6 * it under the terms of the GNU General Public License as published by
7 * the Free Software Foundation; either version 2 of the License, or
8 * (at your option) any later version.
10 * This program is distributed in the hope that it will be useful,
11 * but WITHOUT ANY WARRANTY; without even the implied warranty of
12 * MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the
13 * GNU General Public License for more details.
15 * You should have received a copy of the GNU General Public License along
16 * with this program; if not, write to the Free Software Foundation, Inc.,
17 * 51 Franklin Street, Fifth Floor, Boston, MA 02110-1301, USA.
18 * http://www.gnu.org/copyleft/gpl.html
25 * @defgroup Search Search
28 use MediaWiki\Config\Config
;
29 use MediaWiki\Content\Content
;
30 use MediaWiki\HookContainer\HookContainer
;
31 use MediaWiki\HookContainer\HookRunner
;
32 use MediaWiki\MediaWikiServices
;
33 use MediaWiki\Search\TitleMatcher
;
34 use MediaWiki\Status\Status
;
35 use MediaWiki\Title\Title
;
36 use MediaWiki\User\User
;
39 * Contain a class for special pages
43 abstract class SearchEngine
{
44 public const DEFAULT_SORT
= 'relevance';
49 /** @var int[]|null */
50 public $namespaces = [ NS_MAIN
];
53 protected $limit = 10;
56 protected $offset = 0;
60 * @deprecated since 1.34
62 protected $searchTerms = [];
65 protected $showSuggestion = true;
67 private $sort = self
::DEFAULT_SORT
;
69 /** @var array Feature values */
70 protected $features = [];
72 /** @var HookContainer */
73 private $hookContainer;
75 /** @var HookRunner */
78 /** Profile type for completionSearch */
79 public const COMPLETION_PROFILE_TYPE
= 'completionSearchProfile';
81 /** Profile type for query independent ranking features */
82 public const FT_QUERY_INDEP_PROFILE_TYPE
= 'fulltextQueryIndepProfile';
84 /** Integer flag for legalSearchChars: includes all chars allowed in a search query */
85 protected const CHARS_ALL
= 1;
87 /** Integer flag for legalSearchChars: includes all chars allowed in a search term */
88 protected const CHARS_NO_SYNTAX
= 2;
91 * Perform a full text search query and return a result set.
92 * If full text searches are not supported or disabled, return null.
94 * @note As of 1.32 overriding this function is deprecated. It will
95 * be converted to final in 1.34. Override self::doSearchText().
97 * @param string $term Raw search term
98 * @return ISearchResultSet|Status|null
100 public function searchText( $term ) {
101 return $this->maybePaginate( function () use ( $term ) {
102 return $this->doSearchText( $term );
107 * Perform a full text search query and return a result set.
109 * @stable to override
111 * @param string $term Raw search term
112 * @return ISearchResultSet|Status|null
115 protected function doSearchText( $term ) {
120 * Perform a title search in the article archive.
121 * NOTE: these results still should be filtered by
122 * matching against PageArchive, permissions checks etc
123 * The results returned by this methods are only suggestions and
124 * may not end up being shown to the user.
126 * @note As of 1.32 overriding this function is deprecated. It will
127 * be converted to final in 1.34. Override self::doSearchArchiveTitle().
129 * @param string $term Raw search term
133 public function searchArchiveTitle( $term ) {
134 return $this->doSearchArchiveTitle( $term );
138 * Perform a title search in the article archive.
140 * @stable to override
142 * @param string $term Raw search term
146 protected function doSearchArchiveTitle( $term ) {
147 return Status
::newGood( [] );
151 * Perform a title-only search query and return a result set.
152 * If title searches are not supported or disabled, return null.
155 * @note As of 1.32 overriding this function is deprecated. It will
156 * be converted to final in 1.34. Override self::doSearchTitle().
158 * @param string $term Raw search term
159 * @return ISearchResultSet|null
161 public function searchTitle( $term ) {
162 return $this->maybePaginate( function () use ( $term ) {
163 return $this->doSearchTitle( $term );
168 * Perform a title-only search query and return a result set.
170 * @stable to override
172 * @param string $term Raw search term
173 * @return ISearchResultSet|null
176 protected function doSearchTitle( $term ) {
181 * Performs an overfetch and shrink operation to determine if
182 * the next page is available for search engines that do not
183 * explicitly implement their own pagination.
185 * @param Closure $fn Takes no arguments
186 * @return ISearchResultSet|Status<ISearchResultSet>|null Result of calling $fn
188 private function maybePaginate( Closure
$fn ) {
189 if ( $this instanceof PaginatingSearchEngine
) {
194 $resultSetOrStatus = $fn();
200 if ( $resultSetOrStatus instanceof ISearchResultSet
) {
201 $resultSet = $resultSetOrStatus;
202 } elseif ( $resultSetOrStatus instanceof Status
&&
203 $resultSetOrStatus->getValue() instanceof ISearchResultSet
205 $resultSet = $resultSetOrStatus->getValue();
208 $resultSet->shrink( $this->limit
);
211 return $resultSetOrStatus;
216 * @stable to override
218 * @param string $feature
221 public function supports( $feature ) {
222 switch ( $feature ) {
223 case 'search-update':
225 case 'title-suffix-filter':
232 * Way to pass custom data for engines
234 * @param string $feature
237 public function setFeatureData( $feature, $data ) {
238 $this->features
[$feature] = $data;
242 * Way to retrieve custom data set by setFeatureData
243 * or by the engine itself.
245 * @param string $feature feature name
246 * @return mixed the feature value or null if unset
248 public function getFeatureData( $feature ) {
249 return $this->features
[$feature] ??
null;
253 * When overridden in derived class, performs database-specific conversions
254 * on text to be used for searching or updating search index.
255 * Default implementation does nothing (simply returns $string).
257 * @param string $string String to process
260 public function normalizeText( $string ) {
261 // Some languages such as Chinese require word segmentation
262 return MediaWikiServices
::getInstance()->getContentLanguage()->segmentByWord( $string );
266 * Get service class to finding near matches.
268 * @return TitleMatcher
269 * @deprecated since 1.40, use MediaWikiServices::getInstance()->getTitleMatcher()
271 public function getNearMatcher( Config
$config ) {
272 return MediaWikiServices
::getInstance()->getTitleMatcher();
276 * Get near matcher for default SearchEngine.
278 * @return TitleMatcher
279 * @deprecated since 1.40, MediaWikiServices::getInstance()->getTitleMatcher()
281 protected static function defaultNearMatcher() {
282 wfDeprecated( __METHOD__
, '1.40' );
283 return MediaWikiServices
::getInstance()->getTitleMatcher();
287 * Get chars legal for search
288 * @param int $type type of search chars (see self::CHARS_ALL
289 * and self::CHARS_NO_SYNTAX). Defaults to CHARS_ALL
292 public function legalSearchChars( $type = self
::CHARS_ALL
) {
293 return "A-Za-z_'.0-9\\x80-\\xFF\\-";
297 * Set the maximum number of results to return
298 * and how many to skip before returning the first.
303 public function setLimitOffset( $limit, $offset = 0 ) {
304 $this->limit
= intval( $limit );
305 $this->offset
= intval( $offset );
309 * Set which namespaces the search should include.
310 * Give an array of namespace index numbers.
312 * @param int[]|null $namespaces
314 public function setNamespaces( $namespaces ) {
316 // Filter namespaces to only keep valid ones
317 $validNs = MediaWikiServices
::getInstance()->getSearchEngineConfig()->searchableNamespaces();
318 $namespaces = array_filter( $namespaces, static function ( $ns ) use( $validNs ) {
319 return $ns < 0 ||
isset( $validNs[$ns] );
324 $this->namespaces
= $namespaces;
328 * Set whether the searcher should try to build a suggestion. Note: some searchers
329 * don't support building a suggestion in the first place and others don't respect
332 * @param bool $showSuggestion Should the searcher try to build suggestions
334 public function setShowSuggestion( $showSuggestion ) {
335 $this->showSuggestion
= $showSuggestion;
339 * Get the valid sort directions. All search engines support 'relevance' but others
340 * might support more. The default in all implementations must be 'relevance.'
343 * @stable to override
345 * @return string[] the valid sort directions for setSort
347 public function getValidSorts() {
348 return [ self
::DEFAULT_SORT
];
352 * Set the sort direction of the search results. Must be one returned by
353 * SearchEngine::getValidSorts()
356 * @param string $sort sort direction for query result
358 public function setSort( $sort ) {
359 if ( !in_array( $sort, $this->getValidSorts() ) ) {
360 throw new InvalidArgumentException( "Invalid sort: $sort. " .
361 "Must be one of: " . implode( ', ', $this->getValidSorts() ) );
367 * Get the sort direction of the search results
372 public function getSort() {
377 * Parse some common prefixes: all (search everything)
378 * or namespace names and set the list of namespaces
379 * of this class accordingly.
381 * @deprecated since 1.32; should be handled internally by the search engine
382 * @param string $query
385 public function replacePrefixes( $query ) {
390 * Parse some common prefixes: all (search everything)
393 * @param string $query
394 * @param bool $withAllKeyword activate support of the "all:" keyword and its
395 * translations to activate searching on all namespaces.
396 * @param bool $withPrefixSearchExtractNamespaceHook call the PrefixSearchExtractNamespace hook
397 * if classic namespace identification did not match.
398 * @return false|array false if no namespace was extracted, an array
399 * with the parsed query at index 0 and an array of namespaces at index
400 * 1 (or null for all namespaces).
402 public static function parseNamespacePrefixes(
404 $withAllKeyword = true,
405 $withPrefixSearchExtractNamespaceHook = false
408 if ( strpos( $query, ':' ) === false ) { // nothing to do
411 $extractedNamespace = null;
414 if ( $withAllKeyword ) {
417 $allkeywords[] = wfMessage( 'searchall' )->inContentLanguage()->text() . ":";
418 // force all: so that we have a common syntax for all the wikis
419 if ( !in_array( 'all:', $allkeywords ) ) {
420 $allkeywords[] = 'all:';
423 foreach ( $allkeywords as $kw ) {
424 if ( str_starts_with( $query, $kw ) ) {
425 $parsed = substr( $query, strlen( $kw ) );
432 if ( !$allQuery && strpos( $query, ':' ) !== false ) {
433 $prefix = str_replace( ' ', '_', substr( $query, 0, strpos( $query, ':' ) ) );
434 $services = MediaWikiServices
::getInstance();
435 $index = $services->getContentLanguage()->getNsIndex( $prefix );
436 if ( $index !== false ) {
437 $extractedNamespace = [ $index ];
438 $parsed = substr( $query, strlen( $prefix ) +
1 );
439 } elseif ( $withPrefixSearchExtractNamespaceHook ) {
440 $hookNamespaces = [ NS_MAIN
];
442 ( new HookRunner( $services->getHookContainer() ) )
443 ->onPrefixSearchExtractNamespace( $hookNamespaces, $hookQuery );
444 if ( $hookQuery !== $query ) {
445 $parsed = $hookQuery;
446 $extractedNamespace = $hookNamespaces;
455 return [ $parsed, $extractedNamespace ];
459 * Find snippet highlight settings for all users
460 * @return array Contextlines, contextchars
461 * @deprecated since 1.34; use the SearchHighlighter constants directly
462 * @see SearchHighlighter::DEFAULT_CONTEXT_CHARS
463 * @see SearchHighlighter::DEFAULT_CONTEXT_LINES
465 public static function userHighlightPrefs() {
466 $contextlines = SearchHighlighter
::DEFAULT_CONTEXT_LINES
;
467 $contextchars = SearchHighlighter
::DEFAULT_CONTEXT_CHARS
;
468 return [ $contextlines, $contextchars ];
472 * Create or update the search index record for the given page.
473 * Title and text should be pre-processed.
477 * @param string $title
478 * @param string $text
480 public function update( $id, $title, $text ) {
485 * Update a search index record's title only.
486 * Title should be pre-processed.
490 * @param string $title
492 public function updateTitle( $id, $title ) {
497 * Delete an indexed page
498 * Title should be pre-processed.
501 * @param int $id Page id that was deleted
502 * @param string $title Title of page that was deleted
504 public function delete( $id, $title ) {
509 * Get the raw text for updating the index from a content object
510 * Nicer search backends could possibly do something cooler than
511 * just returning raw text
513 * @todo This isn't ideal, we'd really like to have content-specific handling here
514 * @param Title $t Title we're indexing
515 * @param Content|null $c Content of the page to index
517 * @deprecated since 1.34 use Content::getTextForSearchIndex directly
519 public function getTextFromContent( Title
$t, ?Content
$c = null ) {
520 return $c ?
$c->getTextForSearchIndex() : '';
524 * If an implementation of SearchEngine handles all of its own text processing
525 * in getTextFromContent() and doesn't require SearchUpdate::updateText()'s
526 * rather silly handling, it should return true here instead.
529 * @deprecated since 1.34 no longer needed since getTextFromContent is being deprecated
531 public function textAlreadyUpdatedForIndex() {
536 * Makes search simple string if it was namespaced.
537 * Sets namespaces of the search to namespaces extracted from string.
538 * @param string $search
539 * @return string Simplified search string
541 protected function normalizeNamespaces( $search ) {
542 $queryAndNs = self
::parseNamespacePrefixes( $search, false, true );
543 if ( $queryAndNs !== false ) {
544 $this->setNamespaces( $queryAndNs[1] );
545 return $queryAndNs[0];
551 * Perform an overfetch of completion search results. This allows
552 * determining if another page of results is available.
554 * @param string $search
555 * @return SearchSuggestionSet
557 protected function completionSearchBackendOverfetch( $search ) {
560 return $this->completionSearchBackend( $search );
567 * Perform a completion search.
568 * Does not resolve namespaces and does not check variants.
569 * Search engine implementations may want to override this function.
571 * @stable to override
573 * @param string $search
574 * @return SearchSuggestionSet
576 protected function completionSearchBackend( $search ) {
579 $search = trim( $search );
581 if ( !in_array( NS_SPECIAL
, $this->namespaces
) && // We do not run hook on Special: search
582 !$this->getHookRunner()->onPrefixSearchBackend(
583 $this->namespaces
, $search, $this->limit
, $results, $this->offset
)
585 // False means hook worked.
586 // FIXME: Yes, the API is weird. That's why it is going to be deprecated.
588 return SearchSuggestionSet
::fromStrings( $results );
590 // Hook did not do the job, use default simple search
591 $results = $this->simplePrefixSearch( $search );
592 return SearchSuggestionSet
::fromTitles( $results );
597 * Perform a completion search.
598 * @param string $search
599 * @return SearchSuggestionSet
601 public function completionSearch( $search ) {
602 if ( trim( $search ) === '' ) {
603 return SearchSuggestionSet
::emptySuggestionSet(); // Return empty result
605 $search = $this->normalizeNamespaces( $search );
606 $suggestions = $this->completionSearchBackendOverfetch( $search );
607 return $this->processCompletionResults( $search, $suggestions );
611 * Perform a completion search with variants.
612 * @stable to override
614 * @param string $search
615 * @return SearchSuggestionSet
617 public function completionSearchWithVariants( $search ) {
618 if ( trim( $search ) === '' ) {
619 return SearchSuggestionSet
::emptySuggestionSet(); // Return empty result
621 $search = $this->normalizeNamespaces( $search );
623 $results = $this->completionSearchBackendOverfetch( $search );
624 $fallbackLimit = 1 +
$this->limit
- $results->getSize();
625 if ( $fallbackLimit > 0 ) {
626 $services = MediaWikiServices
::getInstance();
627 $fallbackSearches = $services->getLanguageConverterFactory()
628 ->getLanguageConverter( $services->getContentLanguage() )
629 ->autoConvertToAllVariants( $search );
630 $fallbackSearches = array_diff( array_unique( $fallbackSearches ), [ $search ] );
632 foreach ( $fallbackSearches as $fbs ) {
633 $this->setLimitOffset( $fallbackLimit );
634 $fallbackSearchResult = $this->completionSearch( $fbs );
635 $results->appendAll( $fallbackSearchResult );
636 $fallbackLimit -= $fallbackSearchResult->getSize();
637 if ( $fallbackLimit <= 0 ) {
642 return $this->processCompletionResults( $search, $results );
646 * Extract titles from completion results
647 * @param SearchSuggestionSet $completionResults
650 public function extractTitles( SearchSuggestionSet
$completionResults ) {
651 return $completionResults->map( static function ( SearchSuggestion
$sugg ) {
652 return $sugg->getSuggestedTitle();
657 * Process completion search results.
658 * Resolves the titles and rescores.
659 * @param string $search
660 * @param SearchSuggestionSet $suggestions
661 * @return SearchSuggestionSet
663 protected function processCompletionResults( $search, SearchSuggestionSet
$suggestions ) {
664 // We over-fetched to determine pagination. Shrink back down if we have extra results
665 // and mark if pagination is possible
666 $suggestions->shrink( $this->limit
);
668 $search = trim( $search );
669 // preload the titles with LinkBatch
670 $linkBatchFactory = MediaWikiServices
::getInstance()->getLinkBatchFactory();
671 $lb = $linkBatchFactory->newLinkBatch( $suggestions->map( static function ( SearchSuggestion
$sugg ) {
672 return $sugg->getSuggestedTitle();
674 $lb->setCaller( __METHOD__
);
677 $diff = $suggestions->filter( static function ( SearchSuggestion
$sugg ) {
678 return $sugg->getSuggestedTitle()->isKnown();
681 MediaWikiServices
::getInstance()->getStatsdDataFactory()
682 ->updateCount( 'search.completion.missing', $diff );
685 // SearchExactMatchRescorer should probably be refactored to work directly on top of a SearchSuggestionSet
686 // instead of converting it to array and trying to infer if it has re-scored anything by inspected the head
687 // of the returned array.
688 $results = $suggestions->map( static function ( SearchSuggestion
$sugg ) {
689 return $sugg->getSuggestedTitle()->getPrefixedText();
692 $rescorer = new SearchExactMatchRescorer();
693 if ( $this->offset
=== 0 ) {
694 // Rescore results with an exact title match
695 // NOTE: in some cases like cross-namespace redirects
696 // (frequently used as shortcuts e.g. WP:WP on huwiki) some
697 // backends like Cirrus will return no results. We should still
698 // try an exact title match to workaround this limitation
699 $rescoredResults = $rescorer->rescore( $search, $this->namespaces
, $results, $this->limit
);
701 // No need to rescore if offset is not 0
702 // The exact match must have been returned at position 0
704 $rescoredResults = $results;
707 if ( count( $rescoredResults ) > 0 ) {
708 $found = array_search( $rescoredResults[0], $results );
709 if ( $found === false ) {
710 // If the first result is not in the previous array it
711 // means that we found a new exact match
712 $exactMatch = SearchSuggestion
::fromTitle( 0, Title
::newFromText( $rescoredResults[0] ) );
713 $suggestions->prepend( $exactMatch );
714 if ( $rescorer->getReplacedRedirect() !== null ) {
715 // the exact match rescorer replaced one of the suggestion found by the search engine
716 // let's remove it from our suggestions set to avoid showing duplicates
717 $suggestions->remove( SearchSuggestion
::fromTitle( 0,
718 Title
::newFromText( $rescorer->getReplacedRedirect() ) ) );
720 $suggestions->shrink( $this->limit
);
722 // if the first result is not the same we need to rescore
724 $suggestions->rescore( $found );
733 * Simple prefix search for subpages.
734 * @param string $search
737 public function defaultPrefixSearch( $search ) {
738 if ( trim( $search ) === '' ) {
742 $search = $this->normalizeNamespaces( $search );
743 return $this->simplePrefixSearch( $search );
747 * Call out to simple search backend.
748 * Defaults to TitlePrefixSearch.
749 * @param string $search
752 protected function simplePrefixSearch( $search ) {
753 // Use default database prefix search
754 $backend = new TitlePrefixSearch
;
755 return $backend->defaultSearchBackend( $this->namespaces
, $search, $this->limit
, $this->offset
);
759 * Get a list of supported profiles.
760 * Some search engine implementations may expose specific profiles to fine-tune
762 * The profile can be passed as a feature data with setFeatureData( $profileType, $profileName )
763 * The array returned by this function contains the following keys:
764 * - name: the profile name to use with setFeatureData
765 * - desc-message: the i18n description
766 * - default: set to true if this profile is the default
769 * @stable to override
771 * @param string $profileType the type of profiles
772 * @param User|null $user the user requesting the list of profiles
773 * @return array|null the list of profiles or null if none available
774 * @phan-return null|array{name:string,desc-message:string,default?:bool}
776 public function getProfiles( $profileType, ?User
$user = null ) {
781 * Create a search field definition.
782 * Specific search engines should override this method to create search fields.
783 * @stable to override
785 * @param string $name
786 * @param string $type One of the types in SearchIndexField::INDEX_TYPE_*
787 * @return SearchIndexField
790 public function makeSearchFieldMapping( $name, $type ) {
791 return new NullIndexField();
795 * Get fields for search index
797 * @return SearchIndexField[] Index field definitions for all content handlers
799 public function getSearchIndexFields() {
800 $models = MediaWikiServices
::getInstance()->getContentHandlerFactory()->getContentModels();
802 $seenHandlers = new SplObjectStorage();
803 foreach ( $models as $model ) {
805 $handler = MediaWikiServices
::getInstance()
806 ->getContentHandlerFactory()
807 ->getContentHandler( $model );
808 } catch ( MWUnknownContentModelException
$e ) {
809 // If we can find no handler, ignore it
812 // Several models can have the same handler, so avoid processing it repeatedly
813 if ( $seenHandlers->contains( $handler ) ) {
814 // We already did this one
817 $seenHandlers->attach( $handler );
818 $handlerFields = $handler->getFieldsForSearchIndex( $this );
819 foreach ( $handlerFields as $fieldName => $fieldData ) {
820 if ( empty( $fields[$fieldName] ) ) {
821 $fields[$fieldName] = $fieldData;
823 // TODO: do we allow some clashes with the same type or reject all of them?
824 $mergeDef = $fields[$fieldName]->merge( $fieldData );
826 throw new InvalidArgumentException( "Duplicate field $fieldName for model $model" );
828 $fields[$fieldName] = $mergeDef;
832 // Hook to allow extensions to produce search mapping fields
833 $this->getHookRunner()->onSearchIndexFields( $fields, $this );
838 * Augment search results with extra data.
840 * @param ISearchResultSet $resultSet
842 public function augmentSearchResults( ISearchResultSet
$resultSet ) {
845 $this->getHookRunner()->onSearchResultsAugment( $setAugmentors, $rowAugmentors );
846 if ( !$setAugmentors && !$rowAugmentors ) {
851 // Convert row augmentors to set augmentor
852 foreach ( $rowAugmentors as $name => $row ) {
853 if ( isset( $setAugmentors[$name] ) ) {
854 throw new InvalidArgumentException( "Both row and set augmentors are defined for $name" );
856 $setAugmentors[$name] = new PerRowAugmentor( $row );
861 * @var ResultSetAugmentor $augmentor
863 foreach ( $setAugmentors as $name => $augmentor ) {
864 $data = $augmentor->augmentAll( $resultSet );
866 $resultSet->setAugmentedData( $name, $data );
874 * @param HookContainer $hookContainer
876 public function setHookContainer( HookContainer
$hookContainer ) {
877 $this->hookContainer
= $hookContainer;
878 $this->hookRunner
= new HookRunner( $hookContainer );
882 * Get a HookContainer, for running extension hooks or for hook metadata.
885 * @return HookContainer
887 protected function getHookContainer(): HookContainer
{
888 if ( !$this->hookContainer
) {
889 // This shouldn't be hit in core, but it is needed for CirrusSearch
890 // which commonly creates a CirrusSearch object without cirrus being
891 // configured in $wgSearchType/$wgSearchTypeAlternatives.
892 $this->hookContainer
= MediaWikiServices
::getInstance()->getHookContainer();
894 return $this->hookContainer
;
898 * Get a HookRunner for running core hooks.
900 * @internal This is for use by core only. Hook interfaces may be removed
905 protected function getHookRunner(): HookRunner
{
906 if ( !$this->hookRunner
) {
907 $this->hookRunner
= new HookRunner( $this->getHookContainer() );
909 return $this->hookRunner
;