Merge "Request-local caching of DjVu dimensions"
[lhc/web/wiklou.git] / includes / WatchedItemStore.php
1 <?php
2
3 use Wikimedia\Assert\Assert;
4
5 /**
6 * Storage layer class for WatchedItems.
7 * Database interaction.
8 *
9 * @author Addshore
10 *
11 * @since 1.27
12 */
13 class WatchedItemStore {
14
15 /**
16 * @var LoadBalancer
17 */
18 private $loadBalancer;
19
20 /**
21 * @var HashBagOStuff
22 */
23 private $cache;
24
25 /**
26 * @var array[] Looks like $cacheIndex[Namespace ID][Target DB Key][User Id] => 'key'
27 * The index is needed so that on mass changes all relevant items can be un-cached.
28 * For example: Clearing a users watchlist of all items or updating notification timestamps
29 * for all users watching a single target.
30 */
31 private $cacheIndex = [];
32
33 /**
34 * @var callable|null
35 */
36 private $deferredUpdatesAddCallableUpdateCallback;
37
38 /**
39 * @var callable|null
40 */
41 private $revisionGetTimestampFromIdCallback;
42
43 /**
44 * @var self|null
45 */
46 private static $instance;
47
48 /**
49 * @param LoadBalancer $loadBalancer
50 * @param HashBagOStuff $cache
51 */
52 public function __construct(
53 LoadBalancer $loadBalancer,
54 HashBagOStuff $cache
55 ) {
56 $this->loadBalancer = $loadBalancer;
57 $this->cache = $cache;
58 $this->deferredUpdatesAddCallableUpdateCallback = [ 'DeferredUpdates', 'addCallableUpdate' ];
59 $this->revisionGetTimestampFromIdCallback = [ 'Revision', 'getTimestampFromId' ];
60 }
61
62 /**
63 * Overrides the DeferredUpdates::addCallableUpdate callback
64 * This is intended for use while testing and will fail if MW_PHPUNIT_TEST is not defined.
65 *
66 * @param callable $callback
67 *
68 * @see DeferredUpdates::addCallableUpdate for callback signiture
69 *
70 * @return ScopedCallback to reset the overridden value
71 * @throws MWException
72 */
73 public function overrideDeferredUpdatesAddCallableUpdateCallback( $callback ) {
74 if ( !defined( 'MW_PHPUNIT_TEST' ) ) {
75 throw new MWException(
76 'Cannot override DeferredUpdates::addCallableUpdate callback in operation.'
77 );
78 }
79 Assert::parameterType( 'callable', $callback, '$callback' );
80
81 $previousValue = $this->deferredUpdatesAddCallableUpdateCallback;
82 $this->deferredUpdatesAddCallableUpdateCallback = $callback;
83 return new ScopedCallback( function() use ( $previousValue ) {
84 $this->deferredUpdatesAddCallableUpdateCallback = $previousValue;
85 } );
86 }
87
88 /**
89 * Overrides the Revision::getTimestampFromId callback
90 * This is intended for use while testing and will fail if MW_PHPUNIT_TEST is not defined.
91 *
92 * @param callable $callback
93 * @see Revision::getTimestampFromId for callback signiture
94 *
95 * @return ScopedCallback to reset the overridden value
96 * @throws MWException
97 */
98 public function overrideRevisionGetTimestampFromIdCallback( $callback ) {
99 if ( !defined( 'MW_PHPUNIT_TEST' ) ) {
100 throw new MWException(
101 'Cannot override Revision::getTimestampFromId callback in operation.'
102 );
103 }
104 Assert::parameterType( 'callable', $callback, '$callback' );
105
106 $previousValue = $this->revisionGetTimestampFromIdCallback;
107 $this->revisionGetTimestampFromIdCallback = $callback;
108 return new ScopedCallback( function() use ( $previousValue ) {
109 $this->revisionGetTimestampFromIdCallback = $previousValue;
110 } );
111 }
112
113 /**
114 * Overrides the default instance of this class
115 * This is intended for use while testing and will fail if MW_PHPUNIT_TEST is not defined.
116 *
117 * If this method is used it MUST also be called with null after a test to ensure a new
118 * default instance is created next time getDefaultInstance is called.
119 *
120 * @param WatchedItemStore|null $store
121 *
122 * @return ScopedCallback to reset the overridden value
123 * @throws MWException
124 */
125 public static function overrideDefaultInstance( WatchedItemStore $store = null ) {
126 if ( !defined( 'MW_PHPUNIT_TEST' ) ) {
127 throw new MWException(
128 'Cannot override ' . __CLASS__ . 'default instance in operation.'
129 );
130 }
131
132 $previousValue = self::$instance;
133 self::$instance = $store;
134 return new ScopedCallback( function() use ( $previousValue ) {
135 self::$instance = $previousValue;
136 } );
137 }
138
139 /**
140 * @return self
141 */
142 public static function getDefaultInstance() {
143 if ( !self::$instance ) {
144 self::$instance = new self(
145 wfGetLB(),
146 new HashBagOStuff( [ 'maxKeys' => 100 ] )
147 );
148 }
149 return self::$instance;
150 }
151
152 private function getCacheKey( User $user, LinkTarget $target ) {
153 return $this->cache->makeKey(
154 (string)$target->getNamespace(),
155 $target->getDBkey(),
156 (string)$user->getId()
157 );
158 }
159
160 private function cache( WatchedItem $item ) {
161 $user = $item->getUser();
162 $target = $item->getLinkTarget();
163 $key = $this->getCacheKey( $user, $target );
164 $this->cache->set( $key, $item );
165 $this->cacheIndex[$target->getNamespace()][$target->getDBkey()][$user->getId()] = $key;
166 }
167
168 private function uncache( User $user, LinkTarget $target ) {
169 $this->cache->delete( $this->getCacheKey( $user, $target ) );
170 unset( $this->cacheIndex[$target->getNamespace()][$target->getDBkey()][$user->getId()] );
171 }
172
173 private function uncacheLinkTarget( LinkTarget $target ) {
174 if ( !isset( $this->cacheIndex[$target->getNamespace()][$target->getDBkey()] ) ) {
175 return;
176 }
177 foreach ( $this->cacheIndex[$target->getNamespace()][$target->getDBkey()] as $key ) {
178 $this->cache->delete( $key );
179 }
180 }
181
182 /**
183 * @param User $user
184 * @param LinkTarget $target
185 *
186 * @return WatchedItem|null
187 */
188 private function getCached( User $user, LinkTarget $target ) {
189 return $this->cache->get( $this->getCacheKey( $user, $target ) );
190 }
191
192 /**
193 * Return an array of conditions to select or update the appropriate database
194 * row.
195 *
196 * @param User $user
197 * @param LinkTarget $target
198 *
199 * @return array
200 */
201 private function dbCond( User $user, LinkTarget $target ) {
202 return [
203 'wl_user' => $user->getId(),
204 'wl_namespace' => $target->getNamespace(),
205 'wl_title' => $target->getDBkey(),
206 ];
207 }
208
209 /**
210 * @param int $slaveOrMaster DB_MASTER or DB_SLAVE
211 *
212 * @return DatabaseBase
213 * @throws MWException
214 */
215 private function getConnection( $slaveOrMaster ) {
216 return $this->loadBalancer->getConnection( $slaveOrMaster, [ 'watchlist' ] );
217 }
218
219 /**
220 * @param DatabaseBase $connection
221 *
222 * @throws MWException
223 */
224 private function reuseConnection( $connection ) {
225 $this->loadBalancer->reuseConnection( $connection );
226 }
227
228 /**
229 * Count the number of individual items that are watched by the user.
230 * If a subject and corresponding talk page are watched this will return 2.
231 *
232 * @param User $user
233 *
234 * @return int
235 */
236 public function countWatchedItems( User $user ) {
237 $dbr = $this->getConnection( DB_SLAVE );
238 $return = (int)$dbr->selectField(
239 'watchlist',
240 'COUNT(*)',
241 [
242 'wl_user' => $user->getId()
243 ],
244 __METHOD__
245 );
246 $this->reuseConnection( $dbr );
247
248 return $return;
249 }
250
251 /**
252 * @param LinkTarget $target
253 *
254 * @return int
255 */
256 public function countWatchers( LinkTarget $target ) {
257 $dbr = $this->getConnection( DB_SLAVE );
258 $return = (int)$dbr->selectField(
259 'watchlist',
260 'COUNT(*)',
261 [
262 'wl_namespace' => $target->getNamespace(),
263 'wl_title' => $target->getDBkey(),
264 ],
265 __METHOD__
266 );
267 $this->reuseConnection( $dbr );
268
269 return $return;
270 }
271
272 /**
273 * Number of page watchers who also visited a "recent" edit
274 *
275 * @param LinkTarget $target
276 * @param mixed $threshold timestamp accepted by wfTimestamp
277 *
278 * @return int
279 * @throws DBUnexpectedError
280 * @throws MWException
281 */
282 public function countVisitingWatchers( LinkTarget $target, $threshold ) {
283 $dbr = $this->getConnection( DB_SLAVE );
284 $visitingWatchers = (int)$dbr->selectField(
285 'watchlist',
286 'COUNT(*)',
287 [
288 'wl_namespace' => $target->getNamespace(),
289 'wl_title' => $target->getDBkey(),
290 'wl_notificationtimestamp >= ' .
291 $dbr->addQuotes( $dbr->timestamp( $threshold ) ) .
292 ' OR wl_notificationtimestamp IS NULL'
293 ],
294 __METHOD__
295 );
296 $this->reuseConnection( $dbr );
297
298 return $visitingWatchers;
299 }
300
301 /**
302 * @param LinkTarget[] $targets
303 * @param array $options Allowed keys:
304 * 'minimumWatchers' => int
305 *
306 * @return array multi dimensional like $return[$namespaceId][$titleString] = int $watchers
307 * All targets will be present in the result. 0 either means no watchers or the number
308 * of watchers was below the minimumWatchers option if passed.
309 */
310 public function countWatchersMultiple( array $targets, array $options = [] ) {
311 $dbOptions = [ 'GROUP BY' => [ 'wl_namespace', 'wl_title' ] ];
312
313 $dbr = $this->getConnection( DB_SLAVE );
314
315 if ( array_key_exists( 'minimumWatchers', $options ) ) {
316 $dbOptions['HAVING'] = 'COUNT(*) >= ' . (int)$options['minimumWatchers'];
317 }
318
319 $lb = new LinkBatch( $targets );
320 $res = $dbr->select(
321 'watchlist',
322 [ 'wl_title', 'wl_namespace', 'watchers' => 'COUNT(*)' ],
323 [ $lb->constructSet( 'wl', $dbr ) ],
324 __METHOD__,
325 $dbOptions
326 );
327
328 $this->reuseConnection( $dbr );
329
330 $watchCounts = [];
331 foreach ( $targets as $linkTarget ) {
332 $watchCounts[$linkTarget->getNamespace()][$linkTarget->getDBkey()] = 0;
333 }
334
335 foreach ( $res as $row ) {
336 $watchCounts[$row->wl_namespace][$row->wl_title] = (int)$row->watchers;
337 }
338
339 return $watchCounts;
340 }
341
342 /**
343 * Number of watchers of each page who have visited recent edits to that page
344 *
345 * @param array $targetsWithVisitThresholds array of pairs (LinkTarget $target, mixed $threshold),
346 * $threshold is:
347 * - a timestamp of the recent edit if $target exists (format accepted by wfTimestamp)
348 * - null if $target doesn't exist
349 * @param int|null $minimumWatchers
350 * @return array multi-dimensional like $return[$namespaceId][$titleString] = $watchers,
351 * where $watchers is an int:
352 * - if the page exists, number of users watching who have visited the page recently
353 * - if the page doesn't exist, number of users that have the page on their watchlist
354 * - 0 means there are no visiting watchers or their number is below the minimumWatchers
355 * option (if passed).
356 */
357 public function countVisitingWatchersMultiple(
358 array $targetsWithVisitThresholds,
359 $minimumWatchers = null
360 ) {
361 $dbr = $this->getConnection( DB_SLAVE );
362
363 $conds = $this->getVisitingWatchersCondition( $dbr, $targetsWithVisitThresholds );
364
365 $dbOptions = [ 'GROUP BY' => [ 'wl_namespace', 'wl_title' ] ];
366 if ( $minimumWatchers !== null ) {
367 $dbOptions['HAVING'] = 'COUNT(*) >= ' . (int)$minimumWatchers;
368 }
369 $res = $dbr->select(
370 'watchlist',
371 [ 'wl_namespace', 'wl_title', 'watchers' => 'COUNT(*)' ],
372 $conds,
373 __METHOD__,
374 $dbOptions
375 );
376
377 $this->reuseConnection( $dbr );
378
379 $watcherCounts = [];
380 foreach ( $targetsWithVisitThresholds as list( $target ) ) {
381 /* @var LinkTarget $target */
382 $watcherCounts[$target->getNamespace()][$target->getDBkey()] = 0;
383 }
384
385 foreach ( $res as $row ) {
386 $watcherCounts[$row->wl_namespace][$row->wl_title] = (int)$row->watchers;
387 }
388
389 return $watcherCounts;
390 }
391
392 /**
393 * Generates condition for the query used in a batch count visiting watchers.
394 *
395 * @param IDatabase $db
396 * @param array $targetsWithVisitThresholds array of pairs (LinkTarget, last visit threshold)
397 * @return string
398 */
399 private function getVisitingWatchersCondition(
400 IDatabase $db,
401 array $targetsWithVisitThresholds
402 ) {
403 $missingTargets = [];
404 $namespaceConds = [];
405 foreach ( $targetsWithVisitThresholds as list( $target, $threshold ) ) {
406 if ( $threshold === null ) {
407 $missingTargets[] = $target;
408 continue;
409 }
410 /* @var LinkTarget $target */
411 $namespaceConds[$target->getNamespace()][] = $db->makeList( [
412 'wl_title = ' . $db->addQuotes( $target->getDBkey() ),
413 $db->makeList( [
414 'wl_notificationtimestamp >= ' . $db->addQuotes( $db->timestamp( $threshold ) ),
415 'wl_notificationtimestamp IS NULL'
416 ], LIST_OR )
417 ], LIST_AND );
418 }
419
420 $conds = [];
421 foreach ( $namespaceConds as $namespace => $pageConds ) {
422 $conds[] = $db->makeList( [
423 'wl_namespace = ' . $namespace,
424 '(' . $db->makeList( $pageConds, LIST_OR ) . ')'
425 ], LIST_AND );
426 }
427
428 if ( $missingTargets ) {
429 $lb = new LinkBatch( $missingTargets );
430 $conds[] = $lb->constructSet( 'wl', $db );
431 }
432
433 return $db->makeList( $conds, LIST_OR );
434 }
435
436 /**
437 * Get an item (may be cached)
438 *
439 * @param User $user
440 * @param LinkTarget $target
441 *
442 * @return WatchedItem|false
443 */
444 public function getWatchedItem( User $user, LinkTarget $target ) {
445 if ( $user->isAnon() ) {
446 return false;
447 }
448
449 $cached = $this->getCached( $user, $target );
450 if ( $cached ) {
451 return $cached;
452 }
453 return $this->loadWatchedItem( $user, $target );
454 }
455
456 /**
457 * Loads an item from the db
458 *
459 * @param User $user
460 * @param LinkTarget $target
461 *
462 * @return WatchedItem|false
463 */
464 public function loadWatchedItem( User $user, LinkTarget $target ) {
465 // Only loggedin user can have a watchlist
466 if ( $user->isAnon() ) {
467 return false;
468 }
469
470 $dbr = $this->getConnection( DB_SLAVE );
471 $row = $dbr->selectRow(
472 'watchlist',
473 'wl_notificationtimestamp',
474 $this->dbCond( $user, $target ),
475 __METHOD__
476 );
477 $this->reuseConnection( $dbr );
478
479 if ( !$row ) {
480 return false;
481 }
482
483 $item = new WatchedItem(
484 $user,
485 $target,
486 $row->wl_notificationtimestamp
487 );
488 $this->cache( $item );
489
490 return $item;
491 }
492
493 /**
494 * @param User $user
495 * @param array $options Allowed keys:
496 * 'forWrite' => bool defaults to false
497 *
498 * @return WatchedItem[]
499 */
500 public function getWatchedItemsForUser( User $user, array $options = [] ) {
501 $options += [ 'forWrite' => false ];
502
503 $db = $this->getConnection( $options['forWrite'] ? DB_MASTER : DB_SLAVE );
504 $res = $db->select(
505 'watchlist',
506 [ 'wl_namespace', 'wl_title', 'wl_notificationtimestamp' ],
507 [ 'wl_user' => $user->getId() ],
508 __METHOD__
509 );
510 $this->reuseConnection( $db );
511
512 $watchedItems = [];
513 foreach ( $res as $row ) {
514 // todo these could all be cached at some point?
515 $watchedItems[] = new WatchedItem(
516 $user,
517 new TitleValue( (int)$row->wl_namespace, $row->wl_title ),
518 $row->wl_notificationtimestamp
519 );
520 }
521
522 return $watchedItems;
523 }
524
525 /**
526 * Must be called separately for Subject & Talk namespaces
527 *
528 * @param User $user
529 * @param LinkTarget $target
530 *
531 * @return bool
532 */
533 public function isWatched( User $user, LinkTarget $target ) {
534 return (bool)$this->getWatchedItem( $user, $target );
535 }
536
537 /**
538 * @param User $user
539 * @param LinkTarget[] $targets
540 *
541 * @return array multi-dimensional like $return[$namespaceId][$titleString] = $timestamp,
542 * where $timestamp is:
543 * - string|null value of wl_notificationtimestamp,
544 * - false if $target is not watched by $user.
545 */
546 public function getNotificationTimestampsBatch( User $user, array $targets ) {
547 $timestamps = [];
548 foreach ( $targets as $target ) {
549 $timestamps[$target->getNamespace()][$target->getDBkey()] = false;
550 }
551
552 if ( $user->isAnon() ) {
553 return $timestamps;
554 }
555
556 $targetsToLoad = [];
557 foreach ( $targets as $target ) {
558 $cachedItem = $this->getCached( $user, $target );
559 if ( $cachedItem ) {
560 $timestamps[$target->getNamespace()][$target->getDBkey()] =
561 $cachedItem->getNotificationTimestamp();
562 } else {
563 $targetsToLoad[] = $target;
564 }
565 }
566
567 if ( !$targetsToLoad ) {
568 return $timestamps;
569 }
570
571 $dbr = $this->getConnection( DB_SLAVE );
572
573 $lb = new LinkBatch( $targetsToLoad );
574 $res = $dbr->select(
575 'watchlist',
576 [ 'wl_namespace', 'wl_title', 'wl_notificationtimestamp' ],
577 [
578 $lb->constructSet( 'wl', $dbr ),
579 'wl_user' => $user->getId(),
580 ],
581 __METHOD__
582 );
583 $this->reuseConnection( $dbr );
584
585 foreach ( $res as $row ) {
586 $timestamps[(int)$row->wl_namespace][$row->wl_title] = $row->wl_notificationtimestamp;
587 }
588
589 return $timestamps;
590 }
591
592 /**
593 * Must be called separately for Subject & Talk namespaces
594 *
595 * @param User $user
596 * @param LinkTarget $target
597 */
598 public function addWatch( User $user, LinkTarget $target ) {
599 $this->addWatchBatch( [ [ $user, $target ] ] );
600 }
601
602 /**
603 * @param array[] $userTargetCombinations array of arrays containing [0] => User [1] => LinkTarget
604 *
605 * @return bool success
606 */
607 public function addWatchBatch( array $userTargetCombinations ) {
608 if ( $this->loadBalancer->getReadOnlyReason() !== false ) {
609 return false;
610 }
611
612 $rows = [];
613 foreach ( $userTargetCombinations as list( $user, $target ) ) {
614 /**
615 * @var User $user
616 * @var LinkTarget $target
617 */
618
619 // Only loggedin user can have a watchlist
620 if ( $user->isAnon() ) {
621 continue;
622 }
623 $rows[] = [
624 'wl_user' => $user->getId(),
625 'wl_namespace' => $target->getNamespace(),
626 'wl_title' => $target->getDBkey(),
627 'wl_notificationtimestamp' => null,
628 ];
629 $this->uncache( $user, $target );
630 }
631
632 if ( !$rows ) {
633 return false;
634 }
635
636 $dbw = $this->getConnection( DB_MASTER );
637 foreach ( array_chunk( $rows, 100 ) as $toInsert ) {
638 // Use INSERT IGNORE to avoid overwriting the notification timestamp
639 // if there's already an entry for this page
640 $dbw->insert( 'watchlist', $toInsert, __METHOD__, 'IGNORE' );
641 }
642 $this->reuseConnection( $dbw );
643
644 return true;
645 }
646
647 /**
648 * Removes the an entry for the User watching the LinkTarget
649 * Must be called separately for Subject & Talk namespaces
650 *
651 * @param User $user
652 * @param LinkTarget $target
653 *
654 * @return bool success
655 * @throws DBUnexpectedError
656 * @throws MWException
657 */
658 public function removeWatch( User $user, LinkTarget $target ) {
659 // Only logged in user can have a watchlist
660 if ( $this->loadBalancer->getReadOnlyReason() !== false || $user->isAnon() ) {
661 return false;
662 }
663
664 $this->uncache( $user, $target );
665
666 $dbw = $this->getConnection( DB_MASTER );
667 $dbw->delete( 'watchlist',
668 [
669 'wl_user' => $user->getId(),
670 'wl_namespace' => $target->getNamespace(),
671 'wl_title' => $target->getDBkey(),
672 ], __METHOD__
673 );
674 $success = (bool)$dbw->affectedRows();
675 $this->reuseConnection( $dbw );
676
677 return $success;
678 }
679
680 /**
681 * @param User $editor The editor that triggered the update. Their notification
682 * timestamp will not be updated(they have already seen it)
683 * @param LinkTarget $target The target to update timestamps for
684 * @param string $timestamp Set the update timestamp to this value
685 *
686 * @return int[] Array of user IDs the timestamp has been updated for
687 */
688 public function updateNotificationTimestamp( User $editor, LinkTarget $target, $timestamp ) {
689 $dbw = $this->getConnection( DB_MASTER );
690 $res = $dbw->select( [ 'watchlist' ],
691 [ 'wl_user' ],
692 [
693 'wl_user != ' . intval( $editor->getId() ),
694 'wl_namespace' => $target->getNamespace(),
695 'wl_title' => $target->getDBkey(),
696 'wl_notificationtimestamp IS NULL',
697 ], __METHOD__
698 );
699
700 $watchers = [];
701 foreach ( $res as $row ) {
702 $watchers[] = intval( $row->wl_user );
703 }
704
705 if ( $watchers ) {
706 // Update wl_notificationtimestamp for all watching users except the editor
707 $fname = __METHOD__;
708 $dbw->onTransactionIdle(
709 function () use ( $dbw, $timestamp, $watchers, $target, $fname ) {
710 $dbw->update( 'watchlist',
711 [ /* SET */
712 'wl_notificationtimestamp' => $dbw->timestamp( $timestamp )
713 ], [ /* WHERE */
714 'wl_user' => $watchers,
715 'wl_namespace' => $target->getNamespace(),
716 'wl_title' => $target->getDBkey(),
717 ], $fname
718 );
719 $this->uncacheLinkTarget( $target );
720 }
721 );
722 }
723
724 $this->reuseConnection( $dbw );
725
726 return $watchers;
727 }
728
729 /**
730 * Reset the notification timestamp of this entry
731 *
732 * @param User $user
733 * @param Title $title
734 * @param string $force Whether to force the write query to be executed even if the
735 * page is not watched or the notification timestamp is already NULL.
736 * 'force' in order to force
737 * @param int $oldid The revision id being viewed. If not given or 0, latest revision is assumed.
738 *
739 * @return bool success
740 */
741 public function resetNotificationTimestamp( User $user, Title $title, $force = '', $oldid = 0 ) {
742 // Only loggedin user can have a watchlist
743 if ( $this->loadBalancer->getReadOnlyReason() !== false || $user->isAnon() ) {
744 return false;
745 }
746
747 $item = null;
748 if ( $force != 'force' ) {
749 $item = $this->loadWatchedItem( $user, $title );
750 if ( !$item || $item->getNotificationTimestamp() === null ) {
751 return false;
752 }
753 }
754
755 // If the page is watched by the user (or may be watched), update the timestamp
756 $job = new ActivityUpdateJob(
757 $title,
758 [
759 'type' => 'updateWatchlistNotification',
760 'userid' => $user->getId(),
761 'notifTime' => $this->getNotificationTimestamp( $user, $title, $item, $force, $oldid ),
762 'curTime' => time()
763 ]
764 );
765
766 // Try to run this post-send
767 // Calls DeferredUpdates::addCallableUpdate in normal operation
768 call_user_func(
769 $this->deferredUpdatesAddCallableUpdateCallback,
770 function() use ( $job ) {
771 $job->run();
772 }
773 );
774
775 $this->uncache( $user, $title );
776
777 return true;
778 }
779
780 private function getNotificationTimestamp( User $user, Title $title, $item, $force, $oldid ) {
781 if ( !$oldid ) {
782 // No oldid given, assuming latest revision; clear the timestamp.
783 return null;
784 }
785
786 if ( !$title->getNextRevisionID( $oldid ) ) {
787 // Oldid given and is the latest revision for this title; clear the timestamp.
788 return null;
789 }
790
791 if ( $item === null ) {
792 $item = $this->loadWatchedItem( $user, $title );
793 }
794
795 if ( !$item ) {
796 // This can only happen if $force is enabled.
797 return null;
798 }
799
800 // Oldid given and isn't the latest; update the timestamp.
801 // This will result in no further notification emails being sent!
802 // Calls Revision::getTimestampFromId in normal operation
803 $notificationTimestamp = call_user_func(
804 $this->revisionGetTimestampFromIdCallback,
805 $title,
806 $oldid
807 );
808
809 // We need to go one second to the future because of various strict comparisons
810 // throughout the codebase
811 $ts = new MWTimestamp( $notificationTimestamp );
812 $ts->timestamp->add( new DateInterval( 'PT1S' ) );
813 $notificationTimestamp = $ts->getTimestamp( TS_MW );
814
815 if ( $notificationTimestamp < $item->getNotificationTimestamp() ) {
816 if ( $force != 'force' ) {
817 return false;
818 } else {
819 // This is a little silly…
820 return $item->getNotificationTimestamp();
821 }
822 }
823
824 return $notificationTimestamp;
825 }
826
827 /**
828 * @param User $user
829 * @param int $unreadLimit
830 *
831 * @return int|bool The number of unread notifications
832 * true if greater than or equal to $unreadLimit
833 */
834 public function countUnreadNotifications( User $user, $unreadLimit = null ) {
835 $queryOptions = [];
836 if ( $unreadLimit !== null ) {
837 $unreadLimit = (int)$unreadLimit;
838 $queryOptions['LIMIT'] = $unreadLimit;
839 }
840
841 $dbr = $this->getConnection( DB_SLAVE );
842 $rowCount = $dbr->selectRowCount(
843 'watchlist',
844 '1',
845 [
846 'wl_user' => $user->getId(),
847 'wl_notificationtimestamp IS NOT NULL',
848 ],
849 __METHOD__,
850 $queryOptions
851 );
852 $this->reuseConnection( $dbr );
853
854 if ( !isset( $unreadLimit ) ) {
855 return $rowCount;
856 }
857
858 if ( $rowCount >= $unreadLimit ) {
859 return true;
860 }
861
862 return $rowCount;
863 }
864
865 /**
866 * Check if the given title already is watched by the user, and if so
867 * add a watch for the new title.
868 *
869 * To be used for page renames and such.
870 *
871 * @param LinkTarget $oldTarget
872 * @param LinkTarget $newTarget
873 */
874 public function duplicateAllAssociatedEntries( LinkTarget $oldTarget, LinkTarget $newTarget ) {
875 if ( !$oldTarget instanceof Title ) {
876 $oldTarget = Title::newFromLinkTarget( $oldTarget );
877 }
878 if ( !$newTarget instanceof Title ) {
879 $newTarget = Title::newFromLinkTarget( $newTarget );
880 }
881
882 $this->duplicateEntry( $oldTarget->getSubjectPage(), $newTarget->getSubjectPage() );
883 $this->duplicateEntry( $oldTarget->getTalkPage(), $newTarget->getTalkPage() );
884 }
885
886 /**
887 * Check if the given title already is watched by the user, and if so
888 * add a watch for the new title.
889 *
890 * To be used for page renames and such.
891 * This must be called separately for Subject and Talk pages
892 *
893 * @param LinkTarget $oldTarget
894 * @param LinkTarget $newTarget
895 */
896 public function duplicateEntry( LinkTarget $oldTarget, LinkTarget $newTarget ) {
897 $dbw = $this->getConnection( DB_MASTER );
898
899 $result = $dbw->select(
900 'watchlist',
901 [ 'wl_user', 'wl_notificationtimestamp' ],
902 [
903 'wl_namespace' => $oldTarget->getNamespace(),
904 'wl_title' => $oldTarget->getDBkey(),
905 ],
906 __METHOD__,
907 [ 'FOR UPDATE' ]
908 );
909
910 $newNamespace = $newTarget->getNamespace();
911 $newDBkey = $newTarget->getDBkey();
912
913 # Construct array to replace into the watchlist
914 $values = [];
915 foreach ( $result as $row ) {
916 $values[] = [
917 'wl_user' => $row->wl_user,
918 'wl_namespace' => $newNamespace,
919 'wl_title' => $newDBkey,
920 'wl_notificationtimestamp' => $row->wl_notificationtimestamp,
921 ];
922 }
923
924 if ( !empty( $values ) ) {
925 # Perform replace
926 # Note that multi-row replace is very efficient for MySQL but may be inefficient for
927 # some other DBMSes, mostly due to poor simulation by us
928 $dbw->replace(
929 'watchlist',
930 [ [ 'wl_user', 'wl_namespace', 'wl_title' ] ],
931 $values,
932 __METHOD__
933 );
934 }
935
936 $this->reuseConnection( $dbw );
937 }
938
939 }