Merge "Improve error handling for wrong autoloader permissions"
[lhc/web/wiklou.git] / includes / Block.php
1 <?php
2 /**
3 * Blocks and bans object
4 *
5 * This program is free software; you can redistribute it and/or modify
6 * it under the terms of the GNU General Public License as published by
7 * the Free Software Foundation; either version 2 of the License, or
8 * (at your option) any later version.
9 *
10 * This program is distributed in the hope that it will be useful,
11 * but WITHOUT ANY WARRANTY; without even the implied warranty of
12 * MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the
13 * GNU General Public License for more details.
14 *
15 * You should have received a copy of the GNU General Public License along
16 * with this program; if not, write to the Free Software Foundation, Inc.,
17 * 51 Franklin Street, Fifth Floor, Boston, MA 02110-1301, USA.
18 * http://www.gnu.org/copyleft/gpl.html
19 *
20 * @file
21 */
22
23 use Wikimedia\Rdbms\Database;
24 use Wikimedia\Rdbms\IDatabase;
25 use MediaWiki\Block\BlockRestriction;
26 use MediaWiki\Block\Restriction\Restriction;
27 use MediaWiki\Block\Restriction\NamespaceRestriction;
28 use MediaWiki\Block\Restriction\PageRestriction;
29 use MediaWiki\MediaWikiServices;
30
31 class Block {
32 /** @var string */
33 public $mReason;
34
35 /** @var string */
36 public $mTimestamp;
37
38 /** @var bool */
39 public $mAuto;
40
41 /** @var string */
42 public $mExpiry;
43
44 /** @var bool */
45 public $mHideName;
46
47 /** @var int */
48 public $mParentBlockId;
49
50 /** @var int */
51 private $mId;
52
53 /** @var bool */
54 private $mFromMaster;
55
56 /** @var bool */
57 private $mBlockEmail;
58
59 /** @var bool */
60 private $mDisableUsertalk;
61
62 /** @var bool */
63 private $mCreateAccount;
64
65 /** @var User|string */
66 private $target;
67
68 /** @var int Hack for foreign blocking (CentralAuth) */
69 private $forcedTargetID;
70
71 /** @var int Block::TYPE_ constant. Can only be USER, IP or RANGE internally */
72 private $type;
73
74 /** @var User */
75 private $blocker;
76
77 /** @var bool */
78 private $isHardblock;
79
80 /** @var bool */
81 private $isAutoblocking;
82
83 /** @var string|null */
84 private $systemBlockType;
85
86 /** @var bool */
87 private $isSitewide;
88
89 /** @var Restriction[] */
90 private $restrictions;
91
92 # TYPE constants
93 const TYPE_USER = 1;
94 const TYPE_IP = 2;
95 const TYPE_RANGE = 3;
96 const TYPE_AUTO = 4;
97 const TYPE_ID = 5;
98
99 /**
100 * Create a new block with specified parameters on a user, IP or IP range.
101 *
102 * @param array $options Parameters of the block:
103 * address string|User Target user name, User object, IP address or IP range
104 * user int Override target user ID (for foreign users)
105 * by int User ID of the blocker
106 * reason string Reason of the block
107 * timestamp string The time at which the block comes into effect
108 * auto bool Is this an automatic block?
109 * expiry string Timestamp of expiration of the block or 'infinity'
110 * anonOnly bool Only disallow anonymous actions
111 * createAccount bool Disallow creation of new accounts
112 * enableAutoblock bool Enable automatic blocking
113 * hideName bool Hide the target user name
114 * blockEmail bool Disallow sending emails
115 * allowUsertalk bool Allow the target to edit its own talk page
116 * byText string Username of the blocker (for foreign users)
117 * systemBlock string Indicate that this block is automatically
118 * created by MediaWiki rather than being stored
119 * in the database. Value is a string to return
120 * from self::getSystemBlockType().
121 *
122 * @since 1.26 accepts $options array instead of individual parameters; order
123 * of parameters above reflects the original order
124 */
125 function __construct( $options = [] ) {
126 $defaults = [
127 'address' => '',
128 'user' => null,
129 'by' => null,
130 'reason' => '',
131 'timestamp' => '',
132 'auto' => false,
133 'expiry' => '',
134 'anonOnly' => false,
135 'createAccount' => false,
136 'enableAutoblock' => false,
137 'hideName' => false,
138 'blockEmail' => false,
139 'allowUsertalk' => false,
140 'byText' => '',
141 'systemBlock' => null,
142 'sitewide' => true,
143 ];
144
145 if ( func_num_args() > 1 || !is_array( $options ) ) {
146 $options = array_combine(
147 array_slice( array_keys( $defaults ), 0, func_num_args() ),
148 func_get_args()
149 );
150 wfDeprecated( __METHOD__ . ' with multiple arguments', '1.26' );
151 }
152
153 $options += $defaults;
154
155 $this->setTarget( $options['address'] );
156
157 if ( $this->target instanceof User && $options['user'] ) {
158 # Needed for foreign users
159 $this->forcedTargetID = $options['user'];
160 }
161
162 if ( $options['by'] ) {
163 # Local user
164 $this->setBlocker( User::newFromId( $options['by'] ) );
165 } else {
166 # Foreign user
167 $this->setBlocker( $options['byText'] );
168 }
169
170 $this->mReason = $options['reason'];
171 $this->mTimestamp = wfTimestamp( TS_MW, $options['timestamp'] );
172 $this->mExpiry = wfGetDB( DB_REPLICA )->decodeExpiry( $options['expiry'] );
173
174 # Boolean settings
175 $this->mAuto = (bool)$options['auto'];
176 $this->mHideName = (bool)$options['hideName'];
177 $this->isHardblock( !$options['anonOnly'] );
178 $this->isAutoblocking( (bool)$options['enableAutoblock'] );
179 $this->isSitewide( (bool)$options['sitewide'] );
180
181 # Prevention measures
182 $this->prevents( 'sendemail', (bool)$options['blockEmail'] );
183 $this->prevents( 'editownusertalk', !$options['allowUsertalk'] );
184 $this->prevents( 'createaccount', (bool)$options['createAccount'] );
185
186 $this->mFromMaster = false;
187 $this->systemBlockType = $options['systemBlock'];
188 }
189
190 /**
191 * Load a blocked user from their block id.
192 *
193 * @param int $id Block id to search for
194 * @return Block|null
195 */
196 public static function newFromID( $id ) {
197 $dbr = wfGetDB( DB_REPLICA );
198 $blockQuery = self::getQueryInfo();
199 $res = $dbr->selectRow(
200 $blockQuery['tables'],
201 $blockQuery['fields'],
202 [ 'ipb_id' => $id ],
203 __METHOD__,
204 [],
205 $blockQuery['joins']
206 );
207 if ( $res ) {
208 return self::newFromRow( $res );
209 } else {
210 return null;
211 }
212 }
213
214 /**
215 * Return the list of ipblocks fields that should be selected to create
216 * a new block.
217 * @deprecated since 1.31, use self::getQueryInfo() instead.
218 * @return array
219 */
220 public static function selectFields() {
221 global $wgActorTableSchemaMigrationStage;
222
223 if ( $wgActorTableSchemaMigrationStage & SCHEMA_COMPAT_READ_NEW ) {
224 // If code is using this instead of self::getQueryInfo(), there's a
225 // decent chance it's going to try to directly access
226 // $row->ipb_by or $row->ipb_by_text and we can't give it
227 // useful values here once those aren't being used anymore.
228 throw new BadMethodCallException(
229 'Cannot use ' . __METHOD__
230 . ' when $wgActorTableSchemaMigrationStage has SCHEMA_COMPAT_READ_NEW'
231 );
232 }
233
234 wfDeprecated( __METHOD__, '1.31' );
235 return [
236 'ipb_id',
237 'ipb_address',
238 'ipb_by',
239 'ipb_by_text',
240 'ipb_by_actor' => 'NULL',
241 'ipb_timestamp',
242 'ipb_auto',
243 'ipb_anon_only',
244 'ipb_create_account',
245 'ipb_enable_autoblock',
246 'ipb_expiry',
247 'ipb_deleted',
248 'ipb_block_email',
249 'ipb_allow_usertalk',
250 'ipb_parent_block_id',
251 'ipb_sitewide',
252 ] + CommentStore::getStore()->getFields( 'ipb_reason' );
253 }
254
255 /**
256 * Return the tables, fields, and join conditions to be selected to create
257 * a new block object.
258 * @since 1.31
259 * @return array With three keys:
260 * - tables: (string[]) to include in the `$table` to `IDatabase->select()`
261 * - fields: (string[]) to include in the `$vars` to `IDatabase->select()`
262 * - joins: (array) to include in the `$join_conds` to `IDatabase->select()`
263 */
264 public static function getQueryInfo() {
265 $commentQuery = CommentStore::getStore()->getJoin( 'ipb_reason' );
266 $actorQuery = ActorMigration::newMigration()->getJoin( 'ipb_by' );
267 return [
268 'tables' => [ 'ipblocks' ] + $commentQuery['tables'] + $actorQuery['tables'],
269 'fields' => [
270 'ipb_id',
271 'ipb_address',
272 'ipb_timestamp',
273 'ipb_auto',
274 'ipb_anon_only',
275 'ipb_create_account',
276 'ipb_enable_autoblock',
277 'ipb_expiry',
278 'ipb_deleted',
279 'ipb_block_email',
280 'ipb_allow_usertalk',
281 'ipb_parent_block_id',
282 'ipb_sitewide',
283 ] + $commentQuery['fields'] + $actorQuery['fields'],
284 'joins' => $commentQuery['joins'] + $actorQuery['joins'],
285 ];
286 }
287
288 /**
289 * Check if two blocks are effectively equal. Doesn't check irrelevant things like
290 * the blocking user or the block timestamp, only things which affect the blocked user
291 *
292 * @param Block $block
293 *
294 * @return bool
295 */
296 public function equals( Block $block ) {
297 return (
298 (string)$this->target == (string)$block->target
299 && $this->type == $block->type
300 && $this->mAuto == $block->mAuto
301 && $this->isHardblock() == $block->isHardblock()
302 && $this->prevents( 'createaccount' ) == $block->prevents( 'createaccount' )
303 && $this->mExpiry == $block->mExpiry
304 && $this->isAutoblocking() == $block->isAutoblocking()
305 && $this->mHideName == $block->mHideName
306 && $this->prevents( 'sendemail' ) == $block->prevents( 'sendemail' )
307 && $this->prevents( 'editownusertalk' ) == $block->prevents( 'editownusertalk' )
308 && $this->mReason == $block->mReason
309 && $this->isSitewide() == $block->isSitewide()
310 // Block::getRestrictions() may perform a database query, so keep it at
311 // the end.
312 && BlockRestriction::equals( $this->getRestrictions(), $block->getRestrictions() )
313 );
314 }
315
316 /**
317 * Load a block from the database which affects the already-set $this->target:
318 * 1) A block directly on the given user or IP
319 * 2) A rangeblock encompassing the given IP (smallest first)
320 * 3) An autoblock on the given IP
321 * @param User|string|null $vagueTarget Also search for blocks affecting this target. Doesn't
322 * make any sense to use TYPE_AUTO / TYPE_ID here. Leave blank to skip IP lookups.
323 * @throws MWException
324 * @return bool Whether a relevant block was found
325 */
326 protected function newLoad( $vagueTarget = null ) {
327 $db = wfGetDB( $this->mFromMaster ? DB_MASTER : DB_REPLICA );
328
329 if ( $this->type !== null ) {
330 $conds = [
331 'ipb_address' => [ (string)$this->target ],
332 ];
333 } else {
334 $conds = [ 'ipb_address' => [] ];
335 }
336
337 # Be aware that the != '' check is explicit, since empty values will be
338 # passed by some callers (T31116)
339 if ( $vagueTarget != '' ) {
340 list( $target, $type ) = self::parseTarget( $vagueTarget );
341 switch ( $type ) {
342 case self::TYPE_USER:
343 # Slightly weird, but who are we to argue?
344 $conds['ipb_address'][] = (string)$target;
345 break;
346
347 case self::TYPE_IP:
348 $conds['ipb_address'][] = (string)$target;
349 $conds[] = self::getRangeCond( IP::toHex( $target ) );
350 $conds = $db->makeList( $conds, LIST_OR );
351 break;
352
353 case self::TYPE_RANGE:
354 list( $start, $end ) = IP::parseRange( $target );
355 $conds['ipb_address'][] = (string)$target;
356 $conds[] = self::getRangeCond( $start, $end );
357 $conds = $db->makeList( $conds, LIST_OR );
358 break;
359
360 default:
361 throw new MWException( "Tried to load block with invalid type" );
362 }
363 }
364
365 $blockQuery = self::getQueryInfo();
366 $res = $db->select(
367 $blockQuery['tables'], $blockQuery['fields'], $conds, __METHOD__, [], $blockQuery['joins']
368 );
369
370 # This result could contain a block on the user, a block on the IP, and a russian-doll
371 # set of rangeblocks. We want to choose the most specific one, so keep a leader board.
372 $bestRow = null;
373
374 # Lower will be better
375 $bestBlockScore = 100;
376
377 # This is begging for $this = $bestBlock, but that's not allowed in PHP :(
378 $bestBlockPreventsEdit = null;
379
380 foreach ( $res as $row ) {
381 $block = self::newFromRow( $row );
382
383 # Don't use expired blocks
384 if ( $block->isExpired() ) {
385 continue;
386 }
387
388 # Don't use anon only blocks on users
389 if ( $this->type == self::TYPE_USER && !$block->isHardblock() ) {
390 continue;
391 }
392
393 if ( $block->getType() == self::TYPE_RANGE ) {
394 # This is the number of bits that are allowed to vary in the block, give
395 # or take some floating point errors
396 $end = Wikimedia\base_convert( $block->getRangeEnd(), 16, 10 );
397 $start = Wikimedia\base_convert( $block->getRangeStart(), 16, 10 );
398 $size = log( $end - $start + 1, 2 );
399
400 # This has the nice property that a /32 block is ranked equally with a
401 # single-IP block, which is exactly what it is...
402 $score = self::TYPE_RANGE - 1 + ( $size / 128 );
403
404 } else {
405 $score = $block->getType();
406 }
407
408 if ( $score < $bestBlockScore ) {
409 $bestBlockScore = $score;
410 $bestRow = $row;
411 $bestBlockPreventsEdit = $block->prevents( 'edit' );
412 }
413 }
414
415 if ( $bestRow !== null ) {
416 $this->initFromRow( $bestRow );
417 $this->prevents( 'edit', $bestBlockPreventsEdit );
418 return true;
419 } else {
420 return false;
421 }
422 }
423
424 /**
425 * Get a set of SQL conditions which will select rangeblocks encompassing a given range
426 * @param string $start Hexadecimal IP representation
427 * @param string|null $end Hexadecimal IP representation, or null to use $start = $end
428 * @return string
429 */
430 public static function getRangeCond( $start, $end = null ) {
431 if ( $end === null ) {
432 $end = $start;
433 }
434 # Per T16634, we want to include relevant active rangeblocks; for
435 # rangeblocks, we want to include larger ranges which enclose the given
436 # range. We know that all blocks must be smaller than $wgBlockCIDRLimit,
437 # so we can improve performance by filtering on a LIKE clause
438 $chunk = self::getIpFragment( $start );
439 $dbr = wfGetDB( DB_REPLICA );
440 $like = $dbr->buildLike( $chunk, $dbr->anyString() );
441
442 # Fairly hard to make a malicious SQL statement out of hex characters,
443 # but stranger things have happened...
444 $safeStart = $dbr->addQuotes( $start );
445 $safeEnd = $dbr->addQuotes( $end );
446
447 return $dbr->makeList(
448 [
449 "ipb_range_start $like",
450 "ipb_range_start <= $safeStart",
451 "ipb_range_end >= $safeEnd",
452 ],
453 LIST_AND
454 );
455 }
456
457 /**
458 * Get the component of an IP address which is certain to be the same between an IP
459 * address and a rangeblock containing that IP address.
460 * @param string $hex Hexadecimal IP representation
461 * @return string
462 */
463 protected static function getIpFragment( $hex ) {
464 global $wgBlockCIDRLimit;
465 if ( substr( $hex, 0, 3 ) == 'v6-' ) {
466 return 'v6-' . substr( substr( $hex, 3 ), 0, floor( $wgBlockCIDRLimit['IPv6'] / 4 ) );
467 } else {
468 return substr( $hex, 0, floor( $wgBlockCIDRLimit['IPv4'] / 4 ) );
469 }
470 }
471
472 /**
473 * Given a database row from the ipblocks table, initialize
474 * member variables
475 * @param stdClass $row A row from the ipblocks table
476 */
477 protected function initFromRow( $row ) {
478 $this->setTarget( $row->ipb_address );
479 $this->setBlocker( User::newFromAnyId(
480 $row->ipb_by, $row->ipb_by_text, $row->ipb_by_actor ?? null
481 ) );
482
483 $this->mTimestamp = wfTimestamp( TS_MW, $row->ipb_timestamp );
484 $this->mAuto = $row->ipb_auto;
485 $this->mHideName = $row->ipb_deleted;
486 $this->mId = (int)$row->ipb_id;
487 $this->mParentBlockId = $row->ipb_parent_block_id;
488
489 // I wish I didn't have to do this
490 $db = wfGetDB( DB_REPLICA );
491 $this->mExpiry = $db->decodeExpiry( $row->ipb_expiry );
492 $this->mReason = CommentStore::getStore()
493 // Legacy because $row may have come from self::selectFields()
494 ->getCommentLegacy( $db, 'ipb_reason', $row )->text;
495
496 $this->isHardblock( !$row->ipb_anon_only );
497 $this->isAutoblocking( $row->ipb_enable_autoblock );
498 $this->isSitewide( (bool)$row->ipb_sitewide );
499
500 $this->prevents( 'createaccount', $row->ipb_create_account );
501 $this->prevents( 'sendemail', $row->ipb_block_email );
502 $this->prevents( 'editownusertalk', !$row->ipb_allow_usertalk );
503 }
504
505 /**
506 * Create a new Block object from a database row
507 * @param stdClass $row Row from the ipblocks table
508 * @return Block
509 */
510 public static function newFromRow( $row ) {
511 $block = new Block;
512 $block->initFromRow( $row );
513 return $block;
514 }
515
516 /**
517 * Delete the row from the IP blocks table.
518 *
519 * @throws MWException
520 * @return bool
521 */
522 public function delete() {
523 if ( wfReadOnly() ) {
524 return false;
525 }
526
527 if ( !$this->getId() ) {
528 throw new MWException( "Block::delete() requires that the mId member be filled\n" );
529 }
530
531 $dbw = wfGetDB( DB_MASTER );
532
533 BlockRestriction::deleteByParentBlockId( $this->getId() );
534 $dbw->delete( 'ipblocks', [ 'ipb_parent_block_id' => $this->getId() ], __METHOD__ );
535
536 BlockRestriction::deleteByBlockId( $this->getId() );
537 $dbw->delete( 'ipblocks', [ 'ipb_id' => $this->getId() ], __METHOD__ );
538
539 return $dbw->affectedRows() > 0;
540 }
541
542 /**
543 * Insert a block into the block table. Will fail if there is a conflicting
544 * block (same name and options) already in the database.
545 *
546 * @param IDatabase|null $dbw If you have one available
547 * @return bool|array False on failure, assoc array on success:
548 * ('id' => block ID, 'autoIds' => array of autoblock IDs)
549 */
550 public function insert( $dbw = null ) {
551 global $wgBlockDisablesLogin;
552
553 if ( $this->getSystemBlockType() !== null ) {
554 throw new MWException( 'Cannot insert a system block into the database' );
555 }
556 if ( !$this->getBlocker() || $this->getBlocker()->getName() === '' ) {
557 throw new MWException( 'Cannot insert a block without a blocker set' );
558 }
559
560 wfDebug( "Block::insert; timestamp {$this->mTimestamp}\n" );
561
562 if ( $dbw === null ) {
563 $dbw = wfGetDB( DB_MASTER );
564 }
565
566 self::purgeExpired();
567
568 $row = $this->getDatabaseArray( $dbw );
569
570 $dbw->insert( 'ipblocks', $row, __METHOD__, [ 'IGNORE' ] );
571 $affected = $dbw->affectedRows();
572 if ( $affected ) {
573 $this->setId( $dbw->insertId() );
574 if ( $this->restrictions ) {
575 BlockRestriction::insert( $this->restrictions );
576 }
577 }
578
579 # Don't collide with expired blocks.
580 # Do this after trying to insert to avoid locking.
581 if ( !$affected ) {
582 # T96428: The ipb_address index uses a prefix on a field, so
583 # use a standard SELECT + DELETE to avoid annoying gap locks.
584 $ids = $dbw->selectFieldValues( 'ipblocks',
585 'ipb_id',
586 [
587 'ipb_address' => $row['ipb_address'],
588 'ipb_user' => $row['ipb_user'],
589 'ipb_expiry < ' . $dbw->addQuotes( $dbw->timestamp() )
590 ],
591 __METHOD__
592 );
593 if ( $ids ) {
594 $dbw->delete( 'ipblocks', [ 'ipb_id' => $ids ], __METHOD__ );
595 BlockRestriction::deleteByBlockId( $ids );
596 $dbw->insert( 'ipblocks', $row, __METHOD__, [ 'IGNORE' ] );
597 $affected = $dbw->affectedRows();
598 $this->setId( $dbw->insertId() );
599 if ( $this->restrictions ) {
600 BlockRestriction::insert( $this->restrictions );
601 }
602 }
603 }
604
605 if ( $affected ) {
606 $auto_ipd_ids = $this->doRetroactiveAutoblock();
607
608 if ( $wgBlockDisablesLogin && $this->target instanceof User ) {
609 // Change user login token to force them to be logged out.
610 $this->target->setToken();
611 $this->target->saveSettings();
612 }
613
614 return [ 'id' => $this->mId, 'autoIds' => $auto_ipd_ids ];
615 }
616
617 return false;
618 }
619
620 /**
621 * Update a block in the DB with new parameters.
622 * The ID field needs to be loaded first.
623 *
624 * @return bool|array False on failure, array on success:
625 * ('id' => block ID, 'autoIds' => array of autoblock IDs)
626 */
627 public function update() {
628 wfDebug( "Block::update; timestamp {$this->mTimestamp}\n" );
629 $dbw = wfGetDB( DB_MASTER );
630
631 $dbw->startAtomic( __METHOD__ );
632
633 $result = $dbw->update(
634 'ipblocks',
635 $this->getDatabaseArray( $dbw ),
636 [ 'ipb_id' => $this->getId() ],
637 __METHOD__
638 );
639
640 // Only update the restrictions if they have been modified.
641 if ( $this->restrictions !== null ) {
642 // An empty array should remove all of the restrictions.
643 if ( empty( $this->restrictions ) ) {
644 $success = BlockRestriction::deleteByBlockId( $this->getId() );
645 } else {
646 $success = BlockRestriction::update( $this->restrictions );
647 }
648 // Update the result. The first false is the result, otherwise, true.
649 $result = $result && $success;
650 }
651
652 if ( $this->isAutoblocking() ) {
653 // update corresponding autoblock(s) (T50813)
654 $dbw->update(
655 'ipblocks',
656 $this->getAutoblockUpdateArray( $dbw ),
657 [ 'ipb_parent_block_id' => $this->getId() ],
658 __METHOD__
659 );
660
661 // Only update the restrictions if they have been modified.
662 if ( $this->restrictions !== null ) {
663 BlockRestriction::updateByParentBlockId( $this->getId(), $this->restrictions );
664 }
665 } else {
666 // autoblock no longer required, delete corresponding autoblock(s)
667 BlockRestriction::deleteByParentBlockId( $this->getId() );
668 $dbw->delete(
669 'ipblocks',
670 [ 'ipb_parent_block_id' => $this->getId() ],
671 __METHOD__
672 );
673 }
674
675 $dbw->endAtomic( __METHOD__ );
676
677 if ( $result ) {
678 $auto_ipd_ids = $this->doRetroactiveAutoblock();
679 return [ 'id' => $this->mId, 'autoIds' => $auto_ipd_ids ];
680 }
681
682 return $result;
683 }
684
685 /**
686 * Get an array suitable for passing to $dbw->insert() or $dbw->update()
687 * @param IDatabase $dbw
688 * @return array
689 */
690 protected function getDatabaseArray( IDatabase $dbw ) {
691 $expiry = $dbw->encodeExpiry( $this->mExpiry );
692
693 if ( $this->forcedTargetID ) {
694 $uid = $this->forcedTargetID;
695 } else {
696 $uid = $this->target instanceof User ? $this->target->getId() : 0;
697 }
698
699 $a = [
700 'ipb_address' => (string)$this->target,
701 'ipb_user' => $uid,
702 'ipb_timestamp' => $dbw->timestamp( $this->mTimestamp ),
703 'ipb_auto' => $this->mAuto,
704 'ipb_anon_only' => !$this->isHardblock(),
705 'ipb_create_account' => $this->prevents( 'createaccount' ),
706 'ipb_enable_autoblock' => $this->isAutoblocking(),
707 'ipb_expiry' => $expiry,
708 'ipb_range_start' => $this->getRangeStart(),
709 'ipb_range_end' => $this->getRangeEnd(),
710 'ipb_deleted' => intval( $this->mHideName ), // typecast required for SQLite
711 'ipb_block_email' => $this->prevents( 'sendemail' ),
712 'ipb_allow_usertalk' => !$this->prevents( 'editownusertalk' ),
713 'ipb_parent_block_id' => $this->mParentBlockId,
714 'ipb_sitewide' => $this->isSitewide(),
715 ] + CommentStore::getStore()->insert( $dbw, 'ipb_reason', $this->mReason )
716 + ActorMigration::newMigration()->getInsertValues( $dbw, 'ipb_by', $this->getBlocker() );
717
718 return $a;
719 }
720
721 /**
722 * @param IDatabase $dbw
723 * @return array
724 */
725 protected function getAutoblockUpdateArray( IDatabase $dbw ) {
726 return [
727 'ipb_create_account' => $this->prevents( 'createaccount' ),
728 'ipb_deleted' => (int)$this->mHideName, // typecast required for SQLite
729 'ipb_allow_usertalk' => !$this->prevents( 'editownusertalk' ),
730 'ipb_sitewide' => $this->isSitewide(),
731 ] + CommentStore::getStore()->insert( $dbw, 'ipb_reason', $this->mReason )
732 + ActorMigration::newMigration()->getInsertValues( $dbw, 'ipb_by', $this->getBlocker() );
733 }
734
735 /**
736 * Retroactively autoblocks the last IP used by the user (if it is a user)
737 * blocked by this Block.
738 *
739 * @return array Block IDs of retroactive autoblocks made
740 */
741 protected function doRetroactiveAutoblock() {
742 $blockIds = [];
743 # If autoblock is enabled, autoblock the LAST IP(s) used
744 if ( $this->isAutoblocking() && $this->getType() == self::TYPE_USER ) {
745 wfDebug( "Doing retroactive autoblocks for " . $this->getTarget() . "\n" );
746
747 $continue = Hooks::run(
748 'PerformRetroactiveAutoblock', [ $this, &$blockIds ] );
749
750 if ( $continue ) {
751 self::defaultRetroactiveAutoblock( $this, $blockIds );
752 }
753 }
754 return $blockIds;
755 }
756
757 /**
758 * Retroactively autoblocks the last IP used by the user (if it is a user)
759 * blocked by this Block. This will use the recentchanges table.
760 *
761 * @param Block $block
762 * @param array &$blockIds
763 */
764 protected static function defaultRetroactiveAutoblock( Block $block, array &$blockIds ) {
765 global $wgPutIPinRC;
766
767 // No IPs are in recentchanges table, so nothing to select
768 if ( !$wgPutIPinRC ) {
769 return;
770 }
771
772 // Autoblocks only apply to TYPE_USER
773 if ( $block->getType() !== self::TYPE_USER ) {
774 return;
775 }
776 $target = $block->getTarget(); // TYPE_USER => always a User object
777
778 $dbr = wfGetDB( DB_REPLICA );
779 $rcQuery = ActorMigration::newMigration()->getWhere( $dbr, 'rc_user', $target, false );
780
781 $options = [ 'ORDER BY' => 'rc_timestamp DESC' ];
782
783 // Just the last IP used.
784 $options['LIMIT'] = 1;
785
786 $res = $dbr->select(
787 [ 'recentchanges' ] + $rcQuery['tables'],
788 [ 'rc_ip' ],
789 $rcQuery['conds'],
790 __METHOD__,
791 $options,
792 $rcQuery['joins']
793 );
794
795 if ( !$res->numRows() ) {
796 # No results, don't autoblock anything
797 wfDebug( "No IP found to retroactively autoblock\n" );
798 } else {
799 foreach ( $res as $row ) {
800 if ( $row->rc_ip ) {
801 $id = $block->doAutoblock( $row->rc_ip );
802 if ( $id ) {
803 $blockIds[] = $id;
804 }
805 }
806 }
807 }
808 }
809
810 /**
811 * Checks whether a given IP is on the autoblock whitelist.
812 * TODO: this probably belongs somewhere else, but not sure where...
813 *
814 * @param string $ip The IP to check
815 * @return bool
816 */
817 public static function isWhitelistedFromAutoblocks( $ip ) {
818 // Try to get the autoblock_whitelist from the cache, as it's faster
819 // than getting the msg raw and explode()'ing it.
820 $cache = MediaWikiServices::getInstance()->getMainWANObjectCache();
821 $lines = $cache->getWithSetCallback(
822 $cache->makeKey( 'ip-autoblock', 'whitelist' ),
823 $cache::TTL_DAY,
824 function ( $curValue, &$ttl, array &$setOpts ) {
825 $setOpts += Database::getCacheSetOptions( wfGetDB( DB_REPLICA ) );
826
827 return explode( "\n",
828 wfMessage( 'autoblock_whitelist' )->inContentLanguage()->plain() );
829 }
830 );
831
832 wfDebug( "Checking the autoblock whitelist..\n" );
833
834 foreach ( $lines as $line ) {
835 # List items only
836 if ( substr( $line, 0, 1 ) !== '*' ) {
837 continue;
838 }
839
840 $wlEntry = substr( $line, 1 );
841 $wlEntry = trim( $wlEntry );
842
843 wfDebug( "Checking $ip against $wlEntry..." );
844
845 # Is the IP in this range?
846 if ( IP::isInRange( $ip, $wlEntry ) ) {
847 wfDebug( " IP $ip matches $wlEntry, not autoblocking\n" );
848 return true;
849 } else {
850 wfDebug( " No match\n" );
851 }
852 }
853
854 return false;
855 }
856
857 /**
858 * Autoblocks the given IP, referring to this Block.
859 *
860 * @param string $autoblockIP The IP to autoblock.
861 * @return int|bool Block ID if an autoblock was inserted, false if not.
862 */
863 public function doAutoblock( $autoblockIP ) {
864 # If autoblocks are disabled, go away.
865 if ( !$this->isAutoblocking() ) {
866 return false;
867 }
868
869 # Don't autoblock for system blocks
870 if ( $this->getSystemBlockType() !== null ) {
871 throw new MWException( 'Cannot autoblock from a system block' );
872 }
873
874 # Check for presence on the autoblock whitelist.
875 if ( self::isWhitelistedFromAutoblocks( $autoblockIP ) ) {
876 return false;
877 }
878
879 // Avoid PHP 7.1 warning of passing $this by reference
880 $block = $this;
881 # Allow hooks to cancel the autoblock.
882 if ( !Hooks::run( 'AbortAutoblock', [ $autoblockIP, &$block ] ) ) {
883 wfDebug( "Autoblock aborted by hook.\n" );
884 return false;
885 }
886
887 # It's okay to autoblock. Go ahead and insert/update the block...
888
889 # Do not add a *new* block if the IP is already blocked.
890 $ipblock = self::newFromTarget( $autoblockIP );
891 if ( $ipblock ) {
892 # Check if the block is an autoblock and would exceed the user block
893 # if renewed. If so, do nothing, otherwise prolong the block time...
894 if ( $ipblock->mAuto && // @todo Why not compare $ipblock->mExpiry?
895 $this->mExpiry > self::getAutoblockExpiry( $ipblock->mTimestamp )
896 ) {
897 # Reset block timestamp to now and its expiry to
898 # $wgAutoblockExpiry in the future
899 $ipblock->updateTimestamp();
900 }
901 return false;
902 }
903
904 # Make a new block object with the desired properties.
905 $autoblock = new Block;
906 wfDebug( "Autoblocking {$this->getTarget()}@" . $autoblockIP . "\n" );
907 $autoblock->setTarget( $autoblockIP );
908 $autoblock->setBlocker( $this->getBlocker() );
909 $autoblock->mReason = wfMessage( 'autoblocker', $this->getTarget(), $this->mReason )
910 ->inContentLanguage()->plain();
911 $timestamp = wfTimestampNow();
912 $autoblock->mTimestamp = $timestamp;
913 $autoblock->mAuto = 1;
914 $autoblock->prevents( 'createaccount', $this->prevents( 'createaccount' ) );
915 # Continue suppressing the name if needed
916 $autoblock->mHideName = $this->mHideName;
917 $autoblock->prevents( 'editownusertalk', $this->prevents( 'editownusertalk' ) );
918 $autoblock->mParentBlockId = $this->mId;
919 $autoblock->isSitewide( $this->isSitewide() );
920 $autoblock->setRestrictions( $this->getRestrictions() );
921
922 if ( $this->mExpiry == 'infinity' ) {
923 # Original block was indefinite, start an autoblock now
924 $autoblock->mExpiry = self::getAutoblockExpiry( $timestamp );
925 } else {
926 # If the user is already blocked with an expiry date, we don't
927 # want to pile on top of that.
928 $autoblock->mExpiry = min( $this->mExpiry, self::getAutoblockExpiry( $timestamp ) );
929 }
930
931 # Insert the block...
932 $status = $autoblock->insert();
933 return $status
934 ? $status['id']
935 : false;
936 }
937
938 /**
939 * Check if a block has expired. Delete it if it is.
940 * @return bool
941 */
942 public function deleteIfExpired() {
943 if ( $this->isExpired() ) {
944 wfDebug( "Block::deleteIfExpired() -- deleting\n" );
945 $this->delete();
946 $retVal = true;
947 } else {
948 wfDebug( "Block::deleteIfExpired() -- not expired\n" );
949 $retVal = false;
950 }
951
952 return $retVal;
953 }
954
955 /**
956 * Has the block expired?
957 * @return bool
958 */
959 public function isExpired() {
960 $timestamp = wfTimestampNow();
961 wfDebug( "Block::isExpired() checking current " . $timestamp . " vs $this->mExpiry\n" );
962
963 if ( !$this->mExpiry ) {
964 return false;
965 } else {
966 return $timestamp > $this->mExpiry;
967 }
968 }
969
970 /**
971 * Is the block address valid (i.e. not a null string?)
972 * @return bool
973 */
974 public function isValid() {
975 return $this->getTarget() != null;
976 }
977
978 /**
979 * Update the timestamp on autoblocks.
980 */
981 public function updateTimestamp() {
982 if ( $this->mAuto ) {
983 $this->mTimestamp = wfTimestamp();
984 $this->mExpiry = self::getAutoblockExpiry( $this->mTimestamp );
985
986 $dbw = wfGetDB( DB_MASTER );
987 $dbw->update( 'ipblocks',
988 [ /* SET */
989 'ipb_timestamp' => $dbw->timestamp( $this->mTimestamp ),
990 'ipb_expiry' => $dbw->timestamp( $this->mExpiry ),
991 ],
992 [ /* WHERE */
993 'ipb_id' => $this->getId(),
994 ],
995 __METHOD__
996 );
997 }
998 }
999
1000 /**
1001 * Get the IP address at the start of the range in Hex form
1002 * @throws MWException
1003 * @return string IP in Hex form
1004 */
1005 public function getRangeStart() {
1006 switch ( $this->type ) {
1007 case self::TYPE_USER:
1008 return '';
1009 case self::TYPE_IP:
1010 return IP::toHex( $this->target );
1011 case self::TYPE_RANGE:
1012 list( $start, /*...*/ ) = IP::parseRange( $this->target );
1013 return $start;
1014 default:
1015 throw new MWException( "Block with invalid type" );
1016 }
1017 }
1018
1019 /**
1020 * Get the IP address at the end of the range in Hex form
1021 * @throws MWException
1022 * @return string IP in Hex form
1023 */
1024 public function getRangeEnd() {
1025 switch ( $this->type ) {
1026 case self::TYPE_USER:
1027 return '';
1028 case self::TYPE_IP:
1029 return IP::toHex( $this->target );
1030 case self::TYPE_RANGE:
1031 list( /*...*/, $end ) = IP::parseRange( $this->target );
1032 return $end;
1033 default:
1034 throw new MWException( "Block with invalid type" );
1035 }
1036 }
1037
1038 /**
1039 * Get the user id of the blocking sysop
1040 *
1041 * @return int (0 for foreign users)
1042 */
1043 public function getBy() {
1044 $blocker = $this->getBlocker();
1045 return ( $blocker instanceof User )
1046 ? $blocker->getId()
1047 : 0;
1048 }
1049
1050 /**
1051 * Get the username of the blocking sysop
1052 *
1053 * @return string
1054 */
1055 public function getByName() {
1056 $blocker = $this->getBlocker();
1057 return ( $blocker instanceof User )
1058 ? $blocker->getName()
1059 : (string)$blocker; // username
1060 }
1061
1062 /**
1063 * Get the block ID
1064 * @return int
1065 */
1066 public function getId() {
1067 return $this->mId;
1068 }
1069
1070 /**
1071 * Set the block ID
1072 *
1073 * @param int $blockId
1074 * @return int
1075 */
1076 private function setId( $blockId ) {
1077 $this->mId = (int)$blockId;
1078
1079 if ( is_array( $this->restrictions ) ) {
1080 $this->restrictions = BlockRestriction::setBlockId( $blockId, $this->restrictions );
1081 }
1082
1083 return $this;
1084 }
1085
1086 /**
1087 * Get the system block type, if any
1088 * @since 1.29
1089 * @return string|null
1090 */
1091 public function getSystemBlockType() {
1092 return $this->systemBlockType;
1093 }
1094
1095 /**
1096 * Get/set a flag determining whether the master is used for reads
1097 *
1098 * @param bool|null $x
1099 * @return bool
1100 */
1101 public function fromMaster( $x = null ) {
1102 return wfSetVar( $this->mFromMaster, $x );
1103 }
1104
1105 /**
1106 * Get/set whether the Block is a hardblock (affects logged-in users on a given IP/range)
1107 * @param bool|null $x
1108 * @return bool
1109 */
1110 public function isHardblock( $x = null ) {
1111 wfSetVar( $this->isHardblock, $x );
1112
1113 # You can't *not* hardblock a user
1114 return $this->getType() == self::TYPE_USER
1115 ? true
1116 : $this->isHardblock;
1117 }
1118
1119 /**
1120 * @param null|bool $x
1121 * @return bool
1122 */
1123 public function isAutoblocking( $x = null ) {
1124 wfSetVar( $this->isAutoblocking, $x );
1125
1126 # You can't put an autoblock on an IP or range as we don't have any history to
1127 # look over to get more IPs from
1128 return $this->getType() == self::TYPE_USER
1129 ? $this->isAutoblocking
1130 : false;
1131 }
1132
1133 /**
1134 * Indicates that the block is a sitewide block. This means the user is
1135 * prohibited from editing any page on the site (other than their own talk
1136 * page).
1137 *
1138 * @since 1.33
1139 * @param null|bool $x
1140 * @return bool
1141 */
1142 public function isSitewide( $x = null ) {
1143 return wfSetVar( $this->isSitewide, $x );
1144 }
1145
1146 /**
1147 * Get/set whether the Block prevents a given action
1148 *
1149 * @param string $action Action to check
1150 * @param bool|null $x Value for set, or null to just get value
1151 * @return bool|null Null for unrecognized rights.
1152 */
1153 public function prevents( $action, $x = null ) {
1154 $config = RequestContext::getMain()->getConfig();
1155 $blockDisablesLogin = $config->get( 'BlockDisablesLogin' );
1156 $blockAllowsUTEdit = $config->get( 'BlockAllowsUTEdit' );
1157
1158 $res = null;
1159 switch ( $action ) {
1160 case 'edit':
1161 # For now... <evil laugh>
1162 $res = true;
1163 break;
1164 case 'createaccount':
1165 $res = wfSetVar( $this->mCreateAccount, $x );
1166 break;
1167 case 'sendemail':
1168 $res = wfSetVar( $this->mBlockEmail, $x );
1169 break;
1170 case 'upload':
1171 // Until T6995 is completed
1172 $res = $this->isSitewide();
1173 break;
1174 case 'editownusertalk':
1175 // NOTE: this check is not reliable on partial blocks
1176 // since partially blocked users are always allowed to edit
1177 // their own talk page unless a restriction exists on the
1178 // page or User_talk: namespace
1179 $res = wfSetVar( $this->mDisableUsertalk, $x );
1180
1181 // edit own user talk can be disabled by config
1182 if ( !$blockAllowsUTEdit ) {
1183 $res = true;
1184 }
1185 break;
1186 case 'read':
1187 $res = false;
1188 break;
1189 }
1190 if ( !$res && $blockDisablesLogin ) {
1191 // If a block would disable login, then it should
1192 // prevent any action that all users cannot do
1193 $anon = new User;
1194 $res = $anon->isAllowed( $action ) ? $res : true;
1195 }
1196
1197 return $res;
1198 }
1199
1200 /**
1201 * Get the block name, but with autoblocked IPs hidden as per standard privacy policy
1202 * @return string Text is escaped
1203 */
1204 public function getRedactedName() {
1205 if ( $this->mAuto ) {
1206 return Html::rawElement(
1207 'span',
1208 [ 'class' => 'mw-autoblockid' ],
1209 wfMessage( 'autoblockid', $this->mId )
1210 );
1211 } else {
1212 return htmlspecialchars( $this->getTarget() );
1213 }
1214 }
1215
1216 /**
1217 * Get a timestamp of the expiry for autoblocks
1218 *
1219 * @param string|int $timestamp
1220 * @return string
1221 */
1222 public static function getAutoblockExpiry( $timestamp ) {
1223 global $wgAutoblockExpiry;
1224
1225 return wfTimestamp( TS_MW, wfTimestamp( TS_UNIX, $timestamp ) + $wgAutoblockExpiry );
1226 }
1227
1228 /**
1229 * Purge expired blocks from the ipblocks table
1230 */
1231 public static function purgeExpired() {
1232 if ( wfReadOnly() ) {
1233 return;
1234 }
1235
1236 DeferredUpdates::addUpdate( new AutoCommitUpdate(
1237 wfGetDB( DB_MASTER ),
1238 __METHOD__,
1239 function ( IDatabase $dbw, $fname ) {
1240 $ids = $dbw->selectFieldValues( 'ipblocks',
1241 'ipb_id',
1242 [ 'ipb_expiry < ' . $dbw->addQuotes( $dbw->timestamp() ) ],
1243 $fname
1244 );
1245 if ( $ids ) {
1246 BlockRestriction::deleteByBlockId( $ids );
1247 $dbw->delete( 'ipblocks', [ 'ipb_id' => $ids ], $fname );
1248 }
1249 }
1250 ) );
1251 }
1252
1253 /**
1254 * Given a target and the target's type, get an existing Block object if possible.
1255 * @param string|User|int $specificTarget A block target, which may be one of several types:
1256 * * A user to block, in which case $target will be a User
1257 * * An IP to block, in which case $target will be a User generated by using
1258 * User::newFromName( $ip, false ) to turn off name validation
1259 * * An IP range, in which case $target will be a String "123.123.123.123/18" etc
1260 * * The ID of an existing block, in the format "#12345" (since pure numbers are valid
1261 * usernames
1262 * Calling this with a user, IP address or range will not select autoblocks, and will
1263 * only select a block where the targets match exactly (so looking for blocks on
1264 * 1.2.3.4 will not select 1.2.0.0/16 or even 1.2.3.4/32)
1265 * @param string|User|int|null $vagueTarget As above, but we will search for *any* block which
1266 * affects that target (so for an IP address, get ranges containing that IP; and also
1267 * get any relevant autoblocks). Leave empty or blank to skip IP-based lookups.
1268 * @param bool $fromMaster Whether to use the DB_MASTER database
1269 * @return Block|null (null if no relevant block could be found). The target and type
1270 * of the returned Block will refer to the actual block which was found, which might
1271 * not be the same as the target you gave if you used $vagueTarget!
1272 */
1273 public static function newFromTarget( $specificTarget, $vagueTarget = null, $fromMaster = false ) {
1274 list( $target, $type ) = self::parseTarget( $specificTarget );
1275 if ( $type == self::TYPE_ID || $type == self::TYPE_AUTO ) {
1276 return self::newFromID( $target );
1277
1278 } elseif ( $target === null && $vagueTarget == '' ) {
1279 # We're not going to find anything useful here
1280 # Be aware that the == '' check is explicit, since empty values will be
1281 # passed by some callers (T31116)
1282 return null;
1283
1284 } elseif ( in_array(
1285 $type,
1286 [ self::TYPE_USER, self::TYPE_IP, self::TYPE_RANGE, null ] )
1287 ) {
1288 $block = new Block();
1289 $block->fromMaster( $fromMaster );
1290
1291 if ( $type !== null ) {
1292 $block->setTarget( $target );
1293 }
1294
1295 if ( $block->newLoad( $vagueTarget ) ) {
1296 return $block;
1297 }
1298 }
1299 return null;
1300 }
1301
1302 /**
1303 * Get all blocks that match any IP from an array of IP addresses
1304 *
1305 * @param array $ipChain List of IPs (strings), usually retrieved from the
1306 * X-Forwarded-For header of the request
1307 * @param bool $isAnon Exclude anonymous-only blocks if false
1308 * @param bool $fromMaster Whether to query the master or replica DB
1309 * @return array Array of Blocks
1310 * @since 1.22
1311 */
1312 public static function getBlocksForIPList( array $ipChain, $isAnon, $fromMaster = false ) {
1313 if ( $ipChain === [] ) {
1314 return [];
1315 }
1316
1317 $conds = [];
1318 $proxyLookup = MediaWikiServices::getInstance()->getProxyLookup();
1319 foreach ( array_unique( $ipChain ) as $ipaddr ) {
1320 # Discard invalid IP addresses. Since XFF can be spoofed and we do not
1321 # necessarily trust the header given to us, make sure that we are only
1322 # checking for blocks on well-formatted IP addresses (IPv4 and IPv6).
1323 # Do not treat private IP spaces as special as it may be desirable for wikis
1324 # to block those IP ranges in order to stop misbehaving proxies that spoof XFF.
1325 if ( !IP::isValid( $ipaddr ) ) {
1326 continue;
1327 }
1328 # Don't check trusted IPs (includes local squids which will be in every request)
1329 if ( $proxyLookup->isTrustedProxy( $ipaddr ) ) {
1330 continue;
1331 }
1332 # Check both the original IP (to check against single blocks), as well as build
1333 # the clause to check for rangeblocks for the given IP.
1334 $conds['ipb_address'][] = $ipaddr;
1335 $conds[] = self::getRangeCond( IP::toHex( $ipaddr ) );
1336 }
1337
1338 if ( $conds === [] ) {
1339 return [];
1340 }
1341
1342 if ( $fromMaster ) {
1343 $db = wfGetDB( DB_MASTER );
1344 } else {
1345 $db = wfGetDB( DB_REPLICA );
1346 }
1347 $conds = $db->makeList( $conds, LIST_OR );
1348 if ( !$isAnon ) {
1349 $conds = [ $conds, 'ipb_anon_only' => 0 ];
1350 }
1351 $blockQuery = self::getQueryInfo();
1352 $rows = $db->select(
1353 $blockQuery['tables'],
1354 array_merge( [ 'ipb_range_start', 'ipb_range_end' ], $blockQuery['fields'] ),
1355 $conds,
1356 __METHOD__,
1357 [],
1358 $blockQuery['joins']
1359 );
1360
1361 $blocks = [];
1362 foreach ( $rows as $row ) {
1363 $block = self::newFromRow( $row );
1364 if ( !$block->isExpired() ) {
1365 $blocks[] = $block;
1366 }
1367 }
1368
1369 return $blocks;
1370 }
1371
1372 /**
1373 * From a list of multiple blocks, find the most exact and strongest Block.
1374 *
1375 * The logic for finding the "best" block is:
1376 * - Blocks that match the block's target IP are preferred over ones in a range
1377 * - Hardblocks are chosen over softblocks that prevent account creation
1378 * - Softblocks that prevent account creation are chosen over other softblocks
1379 * - Other softblocks are chosen over autoblocks
1380 * - If there are multiple exact or range blocks at the same level, the one chosen
1381 * is random
1382 * This should be used when $blocks where retrieved from the user's IP address
1383 * and $ipChain is populated from the same IP address information.
1384 *
1385 * @param array $blocks Array of Block objects
1386 * @param array $ipChain List of IPs (strings). This is used to determine how "close"
1387 * a block is to the server, and if a block matches exactly, or is in a range.
1388 * The order is furthest from the server to nearest e.g., (Browser, proxy1, proxy2,
1389 * local-squid, ...)
1390 * @throws MWException
1391 * @return Block|null The "best" block from the list
1392 */
1393 public static function chooseBlock( array $blocks, array $ipChain ) {
1394 if ( $blocks === [] ) {
1395 return null;
1396 } elseif ( count( $blocks ) == 1 ) {
1397 return $blocks[0];
1398 }
1399
1400 // Sort hard blocks before soft ones and secondarily sort blocks
1401 // that disable account creation before those that don't.
1402 usort( $blocks, function ( Block $a, Block $b ) {
1403 $aWeight = (int)$a->isHardblock() . (int)$a->prevents( 'createaccount' );
1404 $bWeight = (int)$b->isHardblock() . (int)$b->prevents( 'createaccount' );
1405 return strcmp( $bWeight, $aWeight ); // highest weight first
1406 } );
1407
1408 $blocksListExact = [
1409 'hard' => false,
1410 'disable_create' => false,
1411 'other' => false,
1412 'auto' => false
1413 ];
1414 $blocksListRange = [
1415 'hard' => false,
1416 'disable_create' => false,
1417 'other' => false,
1418 'auto' => false
1419 ];
1420 $ipChain = array_reverse( $ipChain );
1421
1422 /** @var Block $block */
1423 foreach ( $blocks as $block ) {
1424 // Stop searching if we have already have a "better" block. This
1425 // is why the order of the blocks matters
1426 if ( !$block->isHardblock() && $blocksListExact['hard'] ) {
1427 break;
1428 } elseif ( !$block->prevents( 'createaccount' ) && $blocksListExact['disable_create'] ) {
1429 break;
1430 }
1431
1432 foreach ( $ipChain as $checkip ) {
1433 $checkipHex = IP::toHex( $checkip );
1434 if ( (string)$block->getTarget() === $checkip ) {
1435 if ( $block->isHardblock() ) {
1436 $blocksListExact['hard'] = $blocksListExact['hard'] ?: $block;
1437 } elseif ( $block->prevents( 'createaccount' ) ) {
1438 $blocksListExact['disable_create'] = $blocksListExact['disable_create'] ?: $block;
1439 } elseif ( $block->mAuto ) {
1440 $blocksListExact['auto'] = $blocksListExact['auto'] ?: $block;
1441 } else {
1442 $blocksListExact['other'] = $blocksListExact['other'] ?: $block;
1443 }
1444 // We found closest exact match in the ip list, so go to the next Block
1445 break;
1446 } elseif ( array_filter( $blocksListExact ) == []
1447 && $block->getRangeStart() <= $checkipHex
1448 && $block->getRangeEnd() >= $checkipHex
1449 ) {
1450 if ( $block->isHardblock() ) {
1451 $blocksListRange['hard'] = $blocksListRange['hard'] ?: $block;
1452 } elseif ( $block->prevents( 'createaccount' ) ) {
1453 $blocksListRange['disable_create'] = $blocksListRange['disable_create'] ?: $block;
1454 } elseif ( $block->mAuto ) {
1455 $blocksListRange['auto'] = $blocksListRange['auto'] ?: $block;
1456 } else {
1457 $blocksListRange['other'] = $blocksListRange['other'] ?: $block;
1458 }
1459 break;
1460 }
1461 }
1462 }
1463
1464 if ( array_filter( $blocksListExact ) == [] ) {
1465 $blocksList = &$blocksListRange;
1466 } else {
1467 $blocksList = &$blocksListExact;
1468 }
1469
1470 $chosenBlock = null;
1471 if ( $blocksList['hard'] ) {
1472 $chosenBlock = $blocksList['hard'];
1473 } elseif ( $blocksList['disable_create'] ) {
1474 $chosenBlock = $blocksList['disable_create'];
1475 } elseif ( $blocksList['other'] ) {
1476 $chosenBlock = $blocksList['other'];
1477 } elseif ( $blocksList['auto'] ) {
1478 $chosenBlock = $blocksList['auto'];
1479 } else {
1480 throw new MWException( "Proxy block found, but couldn't be classified." );
1481 }
1482
1483 return $chosenBlock;
1484 }
1485
1486 /**
1487 * From an existing Block, get the target and the type of target.
1488 * Note that, except for null, it is always safe to treat the target
1489 * as a string; for User objects this will return User::__toString()
1490 * which in turn gives User::getName().
1491 *
1492 * @param string|int|User|null $target
1493 * @return array [ User|String|null, Block::TYPE_ constant|null ]
1494 */
1495 public static function parseTarget( $target ) {
1496 # We may have been through this before
1497 if ( $target instanceof User ) {
1498 if ( IP::isValid( $target->getName() ) ) {
1499 return [ $target, self::TYPE_IP ];
1500 } else {
1501 return [ $target, self::TYPE_USER ];
1502 }
1503 } elseif ( $target === null ) {
1504 return [ null, null ];
1505 }
1506
1507 $target = trim( $target );
1508
1509 if ( IP::isValid( $target ) ) {
1510 # We can still create a User if it's an IP address, but we need to turn
1511 # off validation checking (which would exclude IP addresses)
1512 return [
1513 User::newFromName( IP::sanitizeIP( $target ), false ),
1514 self::TYPE_IP
1515 ];
1516
1517 } elseif ( IP::isValidRange( $target ) ) {
1518 # Can't create a User from an IP range
1519 return [ IP::sanitizeRange( $target ), self::TYPE_RANGE ];
1520 }
1521
1522 # Consider the possibility that this is not a username at all
1523 # but actually an old subpage (T31797)
1524 if ( strpos( $target, '/' ) !== false ) {
1525 # An old subpage, drill down to the user behind it
1526 $target = explode( '/', $target )[0];
1527 }
1528
1529 $userObj = User::newFromName( $target );
1530 if ( $userObj instanceof User ) {
1531 # Note that since numbers are valid usernames, a $target of "12345" will be
1532 # considered a User. If you want to pass a block ID, prepend a hash "#12345",
1533 # since hash characters are not valid in usernames or titles generally.
1534 return [ $userObj, self::TYPE_USER ];
1535
1536 } elseif ( preg_match( '/^#\d+$/', $target ) ) {
1537 # Autoblock reference in the form "#12345"
1538 return [ substr( $target, 1 ), self::TYPE_AUTO ];
1539
1540 } else {
1541 # WTF?
1542 return [ null, null ];
1543 }
1544 }
1545
1546 /**
1547 * Get the type of target for this particular block
1548 * @return int Block::TYPE_ constant, will never be TYPE_ID
1549 */
1550 public function getType() {
1551 return $this->mAuto
1552 ? self::TYPE_AUTO
1553 : $this->type;
1554 }
1555
1556 /**
1557 * Get the target and target type for this particular Block. Note that for autoblocks,
1558 * this returns the unredacted name; frontend functions need to call $block->getRedactedName()
1559 * in this situation.
1560 * @return array [ User|String, Block::TYPE_ constant ]
1561 * @todo FIXME: This should be an integral part of the Block member variables
1562 */
1563 public function getTargetAndType() {
1564 return [ $this->getTarget(), $this->getType() ];
1565 }
1566
1567 /**
1568 * Get the target for this particular Block. Note that for autoblocks,
1569 * this returns the unredacted name; frontend functions need to call $block->getRedactedName()
1570 * in this situation.
1571 * @return User|string
1572 */
1573 public function getTarget() {
1574 return $this->target;
1575 }
1576
1577 /**
1578 * @since 1.19
1579 *
1580 * @return mixed|string
1581 */
1582 public function getExpiry() {
1583 return $this->mExpiry;
1584 }
1585
1586 /**
1587 * Set the target for this block, and update $this->type accordingly
1588 * @param mixed $target
1589 */
1590 public function setTarget( $target ) {
1591 list( $this->target, $this->type ) = self::parseTarget( $target );
1592 }
1593
1594 /**
1595 * Get the user who implemented this block
1596 * @return User User object. May name a foreign user.
1597 */
1598 public function getBlocker() {
1599 return $this->blocker;
1600 }
1601
1602 /**
1603 * Set the user who implemented (or will implement) this block
1604 * @param User|string $user Local User object or username string
1605 */
1606 public function setBlocker( $user ) {
1607 if ( is_string( $user ) ) {
1608 $user = User::newFromName( $user, false );
1609 }
1610
1611 if ( $user->isAnon() && User::isUsableName( $user->getName() ) ) {
1612 throw new InvalidArgumentException(
1613 'Blocker must be a local user or a name that cannot be a local user'
1614 );
1615 }
1616
1617 $this->blocker = $user;
1618 }
1619
1620 /**
1621 * Set the 'BlockID' cookie to this block's ID and expiry time. The cookie's expiry will be
1622 * the same as the block's, to a maximum of 24 hours.
1623 *
1624 * @since 1.29
1625 *
1626 * @param WebResponse $response The response on which to set the cookie.
1627 */
1628 public function setCookie( WebResponse $response ) {
1629 // Calculate the default expiry time.
1630 $maxExpiryTime = wfTimestamp( TS_MW, wfTimestamp() + ( 24 * 60 * 60 ) );
1631
1632 // Use the Block's expiry time only if it's less than the default.
1633 $expiryTime = $this->getExpiry();
1634 if ( $expiryTime === 'infinity' || $expiryTime > $maxExpiryTime ) {
1635 $expiryTime = $maxExpiryTime;
1636 }
1637
1638 // Set the cookie. Reformat the MediaWiki datetime as a Unix timestamp for the cookie.
1639 $expiryValue = DateTime::createFromFormat( 'YmdHis', $expiryTime )->format( 'U' );
1640 $cookieOptions = [ 'httpOnly' => false ];
1641 $cookieValue = $this->getCookieValue();
1642 $response->setCookie( 'BlockID', $cookieValue, $expiryValue, $cookieOptions );
1643 }
1644
1645 /**
1646 * Unset the 'BlockID' cookie.
1647 *
1648 * @since 1.29
1649 *
1650 * @param WebResponse $response The response on which to unset the cookie.
1651 */
1652 public static function clearCookie( WebResponse $response ) {
1653 $response->clearCookie( 'BlockID', [ 'httpOnly' => false ] );
1654 }
1655
1656 /**
1657 * Get the BlockID cookie's value for this block. This is usually the block ID concatenated
1658 * with an HMAC in order to avoid spoofing (T152951), but if wgSecretKey is not set will just
1659 * be the block ID.
1660 *
1661 * @since 1.29
1662 *
1663 * @return string The block ID, probably concatenated with "!" and the HMAC.
1664 */
1665 public function getCookieValue() {
1666 $config = RequestContext::getMain()->getConfig();
1667 $id = $this->getId();
1668 $secretKey = $config->get( 'SecretKey' );
1669 if ( !$secretKey ) {
1670 // If there's no secret key, don't append a HMAC.
1671 return $id;
1672 }
1673 $hmac = MWCryptHash::hmac( $id, $secretKey, false );
1674 $cookieValue = $id . '!' . $hmac;
1675 return $cookieValue;
1676 }
1677
1678 /**
1679 * Get the stored ID from the 'BlockID' cookie. The cookie's value is usually a combination of
1680 * the ID and a HMAC (see Block::setCookie), but will sometimes only be the ID.
1681 *
1682 * @since 1.29
1683 *
1684 * @param string $cookieValue The string in which to find the ID.
1685 *
1686 * @return int|null The block ID, or null if the HMAC is present and invalid.
1687 */
1688 public static function getIdFromCookieValue( $cookieValue ) {
1689 // Extract the ID prefix from the cookie value (may be the whole value, if no bang found).
1690 $bangPos = strpos( $cookieValue, '!' );
1691 $id = ( $bangPos === false ) ? $cookieValue : substr( $cookieValue, 0, $bangPos );
1692 // Get the site-wide secret key.
1693 $config = RequestContext::getMain()->getConfig();
1694 $secretKey = $config->get( 'SecretKey' );
1695 if ( !$secretKey ) {
1696 // If there's no secret key, just use the ID as given.
1697 return $id;
1698 }
1699 $storedHmac = substr( $cookieValue, $bangPos + 1 );
1700 $calculatedHmac = MWCryptHash::hmac( $id, $secretKey, false );
1701 if ( $calculatedHmac === $storedHmac ) {
1702 return $id;
1703 } else {
1704 return null;
1705 }
1706 }
1707
1708 /**
1709 * Get the key and parameters for the corresponding error message.
1710 *
1711 * @since 1.22
1712 * @param IContextSource $context
1713 * @return array
1714 */
1715 public function getPermissionsError( IContextSource $context ) {
1716 $params = $this->getBlockErrorParams( $context );
1717
1718 $msg = 'blockedtext';
1719 if ( $this->getSystemBlockType() !== null ) {
1720 $msg = 'systemblockedtext';
1721 } elseif ( $this->mAuto ) {
1722 $msg = 'autoblockedtext';
1723 } elseif ( !$this->isSitewide() ) {
1724 $msg = 'blockedtext-partial';
1725 }
1726
1727 array_unshift( $params, $msg );
1728
1729 return $params;
1730 }
1731
1732 /**
1733 * Get block information used in different block error messages
1734 *
1735 * @since 1.33
1736 * @param IContextSource $context
1737 * @return array
1738 */
1739 public function getBlockErrorParams( IContextSource $context ) {
1740 $blocker = $this->getBlocker();
1741 if ( $blocker instanceof User ) { // local user
1742 $blockerUserpage = $blocker->getUserPage();
1743 $link = "[[{$blockerUserpage->getPrefixedText()}|{$blockerUserpage->getText()}]]";
1744 } else { // foreign user
1745 $link = $blocker;
1746 }
1747
1748 $reason = $this->mReason;
1749 if ( $reason == '' ) {
1750 $reason = $context->msg( 'blockednoreason' )->text();
1751 }
1752
1753 /* $ip returns who *is* being blocked, $intended contains who was meant to be blocked.
1754 * This could be a username, an IP range, or a single IP. */
1755 $intended = $this->getTarget();
1756 $systemBlockType = $this->getSystemBlockType();
1757 $lang = $context->getLanguage();
1758
1759 return [
1760 $link,
1761 $reason,
1762 $context->getRequest()->getIP(),
1763 $this->getByName(),
1764 $systemBlockType ?? $this->getId(),
1765 $lang->formatExpiry( $this->mExpiry ),
1766 (string)$intended,
1767 $lang->userTimeAndDate( $this->mTimestamp, $context->getUser() ),
1768 ];
1769 }
1770
1771 /**
1772 * Get Restrictions.
1773 *
1774 * Getting the restrictions will perform a database query if the restrictions
1775 * are not already loaded.
1776 *
1777 * @since 1.33
1778 * @return Restriction[]
1779 */
1780 public function getRestrictions() {
1781 if ( $this->restrictions === null ) {
1782 // If the block id has not been set, then do not attempt to load the
1783 // restrictions.
1784 if ( !$this->mId ) {
1785 return [];
1786 }
1787 $this->restrictions = BlockRestriction::loadByBlockId( $this->mId );
1788 }
1789
1790 return $this->restrictions;
1791 }
1792
1793 /**
1794 * Set Restrictions.
1795 *
1796 * @since 1.33
1797 * @param Restriction[] $restrictions
1798 * @return self
1799 */
1800 public function setRestrictions( array $restrictions ) {
1801 $this->restrictions = array_filter( $restrictions, function ( $restriction ) {
1802 return $restriction instanceof Restriction;
1803 } );
1804
1805 return $this;
1806 }
1807
1808 /**
1809 * Checks if a block applies to a particular title
1810 *
1811 * This check does not consider whether `$this->prevents( 'editownusertalk' )`
1812 * returns false, as the identity of the user making the hypothetical edit
1813 * isn't known here (particularly in the case of IP hardblocks, range
1814 * blocks, and auto-blocks).
1815 *
1816 * @param Title $title
1817 * @return bool
1818 */
1819 public function appliesToTitle( Title $title ) {
1820 if ( $this->isSitewide() ) {
1821 return true;
1822 }
1823
1824 $restrictions = $this->getRestrictions();
1825 foreach ( $restrictions as $restriction ) {
1826 if ( $restriction->matches( $title ) ) {
1827 return true;
1828 }
1829 }
1830
1831 return false;
1832 }
1833
1834 /**
1835 * Checks if a block applies to a particular namespace
1836 *
1837 * @since 1.33
1838 *
1839 * @param int $ns
1840 * @return bool
1841 */
1842 public function appliesToNamespace( $ns ) {
1843 if ( $this->isSitewide() ) {
1844 return true;
1845 }
1846
1847 // Blocks do not apply to virtual namespaces.
1848 if ( $ns < 0 ) {
1849 return false;
1850 }
1851
1852 $restriction = $this->findRestriction( NamespaceRestriction::TYPE, $ns );
1853
1854 return (bool)$restriction;
1855 }
1856
1857 /**
1858 * Checks if a block applies to a particular page
1859 *
1860 * This check does not consider whether `$this->prevents( 'editownusertalk' )`
1861 * returns false, as the identity of the user making the hypothetical edit
1862 * isn't known here (particularly in the case of IP hardblocks, range
1863 * blocks, and auto-blocks).
1864 *
1865 * @since 1.33
1866 *
1867 * @param int $pageId
1868 * @return bool
1869 */
1870 public function appliesToPage( $pageId ) {
1871 if ( $this->isSitewide() ) {
1872 return true;
1873 }
1874
1875 // If the pageId is not over zero, the block cannot apply to it.
1876 if ( $pageId <= 0 ) {
1877 return false;
1878 }
1879
1880 $restriction = $this->findRestriction( PageRestriction::TYPE, $pageId );
1881
1882 return (bool)$restriction;
1883 }
1884
1885 /**
1886 * Find Restriction by type and value.
1887 *
1888 * @param string $type
1889 * @param int $value
1890 * @return Restriction|null
1891 */
1892 private function findRestriction( $type, $value ) {
1893 $restrictions = $this->getRestrictions();
1894 foreach ( $restrictions as $restriction ) {
1895 if ( $restriction->getType() !== $type ) {
1896 continue;
1897 }
1898
1899 if ( $restriction->getValue() === $value ) {
1900 return $restriction;
1901 }
1902 }
1903
1904 return null;
1905 }
1906 }