MediaWiki REL1_33
SpecialRecentchanges.php
Go to the documentation of this file.
1<?php
27
34
35 protected static $savedQueriesPreferenceName = 'rcfilters-saved-queries';
36 protected static $daysPreferenceName = 'rcdays'; // Use general RecentChanges preference
37 protected static $limitPreferenceName = 'rcfilters-limit'; // Use RCFilters-specific preference
38 protected static $collapsedPreferenceName = 'rcfilters-rc-collapsed';
39
41
42 public function __construct( $name = 'Recentchanges', $restriction = '' ) {
43 parent::__construct( $name, $restriction );
44
45 $this->watchlistFilterGroupDefinition = [
46 'name' => 'watchlist',
47 'title' => 'rcfilters-filtergroup-watchlist',
48 'class' => ChangesListStringOptionsFilterGroup::class,
49 'priority' => -9,
50 'isFullCoverage' => true,
51 'filters' => [
52 [
53 'name' => 'watched',
54 'label' => 'rcfilters-filter-watchlist-watched-label',
55 'description' => 'rcfilters-filter-watchlist-watched-description',
56 'cssClassSuffix' => 'watched',
57 'isRowApplicableCallable' => function ( $ctx, $rc ) {
58 return $rc->getAttribute( 'wl_user' );
59 }
60 ],
61 [
62 'name' => 'watchednew',
63 'label' => 'rcfilters-filter-watchlist-watchednew-label',
64 'description' => 'rcfilters-filter-watchlist-watchednew-description',
65 'cssClassSuffix' => 'watchednew',
66 'isRowApplicableCallable' => function ( $ctx, $rc ) {
67 return $rc->getAttribute( 'wl_user' ) &&
68 $rc->getAttribute( 'rc_timestamp' ) &&
69 $rc->getAttribute( 'wl_notificationtimestamp' ) &&
70 $rc->getAttribute( 'rc_timestamp' ) >= $rc->getAttribute( 'wl_notificationtimestamp' );
71 },
72 ],
73 [
74 'name' => 'notwatched',
75 'label' => 'rcfilters-filter-watchlist-notwatched-label',
76 'description' => 'rcfilters-filter-watchlist-notwatched-description',
77 'cssClassSuffix' => 'notwatched',
78 'isRowApplicableCallable' => function ( $ctx, $rc ) {
79 return $rc->getAttribute( 'wl_user' ) === null;
80 },
81 ]
82 ],
84 'queryCallable' => function ( $specialPageClassName, $context, $dbr,
85 &$tables, &$fields, &$conds, &$query_options, &$join_conds, $selectedValues ) {
86 sort( $selectedValues );
87 $notwatchedCond = 'wl_user IS NULL';
88 $watchedCond = 'wl_user IS NOT NULL';
89 $newCond = 'rc_timestamp >= wl_notificationtimestamp';
90
91 if ( $selectedValues === [ 'notwatched' ] ) {
92 $conds[] = $notwatchedCond;
93 return;
94 }
95
96 if ( $selectedValues === [ 'watched' ] ) {
97 $conds[] = $watchedCond;
98 return;
99 }
100
101 if ( $selectedValues === [ 'watchednew' ] ) {
102 $conds[] = $dbr->makeList( [
103 $watchedCond,
104 $newCond
105 ], LIST_AND );
106 return;
107 }
108
109 if ( $selectedValues === [ 'notwatched', 'watched' ] ) {
110 // no filters
111 return;
112 }
113
114 if ( $selectedValues === [ 'notwatched', 'watchednew' ] ) {
115 $conds[] = $dbr->makeList( [
116 $notwatchedCond,
117 $dbr->makeList( [
118 $watchedCond,
119 $newCond
120 ], LIST_AND )
121 ], LIST_OR );
122 return;
123 }
124
125 if ( $selectedValues === [ 'watched', 'watchednew' ] ) {
126 $conds[] = $watchedCond;
127 return;
128 }
129
130 if ( $selectedValues === [ 'notwatched', 'watched', 'watchednew' ] ) {
131 // no filters
132 return;
133 }
134 }
135 ];
136 }
137
141 public function execute( $subpage ) {
142 // Backwards-compatibility: redirect to new feed URLs
143 $feedFormat = $this->getRequest()->getVal( 'feed' );
144 if ( !$this->including() && $feedFormat ) {
145 $query = $this->getFeedQuery();
146 $query['feedformat'] = $feedFormat === 'atom' ? 'atom' : 'rss';
147 $this->getOutput()->redirect( wfAppendQuery( wfScript( 'api' ), $query ) );
148
149 return;
150 }
151
152 // 10 seconds server-side caching max
153 $out = $this->getOutput();
154 $out->setCdnMaxage( 10 );
155 // Check if the client has a cached version
156 $lastmod = $this->checkLastModified();
157 if ( $lastmod === false ) {
158 return;
159 }
160
161 $this->addHelpLink(
162 '//meta.wikimedia.org/wiki/Special:MyLanguage/Help:Recent_changes',
163 true
164 );
165 parent::execute( $subpage );
166 }
167
171 protected function transformFilterDefinition( array $filterDefinition ) {
172 if ( isset( $filterDefinition['showHideSuffix'] ) ) {
173 $filterDefinition['showHide'] = 'rc' . $filterDefinition['showHideSuffix'];
174 }
175
176 return $filterDefinition;
177 }
178
182 protected function registerFilters() {
183 parent::registerFilters();
184
185 if (
186 !$this->including() &&
187 $this->getUser()->isLoggedIn() &&
188 $this->getUser()->isAllowed( 'viewmywatchlist' )
189 ) {
190 $this->registerFiltersFromDefinitions( [ $this->watchlistFilterGroupDefinition ] );
191 $watchlistGroup = $this->getFilterGroup( 'watchlist' );
192 $watchlistGroup->getFilter( 'watched' )->setAsSupersetOf(
193 $watchlistGroup->getFilter( 'watchednew' )
194 );
195 }
196
197 $user = $this->getUser();
198
199 $significance = $this->getFilterGroup( 'significance' );
200 $hideMinor = $significance->getFilter( 'hideminor' );
201 $hideMinor->setDefault( $user->getBoolOption( 'hideminor' ) );
202
203 $automated = $this->getFilterGroup( 'automated' );
204 $hideBots = $automated->getFilter( 'hidebots' );
205 $hideBots->setDefault( true );
206
207 $reviewStatus = $this->getFilterGroup( 'reviewStatus' );
208 if ( $reviewStatus !== null ) {
209 // Conditional on feature being available and rights
210 if ( $user->getBoolOption( 'hidepatrolled' ) ) {
211 $reviewStatus->setDefault( 'unpatrolled' );
212 $legacyReviewStatus = $this->getFilterGroup( 'legacyReviewStatus' );
213 $legacyHidePatrolled = $legacyReviewStatus->getFilter( 'hidepatrolled' );
214 $legacyHidePatrolled->setDefault( true );
215 }
216 }
217
218 $changeType = $this->getFilterGroup( 'changeType' );
219 $hideCategorization = $changeType->getFilter( 'hidecategorization' );
220 if ( $hideCategorization !== null ) {
221 // Conditional on feature being available
222 $hideCategorization->setDefault( $user->getBoolOption( 'hidecategorization' ) );
223 }
224 }
225
232 public function parseParameters( $par, FormOptions $opts ) {
233 parent::parseParameters( $par, $opts );
234
235 $bits = preg_split( '/\s*,\s*/', trim( $par ) );
236 foreach ( $bits as $bit ) {
237 if ( is_numeric( $bit ) ) {
238 $opts['limit'] = $bit;
239 }
240
241 $m = [];
242 if ( preg_match( '/^limit=(\d+)$/', $bit, $m ) ) {
243 $opts['limit'] = $m[1];
244 }
245 if ( preg_match( '/^days=(\d+(?:\.\d+)?)$/', $bit, $m ) ) {
246 $opts['days'] = $m[1];
247 }
248 if ( preg_match( '/^namespace=(.*)$/', $bit, $m ) ) {
249 $opts['namespace'] = $m[1];
250 }
251 if ( preg_match( '/^tagfilter=(.*)$/', $bit, $m ) ) {
252 $opts['tagfilter'] = $m[1];
253 }
254 }
255 }
256
260 protected function doMainQuery( $tables, $fields, $conds, $query_options,
261 $join_conds, FormOptions $opts
262 ) {
263 $dbr = $this->getDB();
264 $user = $this->getUser();
265
266 $rcQuery = RecentChange::getQueryInfo();
267 $tables = array_merge( $tables, $rcQuery['tables'] );
268 $fields = array_merge( $rcQuery['fields'], $fields );
269 $join_conds = array_merge( $join_conds, $rcQuery['joins'] );
270
271 // JOIN on watchlist for users
272 if ( $user->isLoggedIn() && $user->isAllowed( 'viewmywatchlist' ) ) {
273 $tables[] = 'watchlist';
274 $fields[] = 'wl_user';
275 $fields[] = 'wl_notificationtimestamp';
276 $join_conds['watchlist'] = [ 'LEFT JOIN', [
277 'wl_user' => $user->getId(),
278 'wl_title=rc_title',
279 'wl_namespace=rc_namespace'
280 ] ];
281 }
282
283 // JOIN on page, used for 'last revision' filter highlight
284 $tables[] = 'page';
285 $fields[] = 'page_latest';
286 $join_conds['page'] = [ 'LEFT JOIN', 'rc_cur_id=page_id' ];
287
288 $tagFilter = $opts['tagfilter'] ? explode( '|', $opts['tagfilter'] ) : [];
290 $tables,
291 $fields,
292 $conds,
293 $join_conds,
294 $query_options,
295 $tagFilter
296 );
297
298 if ( !$this->runMainQueryHook( $tables, $fields, $conds, $query_options, $join_conds,
299 $opts )
300 ) {
301 return false;
302 }
303
304 if ( $this->areFiltersInConflict() ) {
305 return false;
306 }
307
308 $orderByAndLimit = [
309 'ORDER BY' => 'rc_timestamp DESC',
310 'LIMIT' => $opts['limit']
311 ];
312 if ( in_array( 'DISTINCT', $query_options ) ) {
313 // ChangeTags::modifyDisplayQuery() adds DISTINCT when filtering on multiple tags.
314 // In order to prevent DISTINCT from causing query performance problems,
315 // we have to GROUP BY the primary key. This in turn requires us to add
316 // the primary key to the end of the ORDER BY, and the old ORDER BY to the
317 // start of the GROUP BY
318 $orderByAndLimit['ORDER BY'] = 'rc_timestamp DESC, rc_id DESC';
319 $orderByAndLimit['GROUP BY'] = 'rc_timestamp, rc_id';
320 }
321 // array_merge() is used intentionally here so that hooks can, should
322 // they so desire, override the ORDER BY / LIMIT condition(s); prior to
323 // MediaWiki 1.26 this used to use the plus operator instead, which meant
324 // that extensions weren't able to change these conditions
325 $query_options = array_merge( $orderByAndLimit, $query_options );
326 $rows = $dbr->select(
327 $tables,
328 $fields,
329 // rc_new is not an ENUM, but adding a redundant rc_new IN (0,1) gives mysql enough
330 // knowledge to use an index merge if it wants (it may use some other index though).
331 $conds + [ 'rc_new' => [ 0, 1 ] ],
332 __METHOD__,
333 $query_options,
334 $join_conds
335 );
336
337 return $rows;
338 }
339
340 protected function getDB() {
341 return wfGetDB( DB_REPLICA, 'recentchanges' );
342 }
343
344 public function outputFeedLinks() {
345 $this->addFeedLinks( $this->getFeedQuery() );
346 }
347
353 protected function getFeedQuery() {
354 $query = array_filter( $this->getOptions()->getAllValues(), function ( $value ) {
355 // API handles empty parameters in a different way
356 return $value !== '';
357 } );
358 $query['action'] = 'feedrecentchanges';
359 $feedLimit = $this->getConfig()->get( 'FeedLimit' );
360 if ( $query['limit'] > $feedLimit ) {
361 $query['limit'] = $feedLimit;
362 }
363
364 return $query;
365 }
366
373 public function outputChangesList( $rows, $opts ) {
374 $limit = $opts['limit'];
375
376 $showWatcherCount = $this->getConfig()->get( 'RCShowWatchingUsers' )
377 && $this->getUser()->getOption( 'shownumberswatching' );
378 $watcherCache = [];
379
380 $counter = 1;
381 $list = ChangesList::newFromContext( $this->getContext(), $this->filterGroups );
382 $list->initChangesListRows( $rows );
383
384 $userShowHiddenCats = $this->getUser()->getBoolOption( 'showhiddencats' );
385 $rclistOutput = $list->beginRecentChangesList();
386 if ( $this->isStructuredFilterUiEnabled() ) {
387 $rclistOutput .= $this->makeLegend();
388 }
389
390 foreach ( $rows as $obj ) {
391 if ( $limit == 0 ) {
392 break;
393 }
394 $rc = RecentChange::newFromRow( $obj );
395
396 # Skip CatWatch entries for hidden cats based on user preference
397 if (
398 $rc->getAttribute( 'rc_type' ) == RC_CATEGORIZE &&
399 !$userShowHiddenCats &&
400 $rc->getParam( 'hidden-cat' )
401 ) {
402 continue;
403 }
404
405 $rc->counter = $counter++;
406 # Check if the page has been updated since the last visit
407 if ( $this->getConfig()->get( 'ShowUpdatedMarker' )
408 && !empty( $obj->wl_notificationtimestamp )
409 ) {
410 $rc->notificationtimestamp = ( $obj->rc_timestamp >= $obj->wl_notificationtimestamp );
411 } else {
412 $rc->notificationtimestamp = false; // Default
413 }
414 # Check the number of users watching the page
415 $rc->numberofWatchingusers = 0; // Default
416 if ( $showWatcherCount && $obj->rc_namespace >= 0 ) {
417 if ( !isset( $watcherCache[$obj->rc_namespace][$obj->rc_title] ) ) {
418 $watcherCache[$obj->rc_namespace][$obj->rc_title] =
419 MediaWikiServices::getInstance()->getWatchedItemStore()->countWatchers(
420 new TitleValue( (int)$obj->rc_namespace, $obj->rc_title )
421 );
422 }
423 $rc->numberofWatchingusers = $watcherCache[$obj->rc_namespace][$obj->rc_title];
424 }
425
426 $changeLine = $list->recentChangesLine( $rc, !empty( $obj->wl_user ), $counter );
427 if ( $changeLine !== false ) {
428 $rclistOutput .= $changeLine;
429 --$limit;
430 }
431 }
432 $rclistOutput .= $list->endRecentChangesList();
433
434 if ( $rows->numRows() === 0 ) {
435 $this->outputNoResults();
436 if ( !$this->including() ) {
437 $this->getOutput()->setStatusCode( 404 );
438 }
439 } else {
440 $this->getOutput()->addHTML( $rclistOutput );
441 }
442 }
443
450 public function doHeader( $opts, $numRows ) {
451 $this->setTopText( $opts );
452
453 $defaults = $opts->getAllValues();
454 $nondefaults = $opts->getChangedValues();
455
456 $panel = [];
457 if ( !$this->isStructuredFilterUiEnabled() ) {
458 $panel[] = $this->makeLegend();
459 }
460 $panel[] = $this->optionsPanel( $defaults, $nondefaults, $numRows );
461 $panel[] = '<hr />';
462
463 $extraOpts = $this->getExtraOptions( $opts );
464 $extraOptsCount = count( $extraOpts );
465 $count = 0;
466 $submit = ' ' . Xml::submitButton( $this->msg( 'recentchanges-submit' )->text() );
467
468 $out = Xml::openElement( 'table', [ 'class' => 'mw-recentchanges-table' ] );
469 foreach ( $extraOpts as $name => $optionRow ) {
470 # Add submit button to the last row only
471 ++$count;
472 $addSubmit = ( $count === $extraOptsCount ) ? $submit : '';
473
474 $out .= Xml::openElement( 'tr', [ 'class' => $name . 'Form' ] );
475 if ( is_array( $optionRow ) ) {
476 $out .= Xml::tags(
477 'td',
478 [ 'class' => 'mw-label mw-' . $name . '-label' ],
479 $optionRow[0]
480 );
481 $out .= Xml::tags(
482 'td',
483 [ 'class' => 'mw-input' ],
484 $optionRow[1] . $addSubmit
485 );
486 } else {
487 $out .= Xml::tags(
488 'td',
489 [ 'class' => 'mw-input', 'colspan' => 2 ],
490 $optionRow . $addSubmit
491 );
492 }
493 $out .= Xml::closeElement( 'tr' );
494 }
495 $out .= Xml::closeElement( 'table' );
496
497 $unconsumed = $opts->getUnconsumedValues();
498 foreach ( $unconsumed as $key => $value ) {
499 $out .= Html::hidden( $key, $value );
500 }
501
502 $t = $this->getPageTitle();
503 $out .= Html::hidden( 'title', $t->getPrefixedText() );
504 $form = Xml::tags( 'form', [ 'action' => wfScript() ], $out );
505 $panel[] = $form;
506 $panelString = implode( "\n", $panel );
507
508 $rcoptions = Xml::fieldset(
509 $this->msg( 'recentchanges-legend' )->text(),
510 $panelString,
511 [ 'class' => 'rcoptions cloptions' ]
512 );
513
514 // Insert a placeholder for RCFilters
515 if ( $this->isStructuredFilterUiEnabled() ) {
516 $rcfilterContainer = Html::element(
517 'div',
518 [ 'class' => 'rcfilters-container' ]
519 );
520
521 $loadingContainer = Html::rawElement(
522 'div',
523 [ 'class' => 'rcfilters-spinner' ],
524 Html::element(
525 'div',
526 [ 'class' => 'rcfilters-spinner-bounce' ]
527 )
528 );
529
530 // Wrap both with rcfilters-head
531 $this->getOutput()->addHTML(
532 Html::rawElement(
533 'div',
534 [ 'class' => 'rcfilters-head' ],
535 $rcfilterContainer . $rcoptions
536 )
537 );
538
539 // Add spinner
540 $this->getOutput()->addHTML( $loadingContainer );
541 } else {
542 $this->getOutput()->addHTML( $rcoptions );
543 }
544
545 $this->setBottomText( $opts );
546 }
547
553 function setTopText( FormOptions $opts ) {
554 $message = $this->msg( 'recentchangestext' )->inContentLanguage();
555 if ( !$message->isDisabled() ) {
556 $contLang = MediaWikiServices::getInstance()->getContentLanguage();
557 // Parse the message in this weird ugly way to preserve the ability to include interlanguage
558 // links in it (T172461). In the future when T66969 is resolved, perhaps we can just use
559 // $message->parse() instead. This code is copied from Message::parseText().
560 $parserOutput = MessageCache::singleton()->parse(
561 $message->plain(),
562 $this->getPageTitle(),
563 /*linestart*/true,
564 // Message class sets the interface flag to false when parsing in a language different than
565 // user language, and this is wiki content language
566 /*interface*/false,
567 $contLang
568 );
569 $content = $parserOutput->getText( [
570 'enableSectionEditLinks' => false,
571 ] );
572 // Add only metadata here (including the language links), text is added below
573 $this->getOutput()->addParserOutputMetadata( $parserOutput );
574
575 $langAttributes = [
576 'lang' => $contLang->getHtmlCode(),
577 'dir' => $contLang->getDir(),
578 ];
579
580 $topLinksAttributes = [ 'class' => 'mw-recentchanges-toplinks' ];
581
582 if ( $this->isStructuredFilterUiEnabled() ) {
583 // Check whether the widget is already collapsed or expanded
584 $collapsedState = $this->getRequest()->getCookie( 'rcfilters-toplinks-collapsed-state' );
585 // Note that an empty/unset cookie means collapsed, so check for !== 'expanded'
586 $topLinksAttributes[ 'class' ] .= $collapsedState !== 'expanded' ?
587 ' mw-recentchanges-toplinks-collapsed' : '';
588
589 $this->getOutput()->enableOOUI();
590 $contentTitle = new OOUI\ButtonWidget( [
591 'classes' => [ 'mw-recentchanges-toplinks-title' ],
592 'label' => new OOUI\HtmlSnippet( $this->msg( 'rcfilters-other-review-tools' )->parse() ),
593 'framed' => false,
594 'indicator' => $collapsedState !== 'expanded' ? 'down' : 'up',
595 'flags' => [ 'progressive' ],
596 ] );
597
598 $contentWrapper = Html::rawElement( 'div',
599 array_merge(
600 [ 'class' => 'mw-recentchanges-toplinks-content mw-collapsible-content' ],
601 $langAttributes
602 ),
604 );
605 $content = $contentTitle . $contentWrapper;
606 } else {
607 // Language direction should be on the top div only
608 // if the title is not there. If it is there, it's
609 // interface direction, and the language/dir attributes
610 // should be on the content itself
611 $topLinksAttributes = array_merge( $topLinksAttributes, $langAttributes );
612 }
613
614 $this->getOutput()->addHTML(
615 Html::rawElement( 'div', $topLinksAttributes, $content )
616 );
617 }
618 }
619
626 function getExtraOptions( $opts ) {
627 $opts->consumeValues( [
628 'namespace', 'invert', 'associated', 'tagfilter'
629 ] );
630
631 $extraOpts = [];
632 $extraOpts['namespace'] = $this->namespaceFilterForm( $opts );
633
635 $opts['tagfilter'], false, $this->getContext() );
636 if ( count( $tagFilter ) ) {
637 $extraOpts['tagfilter'] = $tagFilter;
638 }
639
640 // Don't fire the hook for subclasses. (Or should we?)
641 if ( $this->getName() === 'Recentchanges' ) {
642 Hooks::run( 'SpecialRecentChangesPanel', [ &$extraOpts, $opts ] );
643 }
644
645 return $extraOpts;
646 }
647
651 protected function addModules() {
652 parent::addModules();
653 $out = $this->getOutput();
654 $out->addModules( 'mediawiki.special.recentchanges' );
655 }
656
664 public function checkLastModified() {
665 $dbr = $this->getDB();
666 $lastmod = $dbr->selectField( 'recentchanges', 'MAX(rc_timestamp)', '', __METHOD__ );
667
668 return $lastmod;
669 }
670
677 protected function namespaceFilterForm( FormOptions $opts ) {
678 $nsSelect = Html::namespaceSelector(
679 [ 'selected' => $opts['namespace'], 'all' => '', 'in-user-lang' => true ],
680 [ 'name' => 'namespace', 'id' => 'namespace' ]
681 );
682 $nsLabel = Xml::label( $this->msg( 'namespace' )->text(), 'namespace' );
683 $attribs = [ 'class' => [ 'mw-input-with-label' ] ];
684 // Hide the checkboxes when the namespace filter is set to 'all'.
685 if ( $opts['namespace'] === '' ) {
686 $attribs['class'][] = 'mw-input-hidden';
687 }
688 $invert = Html::rawElement( 'span', $attribs, Xml::checkLabel(
689 $this->msg( 'invert' )->text(), 'invert', 'nsinvert',
690 $opts['invert'],
691 [ 'title' => $this->msg( 'tooltip-invert' )->text() ]
692 ) );
693 $associated = Html::rawElement( 'span', $attribs, Xml::checkLabel(
694 $this->msg( 'namespace_association' )->text(), 'associated', 'nsassociated',
695 $opts['associated'],
696 [ 'title' => $this->msg( 'tooltip-namespace_association' )->text() ]
697 ) );
698
699 return [ $nsLabel, "$nsSelect $invert $associated" ];
700 }
701
711 wfDeprecated( __METHOD__, '1.31' );
712
713 $categories = array_map( 'trim', explode( '|', $opts['categories'] ) );
714
715 if ( $categories === [] ) {
716 return;
717 }
718
719 # Filter categories
720 $cats = [];
721 foreach ( $categories as $cat ) {
722 $cat = trim( $cat );
723 if ( $cat == '' ) {
724 continue;
725 }
726 $cats[] = $cat;
727 }
728
729 # Filter articles
730 $articles = [];
731 $a2r = [];
732 $rowsarr = [];
733 foreach ( $rows as $k => $r ) {
734 $nt = Title::makeTitle( $r->rc_namespace, $r->rc_title );
735 $id = $nt->getArticleID();
736 if ( $id == 0 ) {
737 continue; # Page might have been deleted...
738 }
739 if ( !in_array( $id, $articles ) ) {
740 $articles[] = $id;
741 }
742 if ( !isset( $a2r[$id] ) ) {
743 $a2r[$id] = [];
744 }
745 $a2r[$id][] = $k;
746 $rowsarr[$k] = $r;
747 }
748
749 # Shortcut?
750 if ( $articles === [] || $cats === [] ) {
751 return;
752 }
753
754 # Look up
755 $catFind = new CategoryFinder;
756 $catFind->seed( $articles, $cats, $opts['categories_any'] ? 'OR' : 'AND' );
757 $match = $catFind->run();
758
759 # Filter
760 $newrows = [];
761 foreach ( $match as $id ) {
762 foreach ( $a2r[$id] as $rev ) {
763 $k = $rev;
764 $newrows[$k] = $rowsarr[$k];
765 }
766 }
767 $rows = new FakeResultWrapper( array_values( $newrows ) );
768 }
769
779 function makeOptionsLink( $title, $override, $options, $active = false ) {
780 $params = $this->convertParamsForLink( $override + $options );
781
782 if ( $active ) {
783 $title = new HtmlArmor( '<strong>' . htmlspecialchars( $title ) . '</strong>' );
784 }
785
786 return $this->getLinkRenderer()->makeKnownLink( $this->getPageTitle(), $title, [
787 'data-params' => json_encode( $override ),
788 'data-keys' => implode( ',', array_keys( $override ) ),
789 ], $params );
790 }
791
800 function optionsPanel( $defaults, $nondefaults, $numRows ) {
801 $options = $nondefaults + $defaults;
802
803 $note = '';
804 $msg = $this->msg( 'rclegend' );
805 if ( !$msg->isDisabled() ) {
806 $note .= Html::rawElement(
807 'div',
808 [ 'class' => 'mw-rclegend' ],
809 $msg->parse()
810 );
811 }
812
813 $lang = $this->getLanguage();
814 $user = $this->getUser();
815 $config = $this->getConfig();
816 if ( $options['from'] ) {
817 $resetLink = $this->makeOptionsLink( $this->msg( 'rclistfromreset' ),
818 [ 'from' => '' ], $nondefaults );
819
820 $noteFromMsg = $this->msg( 'rcnotefrom' )
821 ->numParams( $options['limit'] )
822 ->params(
823 $lang->userTimeAndDate( $options['from'], $user ),
824 $lang->userDate( $options['from'], $user ),
825 $lang->userTime( $options['from'], $user )
826 )
827 ->numParams( $numRows );
828 $note .= Html::rawElement(
829 'span',
830 [ 'class' => 'rcnotefrom' ],
831 $noteFromMsg->parse()
832 ) .
833 ' ' .
834 Html::rawElement(
835 'span',
836 [ 'class' => 'rcoptions-listfromreset' ],
837 $this->msg( 'parentheses' )->rawParams( $resetLink )->parse()
838 ) .
839 '<br />';
840 }
841
842 # Sort data for display and make sure it's unique after we've added user data.
843 $linkLimits = $config->get( 'RCLinkLimits' );
844 $linkLimits[] = $options['limit'];
845 sort( $linkLimits );
846 $linkLimits = array_unique( $linkLimits );
847
848 $linkDays = $config->get( 'RCLinkDays' );
849 $linkDays[] = $options['days'];
850 sort( $linkDays );
851 $linkDays = array_unique( $linkDays );
852
853 // limit links
854 $cl = [];
855 foreach ( $linkLimits as $value ) {
856 $cl[] = $this->makeOptionsLink( $lang->formatNum( $value ),
857 [ 'limit' => $value ], $nondefaults, $value == $options['limit'] );
858 }
859 $cl = $lang->pipeList( $cl );
860
861 // day links, reset 'from' to none
862 $dl = [];
863 foreach ( $linkDays as $value ) {
864 $dl[] = $this->makeOptionsLink( $lang->formatNum( $value ),
865 [ 'days' => $value, 'from' => '' ], $nondefaults, $value == $options['days'] );
866 }
867 $dl = $lang->pipeList( $dl );
868
869 $showhide = [ 'show', 'hide' ];
870
871 $links = [];
872
873 foreach ( $this->getLegacyShowHideFilters() as $key => $filter ) {
874 $msg = $filter->getShowHide();
875 $linkMessage = $this->msg( $msg . '-' . $showhide[1 - $options[$key]] );
876 // Extensions can define additional filters, but don't need to define the corresponding
877 // messages. If they don't exist, just fall back to 'show' and 'hide'.
878 if ( !$linkMessage->exists() ) {
879 $linkMessage = $this->msg( $showhide[1 - $options[$key]] );
880 }
881
882 $link = $this->makeOptionsLink( $linkMessage->text(),
883 [ $key => 1 - $options[$key] ], $nondefaults );
884
885 $attribs = [
886 'class' => "$msg rcshowhideoption clshowhideoption",
887 'data-filter-name' => $filter->getName(),
888 ];
889
890 if ( $filter->isFeatureAvailableOnStructuredUi( $this ) ) {
891 $attribs['data-feature-in-structured-ui'] = true;
892 }
893
894 $links[] = Html::rawElement(
895 'span',
896 $attribs,
897 $this->msg( $msg )->rawParams( $link )->parse()
898 );
899 }
900
901 // show from this onward link
902 $timestamp = wfTimestampNow();
903 $now = $lang->userTimeAndDate( $timestamp, $user );
904 $timenow = $lang->userTime( $timestamp, $user );
905 $datenow = $lang->userDate( $timestamp, $user );
906 $pipedLinks = '<span class="rcshowhide">' . $lang->pipeList( $links ) . '</span>';
907
908 $rclinks = Html::rawElement(
909 'span',
910 [ 'class' => 'rclinks' ],
911 $this->msg( 'rclinks' )->rawParams( $cl, $dl, '' )->parse()
912 );
913
914 $rclistfrom = Html::rawElement(
915 'span',
916 [ 'class' => 'rclistfrom' ],
917 $this->makeOptionsLink(
918 $this->msg( 'rclistfrom' )->plaintextParams( $now, $timenow, $datenow )->parse(),
919 [ 'from' => $timestamp ],
920 $nondefaults
921 )
922 );
923
924 return "{$note}$rclinks<br />$pipedLinks<br />$rclistfrom";
925 }
926
927 public function isIncludable() {
928 return true;
929 }
930
931 protected function getCacheTTL() {
932 return 60 * 5;
933 }
934
935 public function getDefaultLimit() {
936 $systemPrefValue = $this->getUser()->getIntOption( 'rclimit' );
937 // Prefer the RCFilters-specific preference if RCFilters is enabled
938 if ( $this->isStructuredFilterUiEnabled() ) {
939 return $this->getUser()->getIntOption( static::$limitPreferenceName, $systemPrefValue );
940 }
941
942 // Otherwise, use the system rclimit preference value
943 return $systemPrefValue;
944 }
945}
Apache License January AND DISTRIBUTION Definitions License shall mean the terms and conditions for use
This list may contain false positives That usually means there is additional text with links below the first Each row contains links to the first and second as well as the first line of the second redirect text
wfTimestampNow()
Convenience function; returns MediaWiki timestamp for the present time.
wfGetDB( $db, $groups=[], $wiki=false)
Get a Database object.
wfAppendQuery( $url, $query)
Append a query string to an existing URL, which may or may not already have query string parameters a...
wfScript( $script='index')
Get the path to a specified script file, respecting file extensions; this is a wrapper around $wgScri...
wfDeprecated( $function, $version=false, $component=false, $callerOffset=2)
Throws a warning that $function is deprecated.
The "CategoryFinder" class takes a list of articles, creates an internal representation of all their ...
seed( $articleIds, $categories, $mode='AND', $maxdepth=-1)
Initializes the instance.
static buildTagFilterSelector( $selected='', $ooui=false, IContextSource $context=null)
Build a text box to select a change tag.
static modifyDisplayQuery(&$tables, &$fields, &$conds, &$join_conds, &$options, $filter_tag='')
Applies all tags-related changes to a query.
Special page which uses a ChangesList to show query results.
runMainQueryHook(&$tables, &$fields, &$conds, &$query_options, &$join_conds, $opts)
registerFiltersFromDefinitions(array $definition)
Register filters from a definition object.
convertParamsForLink( $params)
Convert parameters values from true/false to 1/0 so they are not omitted by wfArrayToCgi() T38524.
getFilterGroup( $groupName)
Gets a specified ChangesListFilterGroup by name.
isStructuredFilterUiEnabled()
Check whether the structured filter UI is enabled.
areFiltersInConflict()
Check if filters are in conflict and guaranteed to return no results.
outputNoResults()
Add the "no results" message to the output.
getOptions()
Get the current FormOptions for this request.
setBottomText(FormOptions $opts)
Send the text to be displayed after the options.
makeLegend()
Return the legend displayed within the fieldset.
const NONE
Signifies that no options in the group are selected, meaning the group has no effect.
static newFromContext(IContextSource $context, array $groups=[])
Fetch an appropriate changes list class for the specified context Some users might want to use an enh...
Helper class to keep track of options when mixing links and form elements.
Marks HTML that shouldn't be escaped.
Definition HtmlArmor.php:28
MediaWikiServices is the service locator for the application scope of MediaWiki.
getName()
Get the name of this Special Page.
getOutput()
Get the OutputPage being used for this instance.
getUser()
Shortcut to get the User executing this instance.
addFeedLinks( $params)
Adds RSS/atom links.
getContext()
Gets the context this SpecialPage is executed in.
msg( $key)
Wrapper around wfMessage that sets the current context.
getConfig()
Shortcut to get main config object.
getRequest()
Get the WebRequest being used for this instance.
getPageTitle( $subpage=false)
Get a self-referential title object.
getLanguage()
Shortcut to get user's language.
addHelpLink( $to, $overrideBaseUrl=false)
Adds help link with an icon via page indicators.
including( $x=null)
Whether the special page is being evaluated via transclusion.
A special page that lists last changes made to the wiki.
filterByCategories(&$rows, FormOptions $opts)
Filter $rows by categories set in $opts.
optionsPanel( $defaults, $nondefaults, $numRows)
Creates the options panel.
isIncludable()
Whether it's allowed to transclude the special page via {{Special:Foo/params}}.
setTopText(FormOptions $opts)
Send the text to be displayed above the options.
getExtraOptions( $opts)
Get options to be displayed in a form.
makeOptionsLink( $title, $override, $options, $active=false)
Makes change an option link which carries all the other options.
getDB()
Return a IDatabase object for reading.
addModules()
Add page-specific modules.
getFeedQuery()
Get URL query parameters for action=feedrecentchanges API feed of current recent changes view.
checkLastModified()
Get last modified date, for client caching Don't use this if we are using the patrol feature,...
doHeader( $opts, $numRows)
Set the text to be displayed above the changes.
transformFilterDefinition(array $filterDefinition)
@inheritDoc
parseParameters( $par, FormOptions $opts)
Process $par and put options found in $opts.
getDefaultLimit()
Get the default value of the number of changes to display when loading the result set.
__construct( $name='Recentchanges', $restriction='')
namespaceFilterForm(FormOptions $opts)
Creates the choose namespace selection.
outputChangesList( $rows, $opts)
Build and output the actual changes list.
outputFeedLinks()
Output feed links.
doMainQuery( $tables, $fields, $conds, $query_options, $join_conds, FormOptions $opts)
@inheritDoc
Represents a page (or page fragment) title within MediaWiki.
Overloads the relevant methods of the real ResultsWrapper so it doesn't go anywhere near an actual da...
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
const LIST_OR
Definition Defines.php:55
const LIST_AND
Definition Defines.php:52
const RC_CATEGORIZE
Definition Defines.php:155
do that in ParserLimitReportFormat instead use this to modify the parameters of the image all existing parser cache entries will be invalid To avoid you ll need to handle that somehow(e.g. with the RejectParserCacheValue hook) because MediaWiki won 't do it for you. & $defaults also a ContextSource after deleting those rows but within the same transaction $rows
Definition hooks.txt:2818
this hook is for auditing only or null if authentication failed before getting that far or null if we can t even determine that When $user is not it can be in the form of< username >< more info > e g for bot passwords intended to be added to log contexts Fields it might only if the login was with a bot password 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 $out
Definition hooks.txt:855
null means default in associative array with keys and values unescaped Should be merged with default with a value of false meaning to suppress the attribute in associative array with keys and values unescaped & $options
Definition hooks.txt:1999
do that in ParserLimitReportFormat instead use this to modify the parameters of the image all existing parser cache entries will be invalid To avoid you ll need to handle that somehow(e.g. with the RejectParserCacheValue hook) because MediaWiki won 't do it for you. & $defaults also a ContextSource after deleting those rows but within the same transaction you ll probably need to make sure the header is varied on and they can depend only on the ResourceLoaderContext $context
Definition hooks.txt:2848
namespace and then decline to actually register it file or subcat img or subcat $title
Definition hooks.txt:955
this hook is for auditing only RecentChangesLinked and Watchlist Do not use this to implement individual filters if they are compatible with the ChangesListFilter and ChangesListFilterGroup structure use sub classes of those in conjunction with the ChangesListSpecialPageStructuredFilters hook This hook can be used to implement filters that do not implement that or custom behavior that is not an individual filter e g Watchlist & $tables
Definition hooks.txt:996
usually copyright or history_copyright This message must be in HTML not wikitext & $link
Definition hooks.txt:3069
Allows to change the fields on the form that will be generated $name
Definition hooks.txt:271
null means default in associative array with keys and values unescaped Should be merged with default with a value of false meaning to suppress the attribute in associative array with keys and values unescaped noclasses just before the function returns a value If you return an< a > element with HTML attributes $attribs and contents $html will be returned If you return $ret will be returned and may include noclasses after processing & $attribs
Definition hooks.txt:2012
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:1617
return true to allow those checks to and false if checking is done & $user
Definition hooks.txt:1510
presenting them properly to the user as errors is done by the caller return true use this to change the list i e etc $rev
Definition hooks.txt:1779
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:37
Interface for type hinting (accepts WikiPage, Article, ImagePage, CategoryPage)
Definition Page.php:24
Result wrapper for grabbing data queried from an IDatabase object.
The wiki should then use memcached to cache various data To use multiple just add more items to the array To increase the weight of a make its entry a array("192.168.0.1:11211", 2))
$content
$filter
const DB_REPLICA
Definition defines.php:25
$params
if(!isset( $args[0])) $lang