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