MediaWiki master
ChangesList.php
Go to the documentation of this file.
1<?php
22
23use HtmlArmor;
24use MapCacheLRU;
31use MediaWiki\HookContainer\ProtectedHookAccessorTrait;
52use OOUI\IconWidget;
53use RuntimeException;
54use stdClass;
56
66 use ProtectedHookAccessorTrait;
67
68 public const CSS_CLASS_PREFIX = 'mw-changeslist-';
69
71 protected $watchlist = false;
73 protected $lastdate;
75 protected $message;
77 protected $rc_cache;
79 protected $rcCacheIndex;
81 protected $rclistOpen;
83 protected $rcMoveIndex;
84
87
89 protected $watchMsgCache;
90
94 protected $linkRenderer;
95
100
105
109 protected $filterGroups;
110
114 protected $tagsCache;
115
119 protected $userLinkCache;
120
121 private LogFormatterFactory $logFormatterFactory;
122
124
129 public function __construct( $context, array $filterGroups = [] ) {
130 $this->setContext( $context );
131 $this->preCacheMessages();
132 $this->watchMsgCache = new MapCacheLRU( 50 );
133 $this->filterGroups = $filterGroups;
134
135 $services = MediaWikiServices::getInstance();
136 $this->linkRenderer = $services->getLinkRenderer();
137 $this->commentFormatter = $services->getRowCommentFormatter();
138 $this->logFormatterFactory = $services->getLogFormatterFactory();
139 $this->userLinkRenderer = $services->getUserLinkRenderer();
140 $this->tagsCache = new MapCacheLRU( 50 );
141 $this->userLinkCache = new MapCacheLRU( 50 );
142 }
143
152 public static function newFromContext( IContextSource $context, array $groups = [] ) {
153 $user = $context->getUser();
154 $sk = $context->getSkin();
155 $services = MediaWikiServices::getInstance();
156 $list = null;
157 if ( ( new HookRunner( $services->getHookContainer() ) )->onFetchChangesList( $user, $sk, $list, $groups ) ) {
158 $userOptionsLookup = $services->getUserOptionsLookup();
159 $new = $context->getRequest()->getBool(
160 'enhanced',
161 $userOptionsLookup->getBoolOption( $user, 'usenewrc' )
162 );
163
164 return $new ?
165 new EnhancedChangesList( $context, $groups ) :
166 new OldChangesList( $context, $groups );
167 } else {
168 return $list;
169 }
170 }
171
183 public function recentChangesLine( &$rc, $watched = false, $linenumber = null ) {
184 throw new RuntimeException( 'recentChangesLine should be implemented' );
185 }
186
193 protected function getHighlightsContainerDiv() {
194 $highlightColorDivs = '';
195 foreach ( [ 'none', 'c1', 'c2', 'c3', 'c4', 'c5' ] as $color ) {
196 $highlightColorDivs .= Html::rawElement(
197 'div',
198 [
199 'class' => 'mw-rcfilters-ui-highlights-color-' . $color,
200 'data-color' => $color
201 ]
202 );
203 }
204
205 return Html::rawElement(
206 'div',
207 [ 'class' => 'mw-rcfilters-ui-highlights' ],
208 $highlightColorDivs
209 );
210 }
211
216 public function setWatchlistDivs( $value = true ) {
217 $this->watchlist = $value;
218 }
219
224 public function isWatchlist() {
225 return (bool)$this->watchlist;
226 }
227
232 private function preCacheMessages() {
233 / @phan-suppress-next-line MediaWikiNoIssetIfDefined False positives when documented as nullable
234 if ( !isset( $this->message ) ) {
235 $this->message = [];
236 foreach ( [
237 'cur', 'diff', 'hist', 'enhancedrc-history', 'last', 'blocklink', 'history',
238 'semicolon-separator', 'pipe-separator', 'word-separator' ] as $msg
239 ) {
240 $this->message[$msg] = $this->msg( $msg )->escaped();
241 }
242 }
243 }
244
251 public function recentChangesFlags( $flags, $nothing = "\u{00A0}" ) {
252 $f = '';
253 foreach (
254 $this->getConfig()->get( MainConfigNames::RecentChangesFlags ) as $flag => $_
255 ) {
256 $f .= isset( $flags[$flag] ) && $flags[$flag]
257 ? self::flag( $flag, $this->getContext() )
258 : $nothing;
259 }
260
261 return $f;
262 }
263
272 protected function getHTMLClasses( $rc, $watched ) {
273 $classes = [ self::CSS_CLASS_PREFIX . 'line' ];
274 $logType = $rc->mAttribs['rc_log_type'];
275
276 if ( $logType ) {
277 $classes[] = self::CSS_CLASS_PREFIX . 'log';
278 $classes[] = Sanitizer::escapeClass( self::CSS_CLASS_PREFIX . 'log-' . $logType );
279 } else {
280 $classes[] = self::CSS_CLASS_PREFIX . 'edit';
281 $classes[] = Sanitizer::escapeClass( self::CSS_CLASS_PREFIX . 'ns' .
282 $rc->mAttribs['rc_namespace'] . '-' . $rc->mAttribs['rc_title'] );
283 }
284
285 / Indicate watched status on the line to allow for more
286 / comprehensive styling.
287 $classes[] = $watched && $rc->mAttribs['rc_timestamp'] >= $watched
288 ? self::CSS_CLASS_PREFIX . 'line-watched'
289 : self::CSS_CLASS_PREFIX . 'line-not-watched';
290
291 $classes = array_merge( $classes, $this->getHTMLClassesForFilters( $rc ) );
292
293 return $classes;
294 }
295
303 protected function getHTMLClassesForFilters( $rc ) {
304 $classes = [];
305
306 $classes[] = Sanitizer::escapeClass( self::CSS_CLASS_PREFIX . 'ns-' .
307 $rc->mAttribs['rc_namespace'] );
308
309 $nsInfo = MediaWikiServices::getInstance()->getNamespaceInfo();
310 $classes[] = Sanitizer::escapeClass(
311 self::CSS_CLASS_PREFIX .
312 'ns-' .
313 ( $nsInfo->isTalk( $rc->mAttribs['rc_namespace'] ) ? 'talk' : 'subject' )
314 );
315
316 foreach ( $this->filterGroups as $filterGroup ) {
317 foreach ( $filterGroup->getFilters() as $filter ) {
318 $filter->applyCssClassIfNeeded( $this, $rc, $classes );
319 }
320 }
321
322 return $classes;
323 }
324
335 public static function flag( $flag, ?IContextSource $context = null ) {
336 static $map = [ 'minoredit' => 'minor', 'botedit' => 'bot' ];
337 static $flagInfos = null;
338
339 if ( $flagInfos === null ) {
340 $recentChangesFlags = MediaWikiServices::getInstance()->getMainConfig()
342 $flagInfos = [];
343 foreach ( $recentChangesFlags as $key => $value ) {
344 $flagInfos[$key]['letter'] = $value['letter'];
345 $flagInfos[$key]['title'] = $value['title'];
346 / Allow customized class name, fall back to flag name
347 $flagInfos[$key]['class'] = $value['class'] ?? $key;
348 }
349 }
350
351 $context = $context ?: RequestContext::getMain();
352
353 / Inconsistent naming, kept for b/c
354 if ( isset( $map[$flag] ) ) {
355 $flag = $map[$flag];
356 }
357
358 $info = $flagInfos[$flag];
359 return Html::element( 'abbr', [
360 'class' => $info['class'],
361 'title' => wfMessage( $info['title'] )->setContext( $context )->text(),
362 ], wfMessage( $info['letter'] )->setContext( $context )->text() );
363 }
364
369 public function beginRecentChangesList() {
370 $this->rc_cache = [];
371 $this->rcMoveIndex = 0;
372 $this->rcCacheIndex = 0;
373 $this->lastdate = '';
374 $this->rclistOpen = false;
375 $this->getOutput()->addModuleStyles( [
376 'mediawiki.interface.helpers.styles',
377 'mediawiki.special.changeslist'
378 ] );
379
380 return '<div class="mw-changeslist">';
381 }
382
386 public function initChangesListRows( $rows ) {
387 $this->getHookRunner()->onChangesListInitRows( $this, $rows );
388 $this->formattedComments = $this->commentFormatter->createBatch()
389 ->comments(
390 $this->commentFormatter->rows( $rows )
391 ->commentKey( 'rc_comment' )
392 ->namespaceField( 'rc_namespace' )
393 ->titleField( 'rc_title' )
394 ->indexField( 'rc_id' )
395 )
396 ->useBlock()
397 ->execute();
398 }
399
410 public static function showCharacterDifference( $old, $new, ?IContextSource $context = null ) {
411 if ( !$context ) {
412 $context = RequestContext::getMain();
413 }
414
415 $new = (int)$new;
416 $old = (int)$old;
417 $szdiff = $new - $old;
418
419 $lang = $context->getLanguage();
420 $config = $context->getConfig();
421 $code = $lang->getCode();
422 static $fastCharDiff = [];
423 if ( !isset( $fastCharDiff[$code] ) ) {
424 $fastCharDiff[$code] = $config->get( MainConfigNames::MiserMode )
425 || $context->msg( 'rc-change-size' )->plain() === '$1';
426 }
427
428 $formattedSize = $lang->formatNum( $szdiff );
429
430 if ( !$fastCharDiff[$code] ) {
431 $formattedSize = $context->msg( 'rc-change-size', $formattedSize )->text();
432 }
433
434 if ( abs( $szdiff ) > abs( $config->get( MainConfigNames::RCChangedSizeThreshold ) ) ) {
435 $tag = 'strong';
436 } else {
437 $tag = 'span';
438 }
439
440 if ( $szdiff === 0 ) {
441 $formattedSizeClass = 'mw-plusminus-null';
442 } elseif ( $szdiff > 0 ) {
443 $formattedSize = '+' . $formattedSize;
444 $formattedSizeClass = 'mw-plusminus-pos';
445 } else {
446 $formattedSizeClass = 'mw-plusminus-neg';
447 }
448 $formattedSizeClass .= ' mw-diff-bytes';
449
450 $formattedTotalSize = $context->msg( 'rc-change-size-new' )->numParams( $new )->text();
451
452 return Html::element( $tag,
453 [ 'dir' => 'ltr', 'class' => $formattedSizeClass, 'title' => $formattedTotalSize ],
454 $formattedSize );
455 }
456
464 public function formatCharacterDifference( RecentChange $old, ?RecentChange $new = null ) {
465 $oldlen = $old->mAttribs['rc_old_len'];
466
467 if ( $new ) {
468 $newlen = $new->mAttribs['rc_new_len'];
469 } else {
470 $newlen = $old->mAttribs['rc_new_len'];
471 }
472
473 if ( $oldlen === null || $newlen === null ) {
474 return '';
475 }
476
477 return self::showCharacterDifference( $oldlen, $newlen, $this->getContext() );
478 }
479
484 public function endRecentChangesList() {
485 $out = $this->rclistOpen ? "</ul>\n" : '';
486 $out .= '</div>';
487
488 return $out;
489 }
490
504 public static function revDateLink(
505 RevisionRecord $rev,
506 Authority $performer,
507 Language $lang,
508 $title = null,
509 $className = ''
510 ) {
511 $ts = $rev->getTimestamp();
512 $time = $lang->userTime( $ts, $performer->getUser() );
513 $date = $lang->userTimeAndDate( $ts, $performer->getUser() );
514 $class = trim( 'mw-changeslist-date ' . $className );
515 if ( $rev->userCan( RevisionRecord::DELETED_TEXT, $performer ) ) {
516 $link = Html::rawElement( 'bdi', [ 'dir' => $lang->getDir() ],
517 MediaWikiServices::getInstance()->getLinkRenderer()->makeKnownLink(
518 $title ?? $rev->getPageAsLinkTarget(),
519 $date,
520 [ 'class' => $class ],
521 [ 'oldid' => $rev->getId() ]
522 )
523 );
524 } else {
525 $link = htmlspecialchars( $date );
526 }
527 if ( $rev->isDeleted( RevisionRecord::DELETED_TEXT ) ) {
528 $class = Linker::getRevisionDeletedClass( $rev ) . " $class";
529 $link = "<span class=\"$class\">$link</span>";
530 }
531 return Html::element( 'span', [
532 'class' => 'mw-changeslist-time'
533 ], $time ) . $link;
534 }
535
540 public function insertDateHeader( &$s, $rc_timestamp ) {
541 # Make date header if necessary
542 $date = $this->getLanguage()->userDate( $rc_timestamp, $this->getUser() );
543 if ( $date != $this->lastdate ) {
544 if ( $this->lastdate != '' ) {
545 $s .= "</ul>\n";
546 }
547 $s .= Html::element( 'h4', [], $date ) . "\n<ul class=\"special\">";
548 $this->lastdate = $date;
549 $this->rclistOpen = true;
550 }
551 }
552
559 public function insertLog( &$s, $title, $logtype, $useParentheses = true ) {
560 $page = new LogPage( $logtype );
561 $logname = $page->getName()->setContext( $this->getContext() )->text();
562 $link = $this->linkRenderer->makeKnownLink( $title, $logname, [
563 'class' => $useParentheses ? '' : 'mw-changeslist-links'
564 ] );
565 if ( $useParentheses ) {
566 $s .= $this->msg( 'parentheses' )->rawParams(
567 $link
568 )->escaped();
569 } else {
570 $s .= $link;
571 }
572 }
573
579 public function insertDiffHist( &$s, &$rc, $unpatrolled = null ) {
580 # Diff link
581 if (
582 $rc->mAttribs['rc_type'] == RC_NEW ||
583 $rc->mAttribs['rc_type'] == RC_LOG
584 ) {
585 $diffLink = $this->message['diff'];
586 } elseif ( !self::userCan( $rc, RevisionRecord::DELETED_TEXT, $this->getAuthority() ) ) {
587 $diffLink = $this->message['diff'];
588 } else {
589 $query = [
590 'curid' => $rc->mAttribs['rc_cur_id'],
591 'diff' => $rc->mAttribs['rc_this_oldid'],
592 'oldid' => $rc->mAttribs['rc_last_oldid']
593 ];
594
595 $diffLink = $this->linkRenderer->makeKnownLink(
596 $rc->getTitle(),
597 new HtmlArmor( $this->message['diff'] ),
598 [ 'class' => 'mw-changeslist-diff' ],
599 $query
600 );
601 }
602 if ( $rc->mAttribs['rc_type'] == RC_CATEGORIZE ) {
603 $histLink = $this->message['hist'];
604 } else {
605 $histLink = $this->linkRenderer->makeKnownLink(
606 $rc->getTitle(),
607 new HtmlArmor( $this->message['hist'] ),
608 [ 'class' => 'mw-changeslist-history' ],
609 [
610 'curid' => $rc->mAttribs['rc_cur_id'],
611 'action' => 'history'
612 ]
613 );
614 }
615
616 $s .= Html::rawElement( 'span', [ 'class' => 'mw-changeslist-links' ],
617 Html::rawElement( 'span', [], $diffLink ) .
618 Html::rawElement( 'span', [], $histLink )
619 ) .
620 ' <span class="mw-changeslist-separator"></span> ';
621 }
622
633 public function getArticleLink( &$rc, $unpatrolled, $watched ) {
634 $params = [];
635 if ( $rc->getTitle()->isRedirect() ) {
636 $params = [ 'redirect' => 'no' ];
637 }
638
639 $articlelink = $this->linkRenderer->makeLink(
640 $rc->getTitle(),
641 null,
642 [ 'class' => 'mw-changeslist-title' ],
643 $params
644 );
645 if ( static::isDeleted( $rc, RevisionRecord::DELETED_TEXT ) ) {
646 $class = 'history-deleted';
647 if ( static::isDeleted( $rc, RevisionRecord::DELETED_RESTRICTED ) ) {
648 $class .= ' mw-history-suppressed';
649 }
650 $articlelink = '<span class="' . $class . '">' . $articlelink . '</span>';
651 }
652 $dir = $this->getLanguage()->getDir();
653 $articlelink = Html::rawElement( 'bdi', [ 'dir' => $dir ], $articlelink );
654 # To allow for boldening pages watched by this user
655 # Don't wrap result of this with another tag, see T376814
656 $articlelink = "<span class=\"mw-title\">{$articlelink}</span>";
657
658 # TODO: Deprecate the $s argument, it seems happily unused.
659 $s = '';
660 $this->getHookRunner()->onChangesListInsertArticleLink( $this, $articlelink,
661 $s, $rc, $unpatrolled, $watched );
662
663 / Watchlist expiry icon.
664 $watchlistExpiry = '';
665 / @phan-suppress-next-line MediaWikiNoIssetIfDefined
666 if ( isset( $rc->watchlistExpiry ) && $rc->watchlistExpiry ) {
667 $watchlistExpiry = $this->getWatchlistExpiry( $rc );
668 }
669
670 return "{$s} {$articlelink}{$watchlistExpiry}";
671 }
672
679 public function getWatchlistExpiry( RecentChange $recentChange ): string {
680 $item = WatchedItem::newFromRecentChange( $recentChange, $this->getUser() );
681 / Guard against expired items, even though they shouldn't come here.
682 if ( $item->isExpired() ) {
683 return '';
684 }
685 $daysLeftText = $item->getExpiryInDaysText( $this->getContext() );
686 / Matching widget is also created in ChangesListSpecialPage, for the legend.
687 $widget = new IconWidget( [
688 'icon' => 'clock',
689 'title' => $daysLeftText,
690 'classes' => [ 'mw-changesList-watchlistExpiry' ],
691 ] );
692 $widget->setAttributes( [
693 / Add labels for assistive technologies.
694 'role' => 'img',
695 'aria-label' => $this->msg( 'watchlist-expires-in-aria-label' )->text(),
696 / Days-left is used in resources/src/mediawiki.special.changeslist.watchlistexpiry/watchlistexpiry.js
697 'data-days-left' => $item->getExpiryInDays(),
698 ] );
699 / Add spaces around the widget (the page title is to one side,
700 / and a semicolon or opening-parenthesis to the other).
701 return " $widget ";
702 }
703
712 public function getTimestamp( $rc ) {
713 / This uses the semi-colon separator unless there's a watchlist expiry date for the entry,
714 / because in that case the timestamp is preceded by a clock icon.
715 / A space is important after `.mw-changeslist-separator--semicolon` to make sure
716 / that whatever comes before it is distinguishable.
717 / (Otherwise your have the text of titles pushing up against the timestamp)
718 / A specific element is used for this purpose rather than styling `.mw-changeslist-date`
719 / as the `.mw-changeslist-date` class is used in a variety
720 / of other places with a different position and the information proceeding getTimestamp can vary.
721 / The `.mw-changeslist-time` class allows us to distinguish from `.mw-changeslist-date` elements that
722 / contain the full date (month, year) and adds consistency with Special:Contributions
723 / and other pages.
724 $separatorClass = $rc->watchlistExpiry ? 'mw-changeslist-separator' : 'mw-changeslist-separator--semicolon';
725 return Html::element( 'span', [ 'class' => $separatorClass ] ) . $this->message['word-separator'] .
726 '<span class="mw-changeslist-date mw-changeslist-time">' .
727 htmlspecialchars( $this->getLanguage()->userTime(
728 $rc->mAttribs['rc_timestamp'],
729 $this->getUser()
730 ) ) . '</span> <span class="mw-changeslist-separator"></span> ';
731 }
732
739 public function insertTimestamp( &$s, $rc ) {
740 $s .= $this->getTimestamp( $rc );
741 }
742
749 public function insertUserRelatedLinks( &$s, &$rc ) {
750 if ( static::isDeleted( $rc, RevisionRecord::DELETED_USER ) ) {
751 $deletedClass = 'history-deleted';
752 if ( static::isDeleted( $rc, RevisionRecord::DELETED_RESTRICTED ) ) {
753 $deletedClass .= ' mw-history-suppressed';
754 }
755 $s .= ' <span class="' . $deletedClass . '">' .
756 $this->msg( 'rev-deleted-user' )->escaped() . '</span>';
757 } else {
758 $s .= $this->userLinkRenderer->userLink(
759 $rc->getPerformerIdentity(),
760 $this
761 );
762 # Don't wrap result of this with another tag, see T376814
763 $s .= $this->userLinkCache->getWithSetCallback(
764 $this->userLinkCache->makeKey(
765 $rc->mAttribs['rc_user_text'],
766 $this->getUser()->getName(),
767 $this->getLanguage()->getCode()
768 ),
769 / The text content of tools is not wrapped with parentheses or "piped".
770 / This will be handled in CSS (T205581).
771 static fn () => Linker::userToolLinks(
772 $rc->mAttribs['rc_user'], $rc->mAttribs['rc_user_text'],
773 false, 0, null,
774 false
775 )
776 );
777 }
778 }
779
786 public function insertLogEntry( $rc ) {
787 $entry = DatabaseLogEntry::newFromRow( $rc->mAttribs );
788 $formatter = $this->logFormatterFactory->newFromEntry( $entry );
789 $formatter->setContext( $this->getContext() );
790 $formatter->setShowUserToolLinks( true );
791
792 $comment = $formatter->getComment();
793 if ( $comment !== '' ) {
794 $dir = $this->getLanguage()->getDir();
795 $comment = Html::rawElement( 'bdi', [ 'dir' => $dir ], $comment );
796 }
797
798 $html = $formatter->getActionText() . $this->message['word-separator'] . $comment .
799 $this->message['word-separator'] . $formatter->getActionLinks();
800 $classes = [ 'mw-changeslist-log-entry' ];
801 $attribs = [];
802
803 / Let extensions add data to the outputted log entry in a similar way to the LogEventsListLineEnding hook
804 $this->getHookRunner()->onChangesListInsertLogEntry( $entry, $this->getContext(), $html, $classes, $attribs );
805 $attribs = array_filter( $attribs,
806 [ Sanitizer::class, 'isReservedDataAttribute' ],
807 ARRAY_FILTER_USE_KEY
808 );
809 $attribs['class'] = $classes;
810
811 return Html::openElement( 'span', $attribs ) . $html . Html::closeElement( 'span' );
812 }
813
819 public function insertComment( $rc ) {
820 if ( static::isDeleted( $rc, RevisionRecord::DELETED_COMMENT ) ) {
821 $deletedClass = 'history-deleted';
822 if ( static::isDeleted( $rc, RevisionRecord::DELETED_RESTRICTED ) ) {
823 $deletedClass .= ' mw-history-suppressed';
824 }
825 return ' <span class="' . $deletedClass . ' comment">' .
826 $this->msg( 'rev-deleted-comment' )->escaped() . '</span>';
827 } elseif ( isset( $rc->mAttribs['rc_id'] )
828 && isset( $this->formattedComments[$rc->mAttribs['rc_id']] )
829 ) {
830 return $this->formattedComments[$rc->mAttribs['rc_id']];
831 } else {
832 return $this->commentFormatter->formatBlock(
833 $rc->mAttribs['rc_comment'],
834 $rc->getTitle(),
835 / Whether section links should refer to local page (using default false)
836 false,
837 / wikid to generate links for (using default null) */
838 null,
839 / whether parentheses should be rendered as part of the message
840 false
841 );
842 }
843 }
844
850 protected function numberofWatchingusers( $count ) {
851 if ( $count <= 0 ) {
852 return '';
853 }
854
855 return $this->watchMsgCache->getWithSetCallback(
856 $this->watchMsgCache->makeKey(
857 'watching-users-msg',
858 strval( $count ),
859 $this->getUser()->getName(),
860 $this->getLanguage()->getCode()
861 ),
862 function () use ( $count ) {
863 return $this->msg( 'number-of-watching-users-for-recent-changes' )
864 ->numParams( $count )->escaped();
865 }
866 );
867 }
868
875 public static function isDeleted( $rc, $field ) {
876 return ( $rc->mAttribs['rc_deleted'] & $field ) == $field;
877 }
878
888 public static function userCan( $rc, $field, ?Authority $performer = null ) {
889 $performer ??= RequestContext::getMain()->getAuthority();
890
891 if ( $rc->mAttribs['rc_type'] == RC_LOG ) {
892 return LogEventsList::userCanBitfield( $rc->mAttribs['rc_deleted'], $field, $performer );
893 }
894
895 return RevisionRecord::userCanBitfield( $rc->mAttribs['rc_deleted'], $field, $performer );
896 }
897
903 protected function maybeWatchedLink( $link, $watched = false ) {
904 if ( $watched ) {
905 return '<strong class="mw-watched">' . $link . '</strong>';
906 } else {
907 return '<span class="mw-rc-unwatched">' . $link . '</span>';
908 }
909 }
910
917 public function insertRollback( &$s, &$rc ) {
918 $this->insertPageTools( $s, $rc );
919 }
920
929 private function insertPageTools( &$s, &$rc ) {
930 / FIXME Some page tools (e.g. thanks) might make sense for log entries.
931 if ( !in_array( $rc->mAttribs['rc_type'], [ RC_EDIT, RC_NEW ] )
932 / FIXME When would either of these not exist when type is RC_EDIT? Document.
933 || !$rc->mAttribs['rc_this_oldid']
934 || !$rc->mAttribs['rc_cur_id']
935 ) {
936 return;
937 }
938
939 / Construct a fake revision for PagerTools. FIXME can't we just obtain the real one?
940 $title = $rc->getTitle();
941 $revRecord = new MutableRevisionRecord( $title );
942 $revRecord->setId( (int)$rc->mAttribs['rc_this_oldid'] );
943 $revRecord->setVisibility( (int)$rc->mAttribs['rc_deleted'] );
944 $user = new UserIdentityValue(
945 (int)$rc->mAttribs['rc_user'],
946 $rc->mAttribs['rc_user_text']
947 );
948 $revRecord->setUser( $user );
949
950 $tools = new PagerTools(
951 $revRecord,
952 null,
953 / only show a rollback link on the top-most revision
954 $rc->getAttribute( 'page_latest' ) == $rc->mAttribs['rc_this_oldid']
955 && $rc->mAttribs['rc_type'] != RC_NEW,
956 $this->getHookRunner(),
957 $title,
958 $this->getContext(),
959 / @todo: Inject
960 MediaWikiServices::getInstance()->getLinkRenderer()
961 );
962
963 $s .= $tools->toHTML();
964 }
965
971 public function getRollback( RecentChange $rc ) {
972 $s = '';
973 $this->insertRollback( $s, $rc );
974 return $s;
975 }
976
982 public function insertTags( &$s, &$rc, &$classes ) {
983 if ( empty( $rc->mAttribs['ts_tags'] ) ) {
984 return;
985 }
986
992 [ $tagSummary, $newClasses ] = $this->tagsCache->getWithSetCallback(
993 $this->tagsCache->makeKey(
994 $rc->mAttribs['ts_tags'],
995 $this->getUser()->getName(),
996 $this->getLanguage()->getCode()
997 ),
998 fn () => ChangeTags::formatSummaryRow(
999 $rc->mAttribs['ts_tags'],
1000 'changeslist',
1001 $this->getContext()
1002 )
1003 );
1004 $classes = array_merge( $classes, $newClasses );
1005 $s .= $this->message['word-separator'] . $tagSummary;
1006 }
1007
1014 public function getTags( RecentChange $rc, array &$classes ) {
1015 $s = '';
1016 $this->insertTags( $s, $rc, $classes );
1017 return $s;
1018 }
1019
1020 public function insertExtra( &$s, &$rc, &$classes ) {
1021 / Empty, used for subclasses to add anything special.
1022 }
1023
1024 protected function showAsUnpatrolled( RecentChange $rc ) {
1025 return self::isUnpatrolled( $rc, $this->getUser() );
1026 }
1027
1033 public static function isUnpatrolled( $rc, User $user ) {
1034 if ( $rc instanceof RecentChange ) {
1035 $isPatrolled = $rc->mAttribs['rc_patrolled'];
1036 $rcType = $rc->mAttribs['rc_type'];
1037 $rcLogType = $rc->mAttribs['rc_log_type'];
1038 } else {
1039 $isPatrolled = $rc->rc_patrolled;
1040 $rcType = $rc->rc_type;
1041 $rcLogType = $rc->rc_log_type;
1042 }
1043
1044 if ( $isPatrolled ) {
1045 return false;
1046 }
1047
1048 return $user->useRCPatrol() ||
1049 ( $rcType == RC_NEW && $user->useNPPatrol() ) ||
1050 ( $rcLogType === 'upload' && $user->useFilePatrol() );
1051 }
1052
1062 protected function isCategorizationWithoutRevision( $rcObj ) {
1063 return intval( $rcObj->getAttribute( 'rc_type' ) ) === RC_CATEGORIZE
1064 && intval( $rcObj->getAttribute( 'rc_this_oldid' ) ) === 0;
1065 }
1066
1072 protected function getDataAttributes( RecentChange $rc ) {
1073 $attrs = [];
1074
1075 $type = $rc->getAttribute( 'rc_source' );
1076 switch ( $type ) {
1080 $attrs['data-mw-revid'] = $rc->mAttribs['rc_this_oldid'];
1081 break;
1083 $attrs['data-mw-logid'] = $rc->mAttribs['rc_logid'];
1084 $attrs['data-mw-logaction'] =
1085 $rc->mAttribs['rc_log_type'] . '/' . $rc->mAttribs['rc_log_action'];
1086 break;
1087 }
1088
1089 $attrs[ 'data-mw-ts' ] = $rc->getAttribute( 'rc_timestamp' );
1090
1091 return $attrs;
1092 }
1093
1101 public function setChangeLinePrefixer( callable $prefixer ) {
1102 $this->changeLinePrefixer = $prefixer;
1103 }
1104}
1105
1107class_alias( ChangesList::class, 'ChangesList' );
const RC_NEW
Definition Defines.php:118
const RC_LOG
Definition Defines.php:119
const RC_EDIT
Definition Defines.php:117
const RC_CATEGORIZE
Definition Defines.php:121
wfMessage( $key,... $params)
This is the function for getting translated interface messages.
Marks HTML that shouldn't be escaped.
Definition HtmlArmor.php:30
Store key-value entries in a size-limited in-memory LRU cache.
Recent changes tagging.
This is basically a CommentFormatter with a CommentStore dependency, allowing it to retrieve comment ...
The simplest way of implementing IContextSource is to hold a RequestContext as a member variable and ...
setContext(IContextSource $context)
msg( $key,... $params)
Get a Message object with context set Parameters are the same as wfMessage()
getContext()
Get the base IContextSource object.
Group all the pieces relevant to the context of a request into one instance.
This class provides an implementation of the core hook interfaces, forwarding hook calls to HookConta...
This class is a collection of static functions that serve two purposes:
Definition Html.php:56
Base class for language-specific code.
Definition Language.php:81
userTimeAndDate( $ts, UserIdentity $user, array $options=[])
Get the formatted date and time for the given timestamp and formatted for the given user.
getDir()
Return the correct HTML 'dir' attribute value for this language.
userTime( $ts, UserIdentity $user, array $options=[])
Get the formatted time for the given timestamp and formatted for the given user.
Class that generates HTML for internal links.
Some internal bits split of from Skin.php.
Definition Linker.php:62
Service class that renders HTML for user-related links.
A value class to process existing log entries.
Class to simplify the use of log pages.
Definition LogPage.php:50
A class containing constants representing the names of configuration variables.
const RecentChangesFlags
Name constant for the RecentChangesFlags setting, for use with Config::get()
const RCChangedSizeThreshold
Name constant for the RCChangedSizeThreshold setting, for use with Config::get()
const MiserMode
Name constant for the MiserMode setting, for use with Config::get()
Service locator for MediaWiki core services.
static getInstance()
Returns the global default instance of the top level service locator.
Generate a set of tools for a revision.
HTML sanitizer for MediaWiki.
Definition Sanitizer.php:46
Represents a filter group (used on ChangesListSpecialPage and descendants)
Base class for lists of recent changes shown on special pages.
numberofWatchingusers( $count)
Returns the string which indicates the number of watching users.
getTimestamp( $rc)
Get the timestamp from $rc formatted with current user's settings and a separator.
static isDeleted( $rc, $field)
Determine if said field of a revision is hidden.
getHTMLClasses( $rc, $watched)
Get an array of default HTML class attributes for the change.
setChangeLinePrefixer(callable $prefixer)
Sets the callable that generates a change line prefix added to the beginning of each line.
getTags(RecentChange $rc, array &$classes)
static showCharacterDifference( $old, $new, ?IContextSource $context=null)
Show formatted char difference.
beginRecentChangesList()
Returns text for the start of the tabular part of RC.
endRecentChangesList()
Returns text for the end of RC.
getHighlightsContainerDiv()
Get the container for highlights that are used in the new StructuredFilters system.
recentChangesLine(&$rc, $watched=false, $linenumber=null)
Format a line.
insertLogEntry( $rc)
Insert a formatted action.
maybeWatchedLink( $link, $watched=false)
getArticleLink(&$rc, $unpatrolled, $watched)
Get the HTML link to the changed page, possibly with a prefix from hook handlers, and a suffix for te...
static flag( $flag, ?IContextSource $context=null)
Make an "<abbr>" element for a given change flag.
static revDateLink(RevisionRecord $rev, Authority $performer, Language $lang, $title=null, $className='')
Render the date and time of a revision in the current user language based on whether the user is able...
ChangesListFilterGroup[] $filterGroups
insertLog(&$s, $title, $logtype, $useParentheses=true)
__construct( $context, array $filterGroups=[])
recentChangesFlags( $flags, $nothing="\u{00A0}")
Returns the appropriate flags for new page, minor change and patrolling.
static userCan( $rc, $field, ?Authority $performer=null)
Determine if the current user is allowed to view a particular field of this revision,...
RowCommentFormatter $commentFormatter
insertComment( $rc)
Insert a formatted comment.
insertUserRelatedLinks(&$s, &$rc)
Insert links to user page, user talk page and eventually a blocking link.
string[] $formattedComments
Comments indexed by rc_id.
setWatchlistDivs( $value=true)
Sets the list to use a "<li class='watchlist-(namespace)-(page)'>" tag.
insertDiffHist(&$s, &$rc, $unpatrolled=null)
insertRollback(&$s, &$rc)
Insert a rollback link.
isCategorizationWithoutRevision( $rcObj)
Determines whether a revision is linked to this change; this may not be the case when the categorizat...
getWatchlistExpiry(RecentChange $recentChange)
Get HTML to display the clock icon for watched items that have a watchlist expiry time.
getHTMLClassesForFilters( $rc)
Get an array of CSS classes attributed to filters for this row.
static isUnpatrolled( $rc, User $user)
insertTimestamp(&$s, $rc)
Insert time timestamp string from $rc into $s.
static newFromContext(IContextSource $context, array $groups=[])
Fetch an appropriate changes list class for the specified context Some users might want to use an enh...
formatCharacterDifference(RecentChange $old, ?RecentChange $new=null)
Format the character difference of one or several changes.
getDataAttributes(RecentChange $rc)
Get recommended data attributes for a change line.
Generate a list of changes using an Enhanced system (uses javascript).
Generate a list of changes using the good old system (no javascript).
Utility class for creating and reading rows in the recentchanges table.
getAttribute( $name)
Get an attribute value.
Page revision base class.
getTimestamp()
MCR migration note: this replaced Revision::getTimestamp.
getPageAsLinkTarget()
Returns the title of the page this revision is associated with as a LinkTarget object.
userCan( $field, Authority $performer)
Determine if the give authority is allowed to view a particular field of this revision,...
isDeleted( $field)
MCR migration note: this replaced Revision::isDeleted.
getId( $wikiId=self::LOCAL)
Get revision ID.
Represents a title within MediaWiki.
Definition Title.php:78
getBoolOption(UserIdentity $user, string $oname, int $queryFlags=IDBAccessObject::READ_NORMAL)
Get the user's current setting for a given option, as a boolean value.
Value object representing a user's identity.
User class for the MediaWiki software.
Definition User.php:120
useRCPatrol()
Check whether to enable recent changes patrol features for this user.
Definition User.php:2221
useFilePatrol()
Check whether to enable new files patrol features for this user.
Definition User.php:2246
useNPPatrol()
Check whether to enable new pages patrol features for this user.
Definition User.php:2231
Representation of a pair of user and title for watchlist entries.
getExpiryInDaysText(MessageLocalizer $msgLocalizer, $isDropdownOption=false)
Get days remaining until a watched item expires as a text.
Interface for objects which can provide a MediaWiki context on request.
This interface represents the authority associated with the current execution context,...
Definition Authority.php:37
getUser()
Returns the performer of the actions associated with this authority.
Result wrapper for grabbing data queried from an IDatabase object.
element(SerializerNode $parent, SerializerNode $node, $contents)

Follow Lee on X/Twitter - Father, Husband, Serial builder creating AI, crypto, games & web tools. We are friends :) AI Will Come To Life!

Check out: eBank.nz (Art Generator) | Netwrck.com (AI Tools) | Text-Generator.io (AI API) | BitBank.nz (Crypto AI) | ReadingTime (Kids Reading) | RewordGame | BigMultiplayerChess | WebFiddle | How.nz | Helix AI Assistant