MediaWiki  1.28.3
SearchEngine.php
Go to the documentation of this file.
1 <?php
29 
34 abstract class SearchEngine {
36  public $prefix = '';
37 
39  public $namespaces = [ NS_MAIN ];
40 
42  protected $limit = 10;
43 
45  protected $offset = 0;
46 
48  protected $searchTerms = [];
49 
51  protected $showSuggestion = true;
52  private $sort = 'relevance';
53 
55  protected $features = [];
56 
58  const COMPLETION_PROFILE_TYPE = 'completionSearchProfile';
59 
61  const FT_QUERY_INDEP_PROFILE_TYPE = 'fulltextQueryIndepProfile';
62 
64  const CHARS_ALL = 1;
65 
67  const CHARS_NO_SYNTAX = 2;
68 
77  function searchText( $term ) {
78  return null;
79  }
80 
89  function searchTitle( $term ) {
90  return null;
91  }
92 
98  public function supports( $feature ) {
99  switch ( $feature ) {
100  case 'search-update':
101  return true;
102  case 'title-suffix-filter':
103  default:
104  return false;
105  }
106  }
107 
115  public function setFeatureData( $feature, $data ) {
116  $this->features[$feature] = $data;
117  }
118 
127  public function normalizeText( $string ) {
129 
130  // Some languages such as Chinese require word segmentation
131  return $wgContLang->segmentByWord( $string );
132  }
133 
141  public function transformSearchTerm( $term ) {
142  return $term;
143  }
144 
150  public function getNearMatcher( Config $config ) {
152  return new SearchNearMatcher( $config, $wgContLang );
153  }
154 
159  protected static function defaultNearMatcher() {
160  $config = MediaWikiServices::getInstance()->getMainConfig();
161  return MediaWikiServices::getInstance()->newSearchEngine()->getNearMatcher( $config );
162  }
163 
171  public static function getNearMatch( $searchterm ) {
172  return static::defaultNearMatcher()->getNearMatch( $searchterm );
173  }
174 
182  public static function getNearMatchResultSet( $searchterm ) {
183  return static::defaultNearMatcher()->getNearMatchResultSet( $searchterm );
184  }
185 
193  public static function legalSearchChars( $type = self::CHARS_ALL ) {
194  return "A-Za-z_'.0-9\\x80-\\xFF\\-";
195  }
196 
204  function setLimitOffset( $limit, $offset = 0 ) {
205  $this->limit = intval( $limit );
206  $this->offset = intval( $offset );
207  }
208 
216  if ( $namespaces ) {
217  // Filter namespaces to only keep valid ones
218  $validNs = $this->searchableNamespaces();
219  $namespaces = array_filter( $namespaces, function( $ns ) use( $validNs ) {
220  return $ns < 0 || isset( $validNs[$ns] );
221  } );
222  } else {
223  $namespaces = [];
224  }
225  $this->namespaces = $namespaces;
226  }
227 
236  $this->showSuggestion = $showSuggestion;
237  }
238 
246  public function getValidSorts() {
247  return [ 'relevance' ];
248  }
249 
258  public function setSort( $sort ) {
259  if ( !in_array( $sort, $this->getValidSorts() ) ) {
260  throw new InvalidArgumentException( "Invalid sort: $sort. " .
261  "Must be one of: " . implode( ', ', $this->getValidSorts() ) );
262  }
263  $this->sort = $sort;
264  }
265 
272  public function getSort() {
273  return $this->sort;
274  }
275 
284  function replacePrefixes( $query ) {
285  $queryAndNs = self::parseNamespacePrefixes( $query );
286  if ( $queryAndNs === false ) {
287  return $query;
288  }
289  $this->namespaces = $queryAndNs[1];
290  return $queryAndNs[0];
291  }
292 
302  public static function parseNamespacePrefixes( $query ) {
304 
305  $parsed = $query;
306  if ( strpos( $query, ':' ) === false ) { // nothing to do
307  return false;
308  }
309  $extractedNamespace = null;
310 
311  $allkeyword = wfMessage( 'searchall' )->inContentLanguage()->text() . ":";
312  if ( strncmp( $query, $allkeyword, strlen( $allkeyword ) ) == 0 ) {
313  $extractedNamespace = null;
314  $parsed = substr( $query, strlen( $allkeyword ) );
315  } elseif ( strpos( $query, ':' ) !== false ) {
316  // TODO: should we unify with PrefixSearch::extractNamespace ?
317  $prefix = str_replace( ' ', '_', substr( $query, 0, strpos( $query, ':' ) ) );
318  $index = $wgContLang->getNsIndex( $prefix );
319  if ( $index !== false ) {
320  $extractedNamespace = [ $index ];
321  $parsed = substr( $query, strlen( $prefix ) + 1 );
322  } else {
323  return false;
324  }
325  }
326 
327  if ( trim( $parsed ) == '' ) {
328  $parsed = $query; // prefix was the whole query
329  }
330 
331  return [ $parsed, $extractedNamespace ];
332  }
333 
338  public static function userHighlightPrefs() {
339  $contextlines = 2; // Hardcode this. Old defaults sucked. :)
340  $contextchars = 75; // same as above.... :P
341  return [ $contextlines, $contextchars ];
342  }
343 
353  function update( $id, $title, $text ) {
354  // no-op
355  }
356 
365  function updateTitle( $id, $title ) {
366  // no-op
367  }
368 
377  function delete( $id, $title ) {
378  // no-op
379  }
380 
387  public static function getOpenSearchTemplate() {
388  wfDeprecated( __METHOD__, '1.25' );
389  return ApiOpenSearch::getOpenSearchTemplate( 'application/x-suggestions+json' );
390  }
391 
402  public function getTextFromContent( Title $t, Content $c = null ) {
403  return $c ? $c->getTextForSearchIndex() : '';
404  }
405 
413  public function textAlreadyUpdatedForIndex() {
414  return false;
415  }
416 
423  protected function normalizeNamespaces( $search ) {
424  // Find a Title which is not an interwiki and is in NS_MAIN
425  $title = Title::newFromText( $search );
426  $ns = $this->namespaces;
427  if ( $title && !$title->isExternal() ) {
428  $ns = [ $title->getNamespace() ];
429  $search = $title->getText();
430  if ( $ns[0] == NS_MAIN ) {
431  $ns = $this->namespaces; // no explicit prefix, use default namespaces
432  Hooks::run( 'PrefixSearchExtractNamespace', [ &$ns, &$search ] );
433  }
434  } else {
435  $title = Title::newFromText( $search . 'Dummy' );
436  if ( $title && $title->getText() == 'Dummy'
437  && $title->getNamespace() != NS_MAIN
438  && !$title->isExternal() )
439  {
440  $ns = [ $title->getNamespace() ];
441  $search = '';
442  } else {
443  Hooks::run( 'PrefixSearchExtractNamespace', [ &$ns, &$search ] );
444  }
445  }
446 
447  $ns = array_map( function( $space ) {
448  return $space == NS_MEDIA ? NS_FILE : $space;
449  }, $ns );
450 
451  $this->setNamespaces( $ns );
452  return $search;
453  }
454 
462  protected function completionSearchBackend( $search ) {
463  $results = [];
464 
465  $search = trim( $search );
466 
467  if ( !in_array( NS_SPECIAL, $this->namespaces ) && // We do not run hook on Special: search
468  !Hooks::run( 'PrefixSearchBackend',
469  [ $this->namespaces, $search, $this->limit, &$results, $this->offset ]
470  ) ) {
471  // False means hook worked.
472  // FIXME: Yes, the API is weird. That's why it is going to be deprecated.
473 
474  return SearchSuggestionSet::fromStrings( $results );
475  } else {
476  // Hook did not do the job, use default simple search
477  $results = $this->simplePrefixSearch( $search );
478  return SearchSuggestionSet::fromTitles( $results );
479  }
480  }
481 
487  public function completionSearch( $search ) {
488  if ( trim( $search ) === '' ) {
489  return SearchSuggestionSet::emptySuggestionSet(); // Return empty result
490  }
491  $search = $this->normalizeNamespaces( $search );
492  return $this->processCompletionResults( $search, $this->completionSearchBackend( $search ) );
493  }
494 
500  public function completionSearchWithVariants( $search ) {
501  if ( trim( $search ) === '' ) {
502  return SearchSuggestionSet::emptySuggestionSet(); // Return empty result
503  }
504  $search = $this->normalizeNamespaces( $search );
505 
506  $results = $this->completionSearchBackend( $search );
507  $fallbackLimit = $this->limit - $results->getSize();
508  if ( $fallbackLimit > 0 ) {
510 
511  $fallbackSearches = $wgContLang->autoConvertToAllVariants( $search );
512  $fallbackSearches = array_diff( array_unique( $fallbackSearches ), [ $search ] );
513 
514  foreach ( $fallbackSearches as $fbs ) {
515  $this->setLimitOffset( $fallbackLimit );
516  $fallbackSearchResult = $this->completionSearch( $fbs );
517  $results->appendAll( $fallbackSearchResult );
518  $fallbackLimit -= count( $fallbackSearchResult );
519  if ( $fallbackLimit <= 0 ) {
520  break;
521  }
522  }
523  }
524  return $this->processCompletionResults( $search, $results );
525  }
526 
532  public function extractTitles( SearchSuggestionSet $completionResults ) {
533  return $completionResults->map( function( SearchSuggestion $sugg ) {
534  return $sugg->getSuggestedTitle();
535  } );
536  }
537 
544  protected function processCompletionResults( $search, SearchSuggestionSet $suggestions ) {
545  $search = trim( $search );
546  // preload the titles with LinkBatch
547  $titles = $suggestions->map( function( SearchSuggestion $sugg ) {
548  return $sugg->getSuggestedTitle();
549  } );
550  $lb = new LinkBatch( $titles );
551  $lb->setCaller( __METHOD__ );
552  $lb->execute();
553 
554  $results = $suggestions->map( function( SearchSuggestion $sugg ) {
555  return $sugg->getSuggestedTitle()->getPrefixedText();
556  } );
557 
558  if ( $this->offset === 0 ) {
559  // Rescore results with an exact title match
560  // NOTE: in some cases like cross-namespace redirects
561  // (frequently used as shortcuts e.g. WP:WP on huwiki) some
562  // backends like Cirrus will return no results. We should still
563  // try an exact title match to workaround this limitation
564  $rescorer = new SearchExactMatchRescorer();
565  $rescoredResults = $rescorer->rescore( $search, $this->namespaces, $results, $this->limit );
566  } else {
567  // No need to rescore if offset is not 0
568  // The exact match must have been returned at position 0
569  // if it existed.
570  $rescoredResults = $results;
571  }
572 
573  if ( count( $rescoredResults ) > 0 ) {
574  $found = array_search( $rescoredResults[0], $results );
575  if ( $found === false ) {
576  // If the first result is not in the previous array it
577  // means that we found a new exact match
578  $exactMatch = SearchSuggestion::fromTitle( 0, Title::newFromText( $rescoredResults[0] ) );
579  $suggestions->prepend( $exactMatch );
580  $suggestions->shrink( $this->limit );
581  } else {
582  // if the first result is not the same we need to rescore
583  if ( $found > 0 ) {
584  $suggestions->rescore( $found );
585  }
586  }
587  }
588 
589  return $suggestions;
590  }
591 
597  public function defaultPrefixSearch( $search ) {
598  if ( trim( $search ) === '' ) {
599  return [];
600  }
601 
602  $search = $this->normalizeNamespaces( $search );
603  return $this->simplePrefixSearch( $search );
604  }
605 
612  protected function simplePrefixSearch( $search ) {
613  // Use default database prefix search
614  $backend = new TitlePrefixSearch;
615  return $backend->defaultSearchBackend( $this->namespaces, $search, $this->limit, $this->offset );
616  }
617 
623  public static function searchableNamespaces() {
624  return MediaWikiServices::getInstance()->getSearchEngineConfig()->searchableNamespaces();
625  }
626 
634  public static function userNamespaces( $user ) {
635  return MediaWikiServices::getInstance()->getSearchEngineConfig()->userNamespaces( $user );
636  }
637 
643  public static function defaultNamespaces() {
644  return MediaWikiServices::getInstance()->getSearchEngineConfig()->defaultNamespaces();
645  }
646 
654  public static function namespacesAsText( $namespaces ) {
655  return MediaWikiServices::getInstance()->getSearchEngineConfig()->namespacesAsText( $namespaces );
656  }
657 
665  public static function create( $type = null ) {
666  return MediaWikiServices::getInstance()->getSearchEngineFactory()->create( $type );
667  }
668 
675  public static function getSearchTypes() {
676  return MediaWikiServices::getInstance()->getSearchEngineConfig()->getSearchTypes();
677  }
678 
694  public function getProfiles( $profileType, User $user = null ) {
695  return null;
696  }
697 
706  public function makeSearchFieldMapping( $name, $type ) {
707  return new NullIndexField();
708  }
709 
715  public function getSearchIndexFields() {
717  $fields = [];
718  foreach ( $models as $model ) {
720  $handlerFields = $handler->getFieldsForSearchIndex( $this );
721  foreach ( $handlerFields as $fieldName => $fieldData ) {
722  if ( empty( $fields[$fieldName] ) ) {
723  $fields[$fieldName] = $fieldData;
724  } else {
725  // TODO: do we allow some clashes with the same type or reject all of them?
726  $mergeDef = $fields[$fieldName]->merge( $fieldData );
727  if ( !$mergeDef ) {
728  throw new InvalidArgumentException( "Duplicate field $fieldName for model $model" );
729  }
730  $fields[$fieldName] = $mergeDef;
731  }
732  }
733  }
734  // Hook to allow extensions to produce search mapping fields
735  Hooks::run( 'SearchIndexFields', [ &$fields, $this ] );
736  return $fields;
737  }
738 
744  public function augmentSearchResults( SearchResultSet $resultSet ) {
745  $setAugmentors = [];
746  $rowAugmentors = [];
747  Hooks::run( "SearchResultsAugment", [ &$setAugmentors, &$rowAugmentors ] );
748 
749  if ( !$setAugmentors && !$rowAugmentors ) {
750  // We're done here
751  return;
752  }
753 
754  // Convert row augmentors to set augmentor
755  foreach ( $rowAugmentors as $name => $row ) {
756  if ( isset( $setAugmentors[$name] ) ) {
757  throw new InvalidArgumentException( "Both row and set augmentors are defined for $name" );
758  }
759  $setAugmentors[$name] = new PerRowAugmentor( $row );
760  }
761 
762  foreach ( $setAugmentors as $name => $augmentor ) {
763  $data = $augmentor->augmentAll( $resultSet );
764  if ( $data ) {
765  $resultSet->setAugmentedData( $name, $data );
766  }
767  }
768  }
769 }
770 
778  // no-op
779 }
Dummy class to be used when non-supported Database engine is present.
getSort()
Get the sort direction of the search results.
the value to return A Title object or null for latest all implement SearchIndexField must implement ResultSetAugmentor & $rowAugmentors
Definition: hooks.txt:2740
replacePrefixes($query)
Parse some common prefixes: all (search everything) or namespace names and set the list of namespaces...
string $prefix
static getNearMatchResultSet($searchterm)
Do a near match (see SearchEngine::getNearMatch) and wrap it into a SearchResultSet.
external whereas SearchGetNearMatch runs after $term
Definition: hooks.txt:2717
transformSearchTerm($term)
Transform search term in cases when parts of the query came as different GET params (when supported)...
static searchableNamespaces()
Make a list of searchable namespaces and their canonical names.
searchText($term)
Perform a full text search query and return a result set.
null for the local wiki Added should default to null in handler for backwards compatibility add a value to it if you want to add a cookie that have to vary cache options can modify $query
Definition: hooks.txt:1559
Search suggestion.
completionSearchBackend($search)
Perform a completion search.
static defaultNamespaces()
An array of namespaces indexes to be searched by default.
static namespacesAsText($namespaces)
Get a list of namespace names useful for showing in tooltips and preferences.
const NS_MAIN
Definition: Defines.php:56
to move a page</td >< td > &*You are moving the page across namespaces
static legalSearchChars($type=self::CHARS_ALL)
Get chars legal for search NOTE: usage as static is deprecated and preserved only as BC measure...
static userNamespaces($user)
Extract default namespaces to search from the given user's settings, returning a list of index number...
makeSearchFieldMapping($name, $type)
Create a search field definition.
Apache License January AND DISTRIBUTION Definitions License shall mean the terms and conditions for use
static getForModelID($modelId)
Returns the ContentHandler singleton for the given model ID.
static getContentModels()
update($id, $title, $text)
Create or update the search index record for the given page.
setShowSuggestion($showSuggestion)
Set whether the searcher should try to build a suggestion.
defaultPrefixSearch($search)
Simple prefix search for subpages.
const NS_SPECIAL
Definition: Defines.php:45
injection txt This is an overview of how MediaWiki makes use of dependency injection The design described here grew from the discussion of RFC T384 The term dependency this means that anything an object needs to operate should be injected from the the object itself should only know narrow no concrete implementation of the logic it relies on The requirement to inject everything typically results in an architecture that based on two main types of and essentially stateless service objects that use other service objects to operate on the value objects As of the beginning MediaWiki is only starting to use the DI approach Much of the code still relies on global state or direct resulting in a highly cyclical dependency MediaWikiServices
Definition: injection.txt:23
static newFromText($text, $defaultNamespace=NS_MAIN)
Create a new Title from text, such as what one would find in a link.
Definition: Title.php:262
static fromStrings(array $titles)
Builds a new set of suggestion based on a string array.
when a variable name is used in a it is silently declared as a new local masking the global
Definition: design.txt:93
getSuggestedTitle()
Title object in the case this suggestion is based on a title.
simplePrefixSearch($search)
Call out to simple search backend.
Null index field - means search engine does not implement this field.
supports($feature)
completionSearchWithVariants($search)
Perform a completion search with variants.
Class representing a list of titles The execute() method checks them all for existence and adds them ...
Definition: LinkBatch.php:32
normalizeNamespaces($search)
Makes search simple string if it was namespaced.
static getOpenSearchTemplate()
Get OpenSearch suggestion template.
setLimitOffset($limit, $offset=0)
Set the maximum number of results to return and how many to skip before returning the first...
normalizeText($string)
When overridden in derived class, performs database-specific conversions on text to be used for searc...
map($callback)
Call array_map on the suggestions array.
prepend(SearchSuggestion $suggestion)
Add a new suggestion at the top.
either a unescaped string or a HtmlArmor object after in associative array form externallinks including delete and has completed for all link tables whether this was an auto creation default is conds Array Extra conditions for the No matching items in log is displayed if loglist is empty msgKey Array If you want a nice box with a set this to the key of the message First element is the message additional optional elements are parameters for the key that are processed with wfMessage() -> params() ->parseAsBlock()-offset Set to overwrite offset parameter in $wgRequest set to ''to unsetoffset-wrap String Wrap the message in html(usually something like"&lt
defaultSearchBackend($namespaces, $search, $limit, $offset)
Unless overridden by PrefixSearchBackend hook...
getTextFromContent(Title $t, Content $c=null)
Get the raw text for updating the index from a content object Nicer search backends could possibly do...
array string $searchTerms
const NS_MEDIA
Definition: Defines.php:44
searchTitle($term)
Perform a title-only search query and return a result set.
An utility class to rescore search results by looking for an exact match in the db and add the page f...
getProfiles($profileType, User $user=null)
Get a list of supported profiles.
Base interface for content objects.
Definition: Content.php:34
textAlreadyUpdatedForIndex()
If an implementation of SearchEngine handles all of its own text processing in getTextFromContent() a...
static getNearMatch($searchterm)
If an exact title match can be found, or a very slightly close match, return the title.
getValidSorts()
Get the valid sort directions.
static defaultNearMatcher()
Get near matcher for default SearchEngine.
wfDeprecated($function, $version=false, $component=false, $callerOffset=2)
Throws a warning that $function is deprecated.
const COMPLETION_PROFILE_TYPE
string profile type for completionSearch
bool $showSuggestion
namespace and then decline to actually register it file or subcat img or subcat $title
Definition: hooks.txt:957
static run($event, array $args=[], $deprecatedVersion=null)
Call hook functions defined in Hooks::register and $wgHooks.
Definition: Hooks.php:131
const NS_FILE
Definition: Defines.php:62
extractTitles(SearchSuggestionSet $completionResults)
Extract titles from completion results.
const CHARS_ALL
int flag for legalSearchChars: includes all chars allowed in a search query
static getSearchTypes()
Return the search engines we support.
This document is intended to provide useful advice for parties seeking to redistribute MediaWiki to end users It s targeted particularly at maintainers for Linux since it s been observed that distribution packages of MediaWiki often break We ve consistently had to recommend that users seeking support use official tarballs instead of their distribution s and this often solves whatever problem the user is having It would be nice if this could such as
Definition: distributors.txt:9
Performs prefix search, returning Title objects.
updateTitle($id, $title)
Update a search index record's title only.
please add to it if you re going to add events to the MediaWiki code where normally authentication against an external auth plugin would be creating a local account $user
Definition: hooks.txt:246
shrink($limit)
Remove any extra elements in the suggestions set.
const FT_QUERY_INDEP_PROFILE_TYPE
string profile type for query independent ranking features
setSort($sort)
Set the sort direction of the search results.
injection txt This is an overview of how MediaWiki makes use of dependency injection The design described here grew from the discussion of RFC T384 The term dependency this means that anything an object needs to operate should be injected from the the object itself should only know narrow no concrete implementation of the logic it relies on The requirement to inject everything typically results in an architecture that based on two main types of and essentially stateless service objects that use other service objects to operate on the value objects As of the beginning MediaWiki is only starting to use the DI approach Much of the code still relies on global state or direct resulting in a highly cyclical dependency which acts as the top level factory for services in MediaWiki which can be used to gain access to default instances of various services MediaWikiServices however also allows new services to be defined and default services to be redefined Services are defined or redefined by providing a callback the instantiator that will return a new instance of the service When it will create an instance of MediaWikiServices and populate it with the services defined in the files listed by thereby bootstrapping the DI framework Per $wgServiceWiringFiles lists includes ServiceWiring php
Definition: injection.txt:35
int[] null $namespaces
setFeatureData($feature, $data)
Way to pass custom data for engines.
Implementation of near match title search.
linkcache txt The LinkCache class maintains a list of article titles and the information about whether or not the article exists in the database This is used to mark up links when displaying a page If the same link appears more than once on any page then it only has to be looked up once In most cases link lookups are done in batches with the LinkBatch class or the equivalent in so the link cache is mostly useful for short snippets of parsed and for links in the navigation areas of the skin The link cache was formerly used to track links used in a document for the purposes of updating the link tables This application is now deprecated To create a you can use the following $titles
Definition: linkcache.txt:17
static parseNamespacePrefixes($query)
Parse some common prefixes: all (search everything) or namespace names.
array $features
Feature values.
setNamespaces($namespaces)
Set which namespaces the search should include.
augmentSearchResults(SearchResultSet $resultSet)
Augment search results with extra data.
completionSearch($search)
Perform a completion search.
rescore($key)
Move the suggestion at index $key to the first position.
this class mediates it Skin Encapsulates a look and feel for the wiki All of the functions that render HTML and make choices about how to render it are here and are called from various other places when and is meant to be subclassed with other skins that may override some of its functions The User object contains a reference to a and so rather than having a global skin object we just rely on the global User and get the skin with $wgUser and also has some character encoding functions and other locale stuff The current user interface language is instantiated as and the local content language as $wgContLang
Definition: design.txt:56
getSearchIndexFields()
Get fields for search index.
Search suggestion sets.
Perform augmentation of each row and return composite result, indexed by ID.
static create($type=null)
Load up the appropriate search engine class for the currently active database backend, and return a configured instance.
setAugmentedData($name, $data)
Sets augmented data for result set.
this hook is for auditing only or null if authentication failed before getting that far or null if we can t even determine that probably a stub it is not rendered in wiki pages or galleries in category pages allow injecting custom HTML after the section Any uses of the hook need to handle escaping see BaseTemplate::getToolbox and BaseTemplate::makeListItem for details on the format of individual items inside of this array or by returning and letting standard HTTP rendering take place modifiable or by returning false and taking over the output modifiable modifiable after all normalizations have been except for the $wgMaxImageArea check set to true or false to override the $wgMaxImageArea check result gives extension the possibility to transform it themselves $handler
Definition: hooks.txt:806
getNearMatcher(Config $config)
Get service class to finding near matches.
static fromTitle($score, Title $title)
Create suggestion from Title.
const CHARS_NO_SYNTAX
int flag for legalSearchChars: includes all chars allowed in a search term
static fromTitles(array $titles)
Builds a new set of suggestion based on a title array.
do that in ParserLimitReportFormat instead use this to modify the parameters of the image and a DIV can begin in one section and end in another Make sure your code can handle that case gracefully See the EditSectionClearerLink extension for an example zero but section is usually empty its values are the globals values before the output is cached one of or reset my talk my contributions etc etc otherwise the built in rate limiting checks are if enabled allows for interception of redirect as a string mapping parameter names to values & $type
Definition: hooks.txt:2495
processCompletionResults($search, SearchSuggestionSet $suggestions)
Process completion search results.
static userHighlightPrefs()
Find snippet highlight settings for all users.
static getOpenSearchTemplate($type)
Fetch the template for a type.
Allows to change the fields on the form that will be generated $name
Definition: hooks.txt:304