3 * Implements Special:Search
5 * Copyright © 2004 Brion Vibber <brion@pobox.com>
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.
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.
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
23 * @ingroup SpecialPage
26 use MediaWiki\MediaWikiServices
;
29 * implements Special:Search - Run text & title search and display the output
30 * @ingroup SpecialPage
32 class SpecialSearch
extends SpecialPage
{
34 * Current search profile. Search profile is just a name that identifies
35 * the active search tab on the search page (content, discussions...)
36 * For users tt replaces the set of enabled namespaces from the query
37 * string when applicable. Extensions can add new profiles with hooks
38 * with custom search options just for that profile.
43 /** @var SearchEngine Search engine */
44 protected $searchEngine;
46 /** @var string Search engine type, if not default */
47 protected $searchEngineType;
49 /** @var array For links */
50 protected $extraParams = [];
53 * @var string The prefix url parameter. Set on the searcher and the
54 * is expected to treat it as prefix filter on titles.
61 protected $limit, $offset;
66 protected $namespaces;
76 protected $runSuggestion = true;
79 * Names of the wikis, in format: Interwiki prefix -> caption
82 protected $customCaptions;
85 * Search engine configurations.
86 * @var SearchEngineConfig
88 protected $searchConfig;
90 const NAMESPACES_CURRENT
= 'sense';
92 public function __construct() {
93 parent
::__construct( 'Search' );
94 $this->searchConfig
= MediaWikiServices
::getInstance()->getSearchEngineConfig();
102 public function execute( $par ) {
104 $this->outputHeader();
105 $out = $this->getOutput();
106 $out->allowClickjacking();
107 $out->addModuleStyles( [
108 'mediawiki.special', 'mediawiki.special.search.styles', 'mediawiki.ui', 'mediawiki.ui.button',
109 'mediawiki.ui.input', 'mediawiki.widgets.SearchInputWidget.styles',
111 $this->addHelpLink( 'Help:Searching' );
113 // Strip underscores from title parameter; most of the time we'll want
114 // text form here. But don't strip underscores from actual text params!
115 $titleParam = str_replace( '_', ' ', $par );
117 $request = $this->getRequest();
119 // Fetch the search term
120 $search = str_replace( "\n", " ", $request->getText( 'search', $titleParam ) );
123 if ( !is_null( $request->getVal( 'nsRemember' ) ) ) {
124 $this->saveNamespaces();
125 // Remove the token from the URL to prevent the user from inadvertently
126 // exposing it (e.g. by pasting it into a public wiki page) or undoing
127 // later settings changes (e.g. by reloading the page).
128 $query = $request->getValues();
129 unset( $query['title'], $query['nsRemember'] );
130 $out->redirect( $this->getPageTitle()->getFullURL( $query ) );
134 $out->addJsConfigVars( [ 'searchTerm' => $search ] );
135 $this->searchEngineType
= $request->getVal( 'srbackend' );
137 if ( $request->getVal( 'fulltext' )
138 ||
!is_null( $request->getVal( 'offset' ) )
140 $this->showResults( $search );
142 $this->goResult( $search );
147 * Set up basic search parameters from the request and user settings.
149 * @see tests/phpunit/includes/specials/SpecialSearchTest.php
151 public function load() {
152 $request = $this->getRequest();
153 list( $this->limit
, $this->offset
) = $request->getLimitOffset( 20, '' );
154 $this->mPrefix
= $request->getVal( 'prefix', '' );
156 $user = $this->getUser();
158 # Extract manually requested namespaces
159 $nslist = $this->powerSearch( $request );
160 if ( !count( $nslist ) ) {
161 # Fallback to user preference
162 $nslist = $this->searchConfig
->userNamespaces( $user );
166 if ( !count( $nslist ) ) {
167 $profile = 'default';
170 $profile = $request->getVal( 'profile', $profile );
171 $profiles = $this->getSearchProfiles();
172 if ( $profile === null ) {
173 // BC with old request format
174 $profile = 'advanced';
175 foreach ( $profiles as $key => $data ) {
176 if ( $nslist === $data['namespaces'] && $key !== 'advanced' ) {
180 $this->namespaces
= $nslist;
181 } elseif ( $profile === 'advanced' ) {
182 $this->namespaces
= $nslist;
184 if ( isset( $profiles[$profile]['namespaces'] ) ) {
185 $this->namespaces
= $profiles[$profile]['namespaces'];
187 // Unknown profile requested
188 $profile = 'default';
189 $this->namespaces
= $profiles['default']['namespaces'];
193 $this->fulltext
= $request->getVal( 'fulltext' );
194 $this->runSuggestion
= (bool)$request->getVal( 'runsuggestion', true );
195 $this->profile
= $profile;
199 * If an exact title match can be found, jump straight ahead to it.
201 * @param string $term
203 public function goResult( $term ) {
204 $this->setupPage( $term );
205 # Try to go to page as entered.
206 $title = Title
::newFromText( $term );
207 # If the string cannot be used to create a title
208 if ( is_null( $title ) ) {
209 $this->showResults( $term );
213 # If there's an exact or very near match, jump right there.
214 $title = $this->getSearchEngine()
215 ->getNearMatcher( $this->getConfig() )->getNearMatch( $term );
217 if ( !is_null( $title ) &&
218 Hooks
::run( 'SpecialSearchGoResult', [ $term, $title, &$url ] )
220 if ( $url === null ) {
221 $url = $title->getFullURL();
223 $this->getOutput()->redirect( $url );
227 # No match, generate an edit URL
228 $title = Title
::newFromText( $term );
229 if ( !is_null( $title ) ) {
230 Hooks
::run( 'SpecialSearchNogomatch', [ &$title ] );
232 $this->showResults( $term );
236 * @param string $term
238 public function showResults( $term ) {
241 $search = $this->getSearchEngine();
242 $search->setFeatureData( 'rewrite', $this->runSuggestion
);
243 $search->setLimitOffset( $this->limit
, $this->offset
);
244 $search->setNamespaces( $this->namespaces
);
245 $search->prefix
= $this->mPrefix
;
246 $term = $search->transformSearchTerm( $term );
248 Hooks
::run( 'SpecialSearchSetupEngine', [ $this, $this->profile
, $search ] );
250 $this->setupPage( $term );
252 $out = $this->getOutput();
254 if ( $this->getConfig()->get( 'DisableTextSearch' ) ) {
255 $searchFowardUrl = $this->getConfig()->get( 'SearchForwardUrl' );
256 if ( $searchFowardUrl ) {
257 $url = str_replace( '$1', urlencode( $term ), $searchFowardUrl );
258 $out->redirect( $url );
261 Xml
::openElement( 'fieldset' ) .
262 Xml
::element( 'legend', null, $this->msg( 'search-external' )->text() ) .
265 [ 'class' => 'mw-searchdisabled' ],
266 $this->msg( 'searchdisabled' )->text()
268 $this->msg( 'googlesearch' )->rawParams(
269 htmlspecialchars( $term ),
271 $this->msg( 'searchbutton' )->escaped()
273 Xml
::closeElement( 'fieldset' )
280 $title = Title
::newFromText( $term );
281 $showSuggestion = $title === null ||
!$title->isKnown();
282 $search->setShowSuggestion( $showSuggestion );
284 // fetch search results
285 $rewritten = $search->replacePrefixes( $term );
287 $titleMatches = $search->searchTitle( $rewritten );
288 $textMatches = $search->searchText( $rewritten );
291 if ( $textMatches instanceof Status
) {
292 $textStatus = $textMatches;
296 // did you mean... suggestions
297 $didYouMeanHtml = '';
298 if ( $showSuggestion && $textMatches && !$textStatus ) {
299 if ( $textMatches->hasRewrittenQuery() ) {
300 $didYouMeanHtml = $this->getDidYouMeanRewrittenHtml( $term, $textMatches );
301 } elseif ( $textMatches->hasSuggestion() ) {
302 $didYouMeanHtml = $this->getDidYouMeanHtml( $textMatches );
306 if ( !Hooks
::run( 'SpecialSearchResultsPrepend', [ $this, $out, $term ] ) ) {
307 # Hook requested termination
311 // start rendering the page
316 'id' => ( $this->isPowerSearch() ?
'powersearch' : 'search' ),
318 'action' => wfScript(),
323 // Get number of results
324 $titleMatchesNum = $textMatchesNum = $numTitleMatches = $numTextMatches = 0;
325 if ( $titleMatches ) {
326 $titleMatchesNum = $titleMatches->numRows();
327 $numTitleMatches = $titleMatches->getTotalHits();
329 if ( $textMatches ) {
330 $textMatchesNum = $textMatches->numRows();
331 $numTextMatches = $textMatches->getTotalHits();
333 $num = $titleMatchesNum +
$textMatchesNum;
334 $totalRes = $numTitleMatches +
$numTextMatches;
338 # This is an awful awful ID name. It's not a table, but we
339 # named it poorly from when this was a table so now we're
341 Xml
::openElement( 'div', [ 'id' => 'mw-search-top-table' ] ) .
342 $this->shortDialog( $term, $num, $totalRes ) .
343 Xml
::closeElement( 'div' ) .
344 $this->searchProfileTabs( $term ) .
345 $this->searchOptions( $term ) .
346 Xml
::closeElement( 'form' ) .
350 $filePrefix = $wgContLang->getFormattedNsText( NS_FILE
) . ':';
351 if ( trim( $term ) === '' ||
$filePrefix === trim( $term ) ) {
352 // Empty query -- straight view of search form
356 $out->addHTML( "<div class='searchresults'>" );
360 if ( $num ||
$this->offset
) {
361 // Show the create link ahead
362 $this->showCreateLink( $title, $num, $titleMatches, $textMatches );
363 if ( $totalRes > $this->limit ||
$this->offset
) {
364 if ( $this->searchEngineType
!== null ) {
365 $this->setExtraParam( 'srbackend', $this->searchEngineType
);
367 $prevnext = $this->getLanguage()->viewPrevNext(
368 $this->getPageTitle(),
371 $this->powerSearchOptions() +
[ 'search' => $term ],
372 $this->limit +
$this->offset
>= $totalRes
376 Hooks
::run( 'SpecialSearchResults', [ $term, &$titleMatches, &$textMatches ] );
378 $out->parserOptions()->setEditSection( false );
379 if ( $titleMatches ) {
380 if ( $numTitleMatches > 0 ) {
381 $out->wrapWikiMsg( "==$1==\n", 'titlematches' );
382 $out->addHTML( $this->showMatches( $titleMatches ) );
384 $titleMatches->free();
386 if ( $textMatches && !$textStatus ) {
387 // output appropriate heading
388 if ( $numTextMatches > 0 && $numTitleMatches > 0 ) {
389 $out->addHTML( '<div class="visualClear"></div>' );
390 // if no title matches the heading is redundant
391 $out->wrapWikiMsg( "==$1==\n", 'textmatches' );
395 if ( $numTextMatches > 0 ) {
396 $out->addHTML( $this->showMatches( $textMatches ) );
399 // show secondary interwiki results if any
400 if ( $textMatches->hasInterwikiResults( SearchResultSet
::SECONDARY_RESULTS
) ) {
401 $out->addHTML( $this->showInterwiki( $textMatches->getInterwikiResults(
402 SearchResultSet
::SECONDARY_RESULTS
), $term ) );
406 $hasOtherResults = $textMatches &&
407 $textMatches->hasInterwikiResults( SearchResultSet
::INLINE_RESULTS
);
411 $out->addHTML( '<div class="error">' .
412 $textStatus->getMessage( 'search-error' ) . '</div>' );
414 $this->showCreateLink( $title, $num, $titleMatches, $textMatches );
415 $out->wrapWikiMsg( "<p class=\"mw-search-nonefound\">\n$1</p>",
416 [ $hasOtherResults ?
'search-nonefound-thiswiki' : 'search-nonefound',
417 wfEscapeWikiText( $term )
422 if ( $hasOtherResults ) {
423 foreach ( $textMatches->getInterwikiResults( SearchResultSet
::INLINE_RESULTS
)
424 as $interwiki => $interwikiResult ) {
425 if ( $interwikiResult instanceof Status ||
$interwikiResult->numRows() == 0 ) {
426 // ignore bad interwikis for now
430 $out->addHTML( $this->showMatches( $interwikiResult, $interwiki ) );
434 if ( $textMatches ) {
435 $textMatches->free();
438 $out->addHTML( '<div class="visualClear"></div>' );
441 $out->addHTML( "<p class='mw-search-pager-bottom'>{$prevnext}</p>\n" );
444 $out->addHTML( "</div>" );
446 Hooks
::run( 'SpecialSearchResultsAppend', [ $this, $out, $term ] );
451 * Produce wiki header for interwiki results
452 * @param string $interwiki Interwiki name
453 * @param SearchResultSet $interwikiResult The result set
456 protected function interwikiHeader( $interwiki, $interwikiResult ) {
457 // TODO: we need to figure out how to name wikis correctly
458 $wikiMsg = $this->msg( 'search-interwiki-results-' . $interwiki )->parse();
459 return "<p class=\"mw-search-interwiki-header\">\n$wikiMsg</p>";
463 * Decide if the suggested query should be run, and it's results returned
464 * instead of the provided $textMatches
466 * @param SearchResultSet $textMatches The results of a users query
469 protected function shouldRunSuggestedQuery( SearchResultSet
$textMatches ) {
470 if ( !$this->runSuggestion ||
471 !$textMatches->hasSuggestion() ||
472 $textMatches->numRows() > 0 ||
473 $textMatches->searchContainedSyntax()
478 return $this->getConfig()->get( 'SearchRunSuggestedQuery' );
482 * Generates HTML shown to the user when we have a suggestion about a query
483 * that might give more results than their current query.
485 protected function getDidYouMeanHtml( SearchResultSet
$textMatches ) {
486 # mirror Go/Search behavior of original request ..
487 $params = [ 'search' => $textMatches->getSuggestionQuery() ];
488 if ( $this->fulltext
=== null ) {
489 $params['fulltext'] = 'Search';
491 $params['fulltext'] = $this->fulltext
;
493 $stParams = array_merge( $params, $this->powerSearchOptions() );
495 $suggest = Linker
::linkKnown(
496 $this->getPageTitle(),
497 $textMatches->getSuggestionSnippet() ?
: null,
498 [ 'id' => 'mw-search-DYM-suggestion' ],
502 # HTML of did you mean... search suggestion link
503 return Html
::rawElement(
505 [ 'class' => 'searchdidyoumean' ],
506 $this->msg( 'search-suggest' )->rawParams( $suggest )->parse()
511 * Generates HTML shown to user when their query has been internally rewritten,
512 * and the results of the rewritten query are being returned.
514 * @param string $term The users search input
515 * @param SearchResultSet $textMatches The response to the users initial search request
516 * @return string HTML linking the user to their original $term query, and the one
517 * suggested by $textMatches.
519 protected function getDidYouMeanRewrittenHtml( $term, SearchResultSet
$textMatches ) {
520 // Showing results for '$rewritten'
521 // Search instead for '$orig'
523 $params = [ 'search' => $textMatches->getQueryAfterRewrite() ];
524 if ( $this->fulltext
=== null ) {
525 $params['fulltext'] = 'Search';
527 $params['fulltext'] = $this->fulltext
;
529 $stParams = array_merge( $params, $this->powerSearchOptions() );
531 $rewritten = Linker
::linkKnown(
532 $this->getPageTitle(),
533 $textMatches->getQueryAfterRewriteSnippet() ?
: null,
534 [ 'id' => 'mw-search-DYM-rewritten' ],
538 $stParams['search'] = $term;
539 $stParams['runsuggestion'] = 0;
540 $original = Linker
::linkKnown(
541 $this->getPageTitle(),
542 htmlspecialchars( $term ),
543 [ 'id' => 'mw-search-DYM-original' ],
547 return Html
::rawElement(
549 [ 'class' => 'searchdidyoumean' ],
550 $this->msg( 'search-rewritten' )->rawParams( $rewritten, $original )->escaped()
555 * @param Title $title
556 * @param int $num The number of search results found
557 * @param null|SearchResultSet $titleMatches Results from title search
558 * @param null|SearchResultSet $textMatches Results from text search
560 protected function showCreateLink( $title, $num, $titleMatches, $textMatches ) {
561 // show direct page/create link if applicable
563 // Check DBkey !== '' in case of fragment link only.
564 if ( is_null( $title ) ||
$title->getDBkey() === ''
565 ||
( $titleMatches !== null && $titleMatches->searchContainedSyntax() )
566 ||
( $textMatches !== null && $textMatches->searchContainedSyntax() )
569 // preserve the paragraph for margins etc...
570 $this->getOutput()->addHTML( '<p></p>' );
575 $messageName = 'searchmenu-new-nocreate';
576 $linkClass = 'mw-search-createlink';
578 if ( !$title->isExternal() ) {
579 if ( $title->isKnown() ) {
580 $messageName = 'searchmenu-exists';
581 $linkClass = 'mw-search-exists';
582 } elseif ( $title->quickUserCan( 'create', $this->getUser() ) ) {
583 $messageName = 'searchmenu-new';
589 wfEscapeWikiText( $title->getPrefixedText() ),
590 Message
::numParam( $num )
592 Hooks
::run( 'SpecialSearchCreateLink', [ $title, &$params ] );
594 // Extensions using the hook might still return an empty $messageName
595 if ( $messageName ) {
596 $this->getOutput()->wrapWikiMsg( "<p class=\"$linkClass\">\n$1</p>", $params );
598 // preserve the paragraph for margins etc...
599 $this->getOutput()->addHTML( '<p></p>' );
604 * @param string $term
606 protected function setupPage( $term ) {
607 $out = $this->getOutput();
608 if ( strval( $term ) !== '' ) {
609 $out->setPageTitle( $this->msg( 'searchresults' ) );
610 $out->setHTMLTitle( $this->msg( 'pagetitle' )
611 ->rawParams( $this->msg( 'searchresults-title' )->rawParams( $term )->text() )
612 ->inContentLanguage()->text()
615 // add javascript specific to special:search
616 $out->addModules( 'mediawiki.special.search' );
620 * Return true if current search is a power (advanced) search
624 protected function isPowerSearch() {
625 return $this->profile
=== 'advanced';
629 * Extract "power search" namespace settings from the request object,
630 * returning a list of index numbers to search.
632 * @param WebRequest $request
635 protected function powerSearch( &$request ) {
637 foreach ( $this->searchConfig
->searchableNamespaces() as $ns => $name ) {
638 if ( $request->getCheck( 'ns' . $ns ) ) {
647 * Reconstruct the 'power search' options for links
651 protected function powerSearchOptions() {
653 if ( !$this->isPowerSearch() ) {
654 $opt['profile'] = $this->profile
;
656 foreach ( $this->namespaces
as $n ) {
661 return $opt +
$this->extraParams
;
665 * Save namespace preferences when we're supposed to
667 * @return bool Whether we wrote something
669 protected function saveNamespaces() {
670 $user = $this->getUser();
671 $request = $this->getRequest();
673 if ( $user->isLoggedIn() &&
674 $user->matchEditToken(
675 $request->getVal( 'nsRemember' ),
680 // Reset namespace preferences: namespaces are not searched
681 // when they're not mentioned in the URL parameters.
682 foreach ( MWNamespace
::getValidNamespaces() as $n ) {
683 $user->setOption( 'searchNs' . $n, false );
685 // The request parameters include all the namespaces to be searched.
686 // Even if they're the same as an existing profile, they're not eaten.
687 foreach ( $this->namespaces
as $n ) {
688 $user->setOption( 'searchNs' . $n, true );
691 DeferredUpdates
::addCallableUpdate( function () use ( $user ) {
692 $user->saveSettings();
702 * Show whole set of results
704 * @param SearchResultSet $matches
705 * @param string $interwiki Interwiki name
709 protected function showMatches( &$matches, $interwiki = null ) {
712 $terms = $wgContLang->convertForSearchResult( $matches->termMatches() );
714 $result = $matches->next();
715 $pos = $this->offset
;
717 if ( $result && $interwiki ) {
718 $out .= $this->interwikiHeader( $interwiki, $result );
721 $out .= "<ul class='mw-search-results'>\n";
723 $out .= $this->showHit( $result, $terms, $pos++
);
724 $result = $matches->next();
728 // convert the whole thing to desired language variant
729 $out = $wgContLang->convert( $out );
735 * Format a single hit result
737 * @param SearchResult $result
738 * @param array $terms Terms to highlight
739 * @param int $position Position within the search results, including offset.
743 protected function showHit( $result, $terms, $position ) {
745 if ( $result->isBrokenTitle() ) {
749 $title = $result->getTitle();
751 $titleSnippet = $result->getTitleSnippet();
753 if ( $titleSnippet == '' ) {
754 $titleSnippet = null;
757 $link_t = clone $title;
760 Hooks
::run( 'ShowSearchHitTitle',
761 [ &$link_t, &$titleSnippet, $result, $terms, $this, &$query ] );
763 $link = Linker
::linkKnown(
766 [ 'data-serp-pos' => $position ], // HTML attributes
770 // If page content is not readable, just return the title.
771 // This is not quite safe, but better than showing excerpts from non-readable pages
772 // Note that hiding the entry entirely would screw up paging.
773 if ( !$title->userCan( 'read', $this->getUser() ) ) {
774 return "<li>{$link}</li>\n";
777 // If the page doesn't *exist*... our search index is out of date.
778 // The least confusing at this point is to drop the result.
779 // You may get less results, but... oh well. :P
780 if ( $result->isMissingRevision() ) {
784 // format redirects / relevant sections
785 $redirectTitle = $result->getRedirectTitle();
786 $redirectText = $result->getRedirectSnippet();
787 $sectionTitle = $result->getSectionTitle();
788 $sectionText = $result->getSectionSnippet();
789 $categorySnippet = $result->getCategorySnippet();
792 if ( !is_null( $redirectTitle ) ) {
793 if ( $redirectText == '' ) {
794 $redirectText = null;
797 $redirect = "<span class='searchalttitle'>" .
798 $this->msg( 'search-redirect' )->rawParams(
799 Linker
::linkKnown( $redirectTitle, $redirectText ) )->text() .
804 if ( !is_null( $sectionTitle ) ) {
805 if ( $sectionText == '' ) {
809 $section = "<span class='searchalttitle'>" .
810 $this->msg( 'search-section' )->rawParams(
811 Linker
::linkKnown( $sectionTitle, $sectionText ) )->text() .
816 if ( $categorySnippet ) {
817 $category = "<span class='searchalttitle'>" .
818 $this->msg( 'search-category' )->rawParams( $categorySnippet )->text() .
822 // format text extract
823 $extract = "<div class='searchresult'>" . $result->getTextSnippet( $terms ) . "</div>";
825 $lang = $this->getLanguage();
827 // format description
828 $byteSize = $result->getByteSize();
829 $wordCount = $result->getWordCount();
830 $timestamp = $result->getTimestamp();
831 $size = $this->msg( 'search-result-size', $lang->formatSize( $byteSize ) )
832 ->numParams( $wordCount )->escaped();
834 if ( $title->getNamespace() == NS_CATEGORY
) {
835 $cat = Category
::newFromTitle( $title );
836 $size = $this->msg( 'search-result-category-size' )
837 ->numParams( $cat->getPageCount(), $cat->getSubcatCount(), $cat->getFileCount() )
841 $date = $lang->userTimeAndDate( $timestamp, $this->getUser() );
844 // Include a thumbnail for media files...
845 if ( $title->getNamespace() == NS_FILE
) {
846 $img = $result->getFile();
847 $img = $img ?
: wfFindFile( $title );
848 if ( $result->isFileMatch() ) {
849 $fileMatch = "<span class='searchalttitle'>" .
850 $this->msg( 'search-file-match' )->escaped() . "</span>";
853 $thumb = $img->transform( [ 'width' => 120, 'height' => 120 ] );
855 $desc = $this->msg( 'parentheses' )->rawParams( $img->getShortDesc() )->escaped();
856 // Float doesn't seem to interact well with the bullets.
857 // Table messes up vertical alignment of the bullets.
858 // Bullets are therefore disabled (didn't look great anyway).
860 '<table class="searchResultImage">' .
862 '<td style="width: 120px; text-align: center; vertical-align: top;">' .
863 $thumb->toHtml( [ 'desc-link' => true ] ) .
865 '<td style="vertical-align: top;">' .
866 "{$link} {$redirect} {$category} {$section} {$fileMatch}" .
868 "<div class='mw-search-result-data'>{$desc} - {$date}</div>" .
881 if ( Hooks
::run( 'ShowSearchHit', [
882 $this, $result, $terms,
883 &$link, &$redirect, &$section, &$extract,
884 &$score, &$size, &$date, &$related,
887 $html = "<li><div class='mw-search-result-heading'>" .
888 "{$link} {$redirect} {$category} {$section} {$fileMatch}</div> {$extract}\n" .
889 "<div class='mw-search-result-data'>{$size} - {$date}</div>" .
897 * Extract custom captions from search-interwiki-custom message
899 protected function getCustomCaptions() {
900 if ( is_null( $this->customCaptions
) ) {
901 $this->customCaptions
= [];
902 // format per line <iwprefix>:<caption>
903 $customLines = explode( "\n", $this->msg( 'search-interwiki-custom' )->text() );
904 foreach ( $customLines as $line ) {
905 $parts = explode( ":", $line, 2 );
906 if ( count( $parts ) == 2 ) { // validate line
907 $this->customCaptions
[$parts[0]] = $parts[1];
914 * Show results from other wikis
916 * @param SearchResultSet|array $matches
917 * @param string $query
921 protected function showInterwiki( $matches, $query ) {
924 $out = "<div id='mw-search-interwiki'><div id='mw-search-interwiki-caption'>" .
925 $this->msg( 'search-interwiki-caption' )->text() . "</div>\n";
926 $out .= "<ul class='mw-search-iwresults'>\n";
928 // work out custom project captions
929 $this->getCustomCaptions();
931 if ( !is_array( $matches ) ) {
932 $matches = [ $matches ];
935 foreach ( $matches as $set ) {
937 $result = $set->next();
939 $out .= $this->showInterwikiHit( $result, $prev, $query );
940 $prev = $result->getInterwikiPrefix();
941 $result = $set->next();
945 // @todo Should support paging in a non-confusing way (not sure how though, maybe via ajax)..
946 $out .= "</ul></div>\n";
948 // convert the whole thing to desired language variant
949 $out = $wgContLang->convert( $out );
955 * Show single interwiki link
957 * @param SearchResult $result
958 * @param string $lastInterwiki
959 * @param string $query
963 protected function showInterwikiHit( $result, $lastInterwiki, $query ) {
965 if ( $result->isBrokenTitle() ) {
969 $title = $result->getTitle();
971 $titleSnippet = $result->getTitleSnippet();
973 if ( $titleSnippet == '' ) {
974 $titleSnippet = null;
977 $link = Linker
::linkKnown(
982 // format redirect if any
983 $redirectTitle = $result->getRedirectTitle();
984 $redirectText = $result->getRedirectSnippet();
986 if ( !is_null( $redirectTitle ) ) {
987 if ( $redirectText == '' ) {
988 $redirectText = null;
991 $redirect = "<span class='searchalttitle'>" .
992 $this->msg( 'search-redirect' )->rawParams(
993 Linker
::linkKnown( $redirectTitle, $redirectText ) )->text() .
998 // display project name
999 if ( is_null( $lastInterwiki ) ||
$lastInterwiki != $title->getInterwiki() ) {
1000 if ( array_key_exists( $title->getInterwiki(), $this->customCaptions
) ) {
1001 // captions from 'search-interwiki-custom'
1002 $caption = $this->customCaptions
[$title->getInterwiki()];
1004 // default is to show the hostname of the other wiki which might suck
1005 // if there are many wikis on one hostname
1006 $parsed = wfParseUrl( $title->getFullURL() );
1007 $caption = $this->msg( 'search-interwiki-default', $parsed['host'] )->text();
1009 // "more results" link (special page stuff could be localized, but we might not know target lang)
1010 $searchTitle = Title
::newFromText( $title->getInterwiki() . ":Special:Search" );
1011 $searchLink = Linker
::linkKnown(
1013 $this->msg( 'search-interwiki-more' )->text(),
1017 'fulltext' => 'Search'
1020 $out .= "</ul><div class='mw-search-interwiki-project'><span class='mw-search-interwiki-more'>
1021 {$searchLink}</span>{$caption}</div>\n<ul>";
1024 $out .= "<li>{$link} {$redirect}</li>\n";
1030 * Generates the power search box at [[Special:Search]]
1032 * @param string $term Search term
1033 * @param array $opts
1034 * @return string HTML form
1036 protected function powerSearchBox( $term, $opts ) {
1039 // Groups namespaces into rows according to subject
1041 foreach ( $this->searchConfig
->searchableNamespaces() as $namespace => $name ) {
1042 $subject = MWNamespace
::getSubject( $namespace );
1043 if ( !array_key_exists( $subject, $rows ) ) {
1044 $rows[$subject] = "";
1047 $name = $wgContLang->getConverter()->convertNamespace( $namespace );
1048 if ( $name == '' ) {
1049 $name = $this->msg( 'blanknamespace' )->text();
1053 Xml
::openElement( 'td' ) .
1057 "mw-search-ns{$namespace}",
1058 in_array( $namespace, $this->namespaces
)
1060 Xml
::closeElement( 'td' );
1063 $rows = array_values( $rows );
1064 $numRows = count( $rows );
1066 // Lays out namespaces in multiple floating two-column tables so they'll
1067 // be arranged nicely while still accommodating different screen widths
1068 $namespaceTables = '';
1069 for ( $i = 0; $i < $numRows; $i +
= 4 ) {
1070 $namespaceTables .= Xml
::openElement( 'table' );
1072 for ( $j = $i; $j < $i +
4 && $j < $numRows; $j++
) {
1073 $namespaceTables .= Xml
::tags( 'tr', null, $rows[$j] );
1076 $namespaceTables .= Xml
::closeElement( 'table' );
1079 $showSections = [ 'namespaceTables' => $namespaceTables ];
1081 Hooks
::run( 'SpecialSearchPowerBox', [ &$showSections, $term, $opts ] );
1084 foreach ( $opts as $key => $value ) {
1085 $hidden .= Html
::hidden( $key, $value );
1088 # Stuff to feed saveNamespaces()
1090 $user = $this->getUser();
1091 if ( $user->isLoggedIn() ) {
1092 $remember .= Xml
::checkLabel(
1093 $this->msg( 'powersearch-remember' )->text(),
1095 'mw-search-powersearch-remember',
1097 // The token goes here rather than in a hidden field so it
1098 // is only sent when necessary (not every form submission).
1099 [ 'value' => $user->getEditToken(
1106 // Return final output
1107 return Xml
::openElement( 'fieldset', [ 'id' => 'mw-searchoptions' ] ) .
1108 Xml
::element( 'legend', null, $this->msg( 'powersearch-legend' )->text() ) .
1109 Xml
::tags( 'h4', null, $this->msg( 'powersearch-ns' )->parse() ) .
1110 Xml
::element( 'div', [ 'id' => 'mw-search-togglebox' ], '', false ) .
1111 Xml
::element( 'div', [ 'class' => 'divider' ], '', false ) .
1112 implode( Xml
::element( 'div', [ 'class' => 'divider' ], '', false ), $showSections ) .
1114 Xml
::element( 'div', [ 'class' => 'divider' ], '', false ) .
1116 Xml
::closeElement( 'fieldset' );
1122 protected function getSearchProfiles() {
1123 // Builds list of Search Types (profiles)
1124 $nsAllSet = array_keys( $this->searchConfig
->searchableNamespaces() );
1125 $defaultNs = $this->searchConfig
->defaultNamespaces();
1128 'message' => 'searchprofile-articles',
1129 'tooltip' => 'searchprofile-articles-tooltip',
1130 'namespaces' => $defaultNs,
1131 'namespace-messages' => $this->searchConfig
->namespacesAsText(
1136 'message' => 'searchprofile-images',
1137 'tooltip' => 'searchprofile-images-tooltip',
1138 'namespaces' => [ NS_FILE
],
1141 'message' => 'searchprofile-everything',
1142 'tooltip' => 'searchprofile-everything-tooltip',
1143 'namespaces' => $nsAllSet,
1146 'message' => 'searchprofile-advanced',
1147 'tooltip' => 'searchprofile-advanced-tooltip',
1148 'namespaces' => self
::NAMESPACES_CURRENT
,
1152 Hooks
::run( 'SpecialSearchProfiles', [ &$profiles ] );
1154 foreach ( $profiles as &$data ) {
1155 if ( !is_array( $data['namespaces'] ) ) {
1158 sort( $data['namespaces'] );
1165 * @param string $term
1168 protected function searchProfileTabs( $term ) {
1169 $out = Html
::element( 'div', [ 'class' => 'visualClear' ] ) .
1170 Xml
::openElement( 'div', [ 'class' => 'mw-search-profile-tabs' ] );
1173 if ( $this->startsWithImage( $term ) ) {
1175 $bareterm = substr( $term, strpos( $term, ':' ) +
1 );
1178 $profiles = $this->getSearchProfiles();
1179 $lang = $this->getLanguage();
1181 // Outputs XML for Search Types
1182 $out .= Xml
::openElement( 'div', [ 'class' => 'search-types' ] );
1183 $out .= Xml
::openElement( 'ul' );
1184 foreach ( $profiles as $id => $profile ) {
1185 if ( !isset( $profile['parameters'] ) ) {
1186 $profile['parameters'] = [];
1188 $profile['parameters']['profile'] = $id;
1190 $tooltipParam = isset( $profile['namespace-messages'] ) ?
1191 $lang->commaList( $profile['namespace-messages'] ) : null;
1195 'class' => $this->profile
=== $id ?
'current' : 'normal'
1197 $this->makeSearchLink(
1200 $this->msg( $profile['message'] )->text(),
1201 $this->msg( $profile['tooltip'], $tooltipParam )->text(),
1202 $profile['parameters']
1206 $out .= Xml
::closeElement( 'ul' );
1207 $out .= Xml
::closeElement( 'div' );
1208 $out .= Xml
::element( 'div', [ 'style' => 'clear:both' ], '', false );
1209 $out .= Xml
::closeElement( 'div' );
1215 * @param string $term Search term
1218 protected function searchOptions( $term ) {
1221 $opts['profile'] = $this->profile
;
1223 if ( $this->isPowerSearch() ) {
1224 $out .= $this->powerSearchBox( $term, $opts );
1227 Hooks
::run( 'SpecialSearchProfileForm', [ $this, &$form, $this->profile
, $term, $opts ] );
1235 * @param string $term
1236 * @param int $resultsShown
1237 * @param int $totalNum
1240 protected function shortDialog( $term, $resultsShown, $totalNum ) {
1241 $searchWidget = new MediaWiki\Widget\
SearchInputWidget( [
1242 'id' => 'searchText',
1244 'autofocus' => trim( $term ) === '',
1246 'dataLocation' => 'content',
1249 $layout = new OOUI\
ActionFieldLayout( $searchWidget, new OOUI\
ButtonInputWidget( [
1251 'label' => $this->msg( 'searchbutton' )->text(),
1252 'flags' => [ 'progressive', 'primary' ],
1258 Html
::hidden( 'title', $this->getPageTitle()->getPrefixedText() ) .
1259 Html
::hidden( 'profile', $this->profile
) .
1260 Html
::hidden( 'fulltext', 'Search' ) .
1264 if ( $totalNum > 0 && $this->offset
< $totalNum ) {
1265 $top = $this->msg( 'search-showingresults' )
1266 ->numParams( $this->offset +
1, $this->offset +
$resultsShown, $totalNum )
1267 ->numParams( $resultsShown )
1269 $out .= Xml
::tags( 'div', [ 'class' => 'results-info' ], $top );
1276 * Make a search link with some target namespaces
1278 * @param string $term
1279 * @param array $namespaces Ignored
1280 * @param string $label Link's text
1281 * @param string $tooltip Link's tooltip
1282 * @param array $params Query string parameters
1283 * @return string HTML fragment
1285 protected function makeSearchLink( $term, $namespaces, $label, $tooltip, $params = [] ) {
1287 foreach ( $namespaces as $n ) {
1288 $opt['ns' . $n] = 1;
1291 $stParams = array_merge(
1294 'fulltext' => $this->msg( 'search' )->text()
1299 return Xml
::element(
1302 'href' => $this->getPageTitle()->getLocalURL( $stParams ),
1310 * Check if query starts with image: prefix
1312 * @param string $term The string to check
1315 protected function startsWithImage( $term ) {
1318 $parts = explode( ':', $term );
1319 if ( count( $parts ) > 1 ) {
1320 return $wgContLang->getNsIndex( $parts[0] ) == NS_FILE
;
1327 * Check if query starts with all: prefix
1329 * @param string $term The string to check
1332 protected function startsWithAll( $term ) {
1334 $allkeyword = $this->msg( 'searchall' )->inContentLanguage()->text();
1336 $parts = explode( ':', $term );
1337 if ( count( $parts ) > 1 ) {
1338 return $parts[0] == $allkeyword;
1347 * @return SearchEngine
1349 public function getSearchEngine() {
1350 if ( $this->searchEngine
=== null ) {
1351 $this->searchEngine
= $this->searchEngineType ?
1352 MediaWikiServices
::getInstance()->getSearchEngineFactory()->create( $this->searchEngineType
) :
1353 MediaWikiServices
::getInstance()->newSearchEngine();
1356 return $this->searchEngine
;
1360 * Current search profile.
1361 * @return null|string
1363 function getProfile() {
1364 return $this->profile
;
1368 * Current namespaces.
1371 function getNamespaces() {
1372 return $this->namespaces
;
1376 * Users of hook SpecialSearchSetupEngine can use this to
1377 * add more params to links to not lose selection when
1378 * user navigates search results.
1381 * @param string $key
1382 * @param mixed $value
1384 public function setExtraParam( $key, $value ) {
1385 $this->extraParams
[$key] = $value;
1388 protected function getGroupName() {