Deprecate SearchEngine::replacePrefixes
[lhc/web/wiklou.git] / includes / specials / SpecialSearch.php
1 <?php
2 /**
3 * Implements Special:Search
4 *
5 * Copyright © 2004 Brion Vibber <brion@pobox.com>
6 *
7 * This program is free software; you can redistribute it and/or modify
8 * it under the terms of the GNU General Public License as published by
9 * the Free Software Foundation; either version 2 of the License, or
10 * (at your option) any later version.
11 *
12 * This program is distributed in the hope that it will be useful,
13 * but WITHOUT ANY WARRANTY; without even the implied warranty of
14 * MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the
15 * GNU General Public License for more details.
16 *
17 * You should have received a copy of the GNU General Public License along
18 * with this program; if not, write to the Free Software Foundation, Inc.,
19 * 51 Franklin Street, Fifth Floor, Boston, MA 02110-1301, USA.
20 * http://www.gnu.org/copyleft/gpl.html
21 *
22 * @file
23 * @ingroup SpecialPage
24 */
25
26 use MediaWiki\MediaWikiServices;
27 use MediaWiki\Widget\Search\BasicSearchResultSetWidget;
28 use MediaWiki\Widget\Search\FullSearchResultWidget;
29 use MediaWiki\Widget\Search\InterwikiSearchResultWidget;
30 use MediaWiki\Widget\Search\InterwikiSearchResultSetWidget;
31 use MediaWiki\Widget\Search\SimpleSearchResultWidget;
32 use MediaWiki\Widget\Search\SimpleSearchResultSetWidget;
33
34 /**
35 * implements Special:Search - Run text & title search and display the output
36 * @ingroup SpecialPage
37 */
38 class SpecialSearch extends SpecialPage {
39 /**
40 * Current search profile. Search profile is just a name that identifies
41 * the active search tab on the search page (content, discussions...)
42 * For users tt replaces the set of enabled namespaces from the query
43 * string when applicable. Extensions can add new profiles with hooks
44 * with custom search options just for that profile.
45 * @var null|string
46 */
47 protected $profile;
48
49 /** @var SearchEngine Search engine */
50 protected $searchEngine;
51
52 /** @var string Search engine type, if not default */
53 protected $searchEngineType;
54
55 /** @var array For links */
56 protected $extraParams = [];
57
58 /**
59 * @var string The prefix url parameter. Set on the searcher and the
60 * is expected to treat it as prefix filter on titles.
61 */
62 protected $mPrefix;
63
64 /**
65 * @var int
66 */
67 protected $limit, $offset;
68
69 /**
70 * @var array
71 */
72 protected $namespaces;
73
74 /**
75 * @var string
76 */
77 protected $fulltext;
78
79 /**
80 * @var bool
81 */
82 protected $runSuggestion = true;
83
84 /**
85 * Search engine configurations.
86 * @var SearchEngineConfig
87 */
88 protected $searchConfig;
89
90 const NAMESPACES_CURRENT = 'sense';
91
92 public function __construct() {
93 parent::__construct( 'Search' );
94 $this->searchConfig = MediaWikiServices::getInstance()->getSearchEngineConfig();
95 }
96
97 /**
98 * Entry point
99 *
100 * @param string $par
101 */
102 public function execute( $par ) {
103 $request = $this->getRequest();
104 $out = $this->getOutput();
105
106 // Fetch the search term
107 $term = str_replace( "\n", " ", $request->getText( 'search' ) );
108
109 // Historically search terms have been accepted not only in the search query
110 // parameter, but also as part of the primary url. This can have PII implications
111 // in releasing page view data. As such issue a 301 redirect to the correct
112 // URL.
113 if ( strlen( $par ) && !strlen( $term ) ) {
114 $query = $request->getValues();
115 unset( $query['title'] );
116 // Strip underscores from title parameter; most of the time we'll want
117 // text form here. But don't strip underscores from actual text params!
118 $query['search'] = str_replace( '_', ' ', $par );
119 $out->redirect( $this->getPageTitle()->getFullURL( $query ), 301 );
120 return;
121 }
122
123 // Need to load selected namespaces before handling nsRemember
124 $this->load();
125 // TODO: This performs database actions on GET request, which is going to
126 // be a problem for our multi-datacenter work.
127 if ( !is_null( $request->getVal( 'nsRemember' ) ) ) {
128 $this->saveNamespaces();
129 // Remove the token from the URL to prevent the user from inadvertently
130 // exposing it (e.g. by pasting it into a public wiki page) or undoing
131 // later settings changes (e.g. by reloading the page).
132 $query = $request->getValues();
133 unset( $query['title'], $query['nsRemember'] );
134 $out->redirect( $this->getPageTitle()->getFullURL( $query ) );
135 return;
136 }
137
138 $this->searchEngineType = $request->getVal( 'srbackend' );
139 if (
140 !$request->getVal( 'fulltext' ) &&
141 $request->getVal( 'offset' ) === null
142 ) {
143 $url = $this->goResult( $term );
144 if ( $url !== null ) {
145 // successful 'go'
146 $out->redirect( $url );
147 return;
148 }
149 // No match. If it could plausibly be a title
150 // run the No go match hook.
151 $title = Title::newFromText( $term );
152 if ( !is_null( $title ) ) {
153 Hooks::run( 'SpecialSearchNogomatch', [ &$title ] );
154 }
155 }
156
157 $this->setupPage( $term );
158
159 if ( $this->getConfig()->get( 'DisableTextSearch' ) ) {
160 $searchForwardUrl = $this->getConfig()->get( 'SearchForwardUrl' );
161 if ( $searchForwardUrl ) {
162 $url = str_replace( '$1', urlencode( $term ), $searchForwardUrl );
163 $out->redirect( $url );
164 } else {
165 $out->addHTML(
166 "<fieldset>" .
167 "<legend>" .
168 $this->msg( 'search-external' )->escaped() .
169 "</legend>" .
170 "<p class='mw-searchdisabled'>" .
171 $this->msg( 'searchdisabled' )->escaped() .
172 "</p>" .
173 $this->msg( 'googlesearch' )->rawParams(
174 htmlspecialchars( $term ),
175 'UTF-8',
176 $this->msg( 'searchbutton' )->escaped()
177 )->text() .
178 "</fieldset>"
179 );
180 }
181
182 return;
183 }
184
185 $this->showResults( $term );
186 }
187
188 /**
189 * Set up basic search parameters from the request and user settings.
190 *
191 * @see tests/phpunit/includes/specials/SpecialSearchTest.php
192 */
193 public function load() {
194 $request = $this->getRequest();
195 list( $this->limit, $this->offset ) = $request->getLimitOffset( 20, '' );
196 $this->mPrefix = $request->getVal( 'prefix', '' );
197 if ( $this->mPrefix !== '' ) {
198 $this->setExtraParam( 'prefix', $this->mPrefix );
199 }
200
201 $user = $this->getUser();
202
203 # Extract manually requested namespaces
204 $nslist = $this->powerSearch( $request );
205 if ( !count( $nslist ) ) {
206 # Fallback to user preference
207 $nslist = $this->searchConfig->userNamespaces( $user );
208 }
209
210 $profile = null;
211 if ( !count( $nslist ) ) {
212 $profile = 'default';
213 }
214
215 $profile = $request->getVal( 'profile', $profile );
216 $profiles = $this->getSearchProfiles();
217 if ( $profile === null ) {
218 // BC with old request format
219 $profile = 'advanced';
220 foreach ( $profiles as $key => $data ) {
221 if ( $nslist === $data['namespaces'] && $key !== 'advanced' ) {
222 $profile = $key;
223 }
224 }
225 $this->namespaces = $nslist;
226 } elseif ( $profile === 'advanced' ) {
227 $this->namespaces = $nslist;
228 } else {
229 if ( isset( $profiles[$profile]['namespaces'] ) ) {
230 $this->namespaces = $profiles[$profile]['namespaces'];
231 } else {
232 // Unknown profile requested
233 $profile = 'default';
234 $this->namespaces = $profiles['default']['namespaces'];
235 }
236 }
237
238 $this->fulltext = $request->getVal( 'fulltext' );
239 $this->runSuggestion = (bool)$request->getVal( 'runsuggestion', true );
240 $this->profile = $profile;
241 }
242
243 /**
244 * If an exact title match can be found, jump straight ahead to it.
245 *
246 * @param string $term
247 * @return string|null The url to redirect to, or null if no redirect.
248 */
249 public function goResult( $term ) {
250 # If the string cannot be used to create a title
251 if ( is_null( Title::newFromText( $term ) ) ) {
252 return null;
253 }
254 # If there's an exact or very near match, jump right there.
255 $title = $this->getSearchEngine()
256 ->getNearMatcher( $this->getConfig() )->getNearMatch( $term );
257 if ( is_null( $title ) ) {
258 return null;
259 }
260 $url = null;
261 if ( !Hooks::run( 'SpecialSearchGoResult', [ $term, $title, &$url ] ) ) {
262 return null;
263 }
264
265 return $url ?? $title->getFullUrlForRedirect();
266 }
267
268 /**
269 * @param string $term
270 */
271 public function showResults( $term ) {
272 global $wgContLang;
273
274 if ( $this->searchEngineType !== null ) {
275 $this->setExtraParam( 'srbackend', $this->searchEngineType );
276 }
277
278 $out = $this->getOutput();
279 $formWidget = new MediaWiki\Widget\Search\SearchFormWidget(
280 $this,
281 $this->searchConfig,
282 $this->getSearchProfiles()
283 );
284 $filePrefix = $wgContLang->getFormattedNsText( NS_FILE ) . ':';
285 if ( trim( $term ) === '' || $filePrefix === trim( $term ) ) {
286 // Empty query -- straight view of search form
287 if ( !Hooks::run( 'SpecialSearchResultsPrepend', [ $this, $out, $term ] ) ) {
288 # Hook requested termination
289 return;
290 }
291 $out->enableOOUI();
292 // The form also contains the 'Showing results 0 - 20 of 1234' so we can
293 // only do the form render here for the empty $term case. Rendering
294 // the form when a search is provided is repeated below.
295 $out->addHTML( $formWidget->render(
296 $this->profile, $term, 0, 0, $this->offset, $this->isPowerSearch()
297 ) );
298 return;
299 }
300
301 $search = $this->getSearchEngine();
302 $search->setFeatureData( 'rewrite', $this->runSuggestion );
303 $search->setLimitOffset( $this->limit, $this->offset );
304 $search->setNamespaces( $this->namespaces );
305 $search->prefix = $this->mPrefix;
306
307 Hooks::run( 'SpecialSearchSetupEngine', [ $this, $this->profile, $search ] );
308 if ( !Hooks::run( 'SpecialSearchResultsPrepend', [ $this, $out, $term ] ) ) {
309 # Hook requested termination
310 return;
311 }
312
313 $title = Title::newFromText( $term );
314 $showSuggestion = $title === null || !$title->isKnown();
315 $search->setShowSuggestion( $showSuggestion );
316
317 $rewritten = $search->transformSearchTerm( $term );
318 if ( $rewritten !== $term ) {
319 $term = $rewritten;
320 wfDeprecated( 'SearchEngine::transformSearchTerm() (overridden by ' .
321 get_class( $search ) . ')', '1.32' );
322 }
323
324 $rewritten = $search->replacePrefixes( $term );
325 if ( $rewritten !== $term ) {
326 wfDeprecated( 'SearchEngine::replacePrefixes() (overridden by ' .
327 get_class( $search ) . ')', '1.32' );
328 }
329
330 // fetch search results
331 $titleMatches = $search->searchTitle( $rewritten );
332 $textMatches = $search->searchText( $rewritten );
333
334 $textStatus = null;
335 if ( $textMatches instanceof Status ) {
336 $textStatus = $textMatches;
337 $textMatches = $textStatus->getValue();
338 }
339
340 // Get number of results
341 $titleMatchesNum = $textMatchesNum = $numTitleMatches = $numTextMatches = 0;
342 if ( $titleMatches ) {
343 $titleMatchesNum = $titleMatches->numRows();
344 $numTitleMatches = $titleMatches->getTotalHits();
345 }
346 if ( $textMatches ) {
347 $textMatchesNum = $textMatches->numRows();
348 $numTextMatches = $textMatches->getTotalHits();
349 if ( $textMatchesNum > 0 ) {
350 $search->augmentSearchResults( $textMatches );
351 }
352 }
353 $num = $titleMatchesNum + $textMatchesNum;
354 $totalRes = $numTitleMatches + $numTextMatches;
355
356 // start rendering the page
357 $out->enableOOUI();
358 $out->addHTML( $formWidget->render(
359 $this->profile, $term, $num, $totalRes, $this->offset, $this->isPowerSearch()
360 ) );
361
362 // did you mean... suggestions
363 if ( $textMatches ) {
364 $dymWidget = new MediaWiki\Widget\Search\DidYouMeanWidget( $this );
365 $out->addHTML( $dymWidget->render( $term, $textMatches ) );
366 }
367
368 $hasErrors = $textStatus && $textStatus->getErrors() !== [];
369 $hasOtherResults = $textMatches &&
370 $textMatches->hasInterwikiResults( SearchResultSet::INLINE_RESULTS );
371
372 if ( $textMatches && $textMatches->hasInterwikiResults( SearchResultSet::SECONDARY_RESULTS ) ) {
373 $out->addHTML( '<div class="searchresults mw-searchresults-has-iw">' );
374 } else {
375 $out->addHTML( '<div class="searchresults">' );
376 }
377
378 if ( $hasErrors ) {
379 list( $error, $warning ) = $textStatus->splitByErrorType();
380 if ( $error->getErrors() ) {
381 $out->addHTML( Html::errorBox(
382 $error->getHTML( 'search-error' )
383 ) );
384 }
385 if ( $warning->getErrors() ) {
386 $out->addHTML( Html::warningBox(
387 $warning->getHTML( 'search-warning' )
388 ) );
389 }
390 }
391
392 // Show the create link ahead
393 $this->showCreateLink( $title, $num, $titleMatches, $textMatches );
394
395 Hooks::run( 'SpecialSearchResults', [ $term, &$titleMatches, &$textMatches ] );
396
397 // If we have no results and have not already displayed an error message
398 if ( $num === 0 && !$hasErrors ) {
399 $out->wrapWikiMsg( "<p class=\"mw-search-nonefound\">\n$1</p>", [
400 $hasOtherResults ? 'search-nonefound-thiswiki' : 'search-nonefound',
401 wfEscapeWikiText( $term )
402 ] );
403 }
404
405 // Although $num might be 0 there can still be secondary or inline
406 // results to display.
407 $linkRenderer = $this->getLinkRenderer();
408 $mainResultWidget = new FullSearchResultWidget( $this, $linkRenderer );
409
410 // Default (null) on. Can be explicitly disabled.
411 if ( $search->getFeatureData( 'enable-new-crossproject-page' ) !== false ) {
412 $sidebarResultWidget = new InterwikiSearchResultWidget( $this, $linkRenderer );
413 $sidebarResultsWidget = new InterwikiSearchResultSetWidget(
414 $this,
415 $sidebarResultWidget,
416 $linkRenderer,
417 MediaWikiServices::getInstance()->getInterwikiLookup(),
418 $search->getFeatureData( 'show-multimedia-search-results' )
419 );
420 } else {
421 $sidebarResultWidget = new SimpleSearchResultWidget( $this, $linkRenderer );
422 $sidebarResultsWidget = new SimpleSearchResultSetWidget(
423 $this,
424 $sidebarResultWidget,
425 $linkRenderer,
426 MediaWikiServices::getInstance()->getInterwikiLookup()
427 );
428 }
429
430 $widget = new BasicSearchResultSetWidget( $this, $mainResultWidget, $sidebarResultsWidget );
431
432 $out->addHTML( $widget->render(
433 $term, $this->offset, $titleMatches, $textMatches
434 ) );
435
436 if ( $titleMatches ) {
437 $titleMatches->free();
438 }
439
440 if ( $textMatches ) {
441 $textMatches->free();
442 }
443
444 $out->addHTML( '<div class="mw-search-visualclear"></div>' );
445
446 // prev/next links
447 if ( $totalRes > $this->limit || $this->offset ) {
448 // Allow matches to define the correct offset, as interleaved
449 // AB testing may require a different next page offset.
450 if ( $textMatches && $textMatches->getOffset() !== null ) {
451 $offset = $textMatches->getOffset();
452 } else {
453 $offset = $this->offset;
454 }
455
456 $prevnext = $this->getLanguage()->viewPrevNext(
457 $this->getPageTitle(),
458 $offset,
459 $this->limit,
460 $this->powerSearchOptions() + [ 'search' => $term ],
461 $this->limit + $this->offset >= $totalRes
462 );
463 $out->addHTML( "<p class='mw-search-pager-bottom'>{$prevnext}</p>\n" );
464 }
465
466 // Close <div class='searchresults'>
467 $out->addHTML( "</div>" );
468
469 Hooks::run( 'SpecialSearchResultsAppend', [ $this, $out, $term ] );
470 }
471
472 /**
473 * @param Title $title
474 * @param int $num The number of search results found
475 * @param null|SearchResultSet $titleMatches Results from title search
476 * @param null|SearchResultSet $textMatches Results from text search
477 */
478 protected function showCreateLink( $title, $num, $titleMatches, $textMatches ) {
479 // show direct page/create link if applicable
480
481 // Check DBkey !== '' in case of fragment link only.
482 if ( is_null( $title ) || $title->getDBkey() === ''
483 || ( $titleMatches !== null && $titleMatches->searchContainedSyntax() )
484 || ( $textMatches !== null && $textMatches->searchContainedSyntax() )
485 ) {
486 // invalid title
487 // preserve the paragraph for margins etc...
488 $this->getOutput()->addHTML( '<p></p>' );
489
490 return;
491 }
492
493 $messageName = 'searchmenu-new-nocreate';
494 $linkClass = 'mw-search-createlink';
495
496 if ( !$title->isExternal() ) {
497 if ( $title->isKnown() ) {
498 $messageName = 'searchmenu-exists';
499 $linkClass = 'mw-search-exists';
500 } elseif ( ContentHandler::getForTitle( $title )->supportsDirectEditing()
501 && $title->quickUserCan( 'create', $this->getUser() )
502 ) {
503 $messageName = 'searchmenu-new';
504 }
505 }
506
507 $params = [
508 $messageName,
509 wfEscapeWikiText( $title->getPrefixedText() ),
510 Message::numParam( $num )
511 ];
512 Hooks::run( 'SpecialSearchCreateLink', [ $title, &$params ] );
513
514 // Extensions using the hook might still return an empty $messageName
515 if ( $messageName ) {
516 $this->getOutput()->wrapWikiMsg( "<p class=\"$linkClass\">\n$1</p>", $params );
517 } else {
518 // preserve the paragraph for margins etc...
519 $this->getOutput()->addHTML( '<p></p>' );
520 }
521 }
522
523 /**
524 * Sets up everything for the HTML output page including styles, javascript,
525 * page title, etc.
526 *
527 * @param string $term
528 */
529 protected function setupPage( $term ) {
530 $out = $this->getOutput();
531
532 $this->setHeaders();
533 $this->outputHeader();
534 // TODO: Is this true? The namespace remember uses a user token
535 // on save.
536 $out->allowClickjacking();
537 $this->addHelpLink( 'Help:Searching' );
538
539 if ( strval( $term ) !== '' ) {
540 $out->setPageTitle( $this->msg( 'searchresults' ) );
541 $out->setHTMLTitle( $this->msg( 'pagetitle' )
542 ->plaintextParams( $this->msg( 'searchresults-title' )->plaintextParams( $term )->text() )
543 ->inContentLanguage()->text()
544 );
545 }
546
547 if ( $this->mPrefix !== '' ) {
548 $subtitle = $this->msg( 'search-filter-title-prefix' )->plaintextParams( $this->mPrefix );
549 $params = $this->powerSearchOptions();
550 unset( $params['prefix'] );
551 $params += [
552 'search' => $term,
553 'fulltext' => 1,
554 ];
555
556 $subtitle .= ' (';
557 $subtitle .= Xml::element(
558 'a',
559 [
560 'href' => $this->getPageTitle()->getLocalURL( $params ),
561 'title' => $this->msg( 'search-filter-title-prefix-reset' ),
562 ],
563 $this->msg( 'search-filter-title-prefix-reset' )
564 );
565 $subtitle .= ')';
566 $out->setSubtitle( $subtitle );
567 }
568
569 $out->addJsConfigVars( [ 'searchTerm' => $term ] );
570 $out->addModules( 'mediawiki.special.search' );
571 $out->addModuleStyles( [
572 'mediawiki.special', 'mediawiki.special.search.styles', 'mediawiki.ui', 'mediawiki.ui.button',
573 'mediawiki.ui.input', 'mediawiki.widgets.SearchInputWidget.styles',
574 ] );
575 }
576
577 /**
578 * Return true if current search is a power (advanced) search
579 *
580 * @return bool
581 */
582 protected function isPowerSearch() {
583 return $this->profile === 'advanced';
584 }
585
586 /**
587 * Extract "power search" namespace settings from the request object,
588 * returning a list of index numbers to search.
589 *
590 * @param WebRequest &$request
591 * @return array
592 */
593 protected function powerSearch( &$request ) {
594 $arr = [];
595 foreach ( $this->searchConfig->searchableNamespaces() as $ns => $name ) {
596 if ( $request->getCheck( 'ns' . $ns ) ) {
597 $arr[] = $ns;
598 }
599 }
600
601 return $arr;
602 }
603
604 /**
605 * Reconstruct the 'power search' options for links
606 * TODO: Instead of exposing this publicly, could we instead expose
607 * a function for creating search links?
608 *
609 * @return array
610 */
611 public function powerSearchOptions() {
612 $opt = [];
613 if ( $this->isPowerSearch() ) {
614 foreach ( $this->namespaces as $n ) {
615 $opt['ns' . $n] = 1;
616 }
617 } else {
618 $opt['profile'] = $this->profile;
619 }
620
621 return $opt + $this->extraParams;
622 }
623
624 /**
625 * Save namespace preferences when we're supposed to
626 *
627 * @return bool Whether we wrote something
628 */
629 protected function saveNamespaces() {
630 $user = $this->getUser();
631 $request = $this->getRequest();
632
633 if ( $user->isLoggedIn() &&
634 $user->matchEditToken(
635 $request->getVal( 'nsRemember' ),
636 'searchnamespace',
637 $request
638 ) && !wfReadOnly()
639 ) {
640 // Reset namespace preferences: namespaces are not searched
641 // when they're not mentioned in the URL parameters.
642 foreach ( MWNamespace::getValidNamespaces() as $n ) {
643 $user->setOption( 'searchNs' . $n, false );
644 }
645 // The request parameters include all the namespaces to be searched.
646 // Even if they're the same as an existing profile, they're not eaten.
647 foreach ( $this->namespaces as $n ) {
648 $user->setOption( 'searchNs' . $n, true );
649 }
650
651 DeferredUpdates::addCallableUpdate( function () use ( $user ) {
652 $user->saveSettings();
653 } );
654
655 return true;
656 }
657
658 return false;
659 }
660
661 /**
662 * @return array
663 */
664 protected function getSearchProfiles() {
665 // Builds list of Search Types (profiles)
666 $nsAllSet = array_keys( $this->searchConfig->searchableNamespaces() );
667 $defaultNs = $this->searchConfig->defaultNamespaces();
668 $profiles = [
669 'default' => [
670 'message' => 'searchprofile-articles',
671 'tooltip' => 'searchprofile-articles-tooltip',
672 'namespaces' => $defaultNs,
673 'namespace-messages' => $this->searchConfig->namespacesAsText(
674 $defaultNs
675 ),
676 ],
677 'images' => [
678 'message' => 'searchprofile-images',
679 'tooltip' => 'searchprofile-images-tooltip',
680 'namespaces' => [ NS_FILE ],
681 ],
682 'all' => [
683 'message' => 'searchprofile-everything',
684 'tooltip' => 'searchprofile-everything-tooltip',
685 'namespaces' => $nsAllSet,
686 ],
687 'advanced' => [
688 'message' => 'searchprofile-advanced',
689 'tooltip' => 'searchprofile-advanced-tooltip',
690 'namespaces' => self::NAMESPACES_CURRENT,
691 ]
692 ];
693
694 Hooks::run( 'SpecialSearchProfiles', [ &$profiles ] );
695
696 foreach ( $profiles as &$data ) {
697 if ( !is_array( $data['namespaces'] ) ) {
698 continue;
699 }
700 sort( $data['namespaces'] );
701 }
702
703 return $profiles;
704 }
705
706 /**
707 * @since 1.18
708 *
709 * @return SearchEngine
710 */
711 public function getSearchEngine() {
712 if ( $this->searchEngine === null ) {
713 $this->searchEngine = $this->searchEngineType ?
714 MediaWikiServices::getInstance()->getSearchEngineFactory()->create( $this->searchEngineType ) :
715 MediaWikiServices::getInstance()->newSearchEngine();
716 }
717
718 return $this->searchEngine;
719 }
720
721 /**
722 * Current search profile.
723 * @return null|string
724 */
725 function getProfile() {
726 return $this->profile;
727 }
728
729 /**
730 * Current namespaces.
731 * @return array
732 */
733 function getNamespaces() {
734 return $this->namespaces;
735 }
736
737 /**
738 * Users of hook SpecialSearchSetupEngine can use this to
739 * add more params to links to not lose selection when
740 * user navigates search results.
741 * @since 1.18
742 *
743 * @param string $key
744 * @param mixed $value
745 */
746 public function setExtraParam( $key, $value ) {
747 $this->extraParams[$key] = $value;
748 }
749
750 /**
751 * The prefix value send to Special:Search using the 'prefix' URI param
752 * It means that the user is willing to search for pages whose titles start with
753 * this prefix value.
754 * (Used by the InputBox extension)
755 *
756 * @return string
757 */
758 public function getPrefix() {
759 return $this->mPrefix;
760 }
761
762 protected function getGroupName() {
763 return 'pages';
764 }
765 }