MediaWiki  1.29.1
TitleBlacklist.list.php
Go to the documentation of this file.
1 <?php
19  private $mBlacklist = null, $mWhitelist = null;
20 
22  protected static $instance = null;
23 
24  const VERSION = 3; // Blacklist format
25 
31  public static function singleton() {
32  if ( self::$instance === null ) {
33  self::$instance = new self;
34  }
35  return self::$instance;
36  }
37 
44  public static function destroySingleton() {
45 
46  if ( !defined( 'MW_PHPUNIT_TEST' ) ) {
47  throw new MWException(
48  'Can not invoke ' . __METHOD__ . '() ' .
49  'out of tests (MW_PHPUNIT_TEST not set).'
50  );
51  }
52 
53  self::$instance = null;
54  }
55 
59  public function load() {
60  global $wgTitleBlacklistSources, $wgTitleBlacklistCaching;
61 
63  // Try to find something in the cache
64  $cachedBlacklist = $cache->get( wfMemcKey( "title_blacklist_entries" ) );
65  if ( is_array( $cachedBlacklist ) && count( $cachedBlacklist ) > 0 && ( $cachedBlacklist[0]->getFormatVersion() == self::VERSION ) ) {
66  $this->mBlacklist = $cachedBlacklist;
67  return;
68  }
69 
70  $sources = $wgTitleBlacklistSources;
71  $sources['local'] = array( 'type' => 'message' );
72  $this->mBlacklist = array();
73  foreach( $sources as $sourceName => $source ) {
74  $this->mBlacklist = array_merge( $this->mBlacklist, $this->parseBlacklist( $this->getBlacklistText( $source ), $sourceName ) );
75  }
76  $cache->set( wfMemcKey( "title_blacklist_entries" ), $this->mBlacklist, $wgTitleBlacklistCaching['expiry'] );
77  wfDebugLog( 'TitleBlacklist-cache', 'Updated ' . wfMemcKey( "title_blacklist_entries" )
78  . ' with ' . count( $this->mBlacklist ) . ' entries.' );
79  }
80 
84  public function loadWhitelist() {
85  global $wgTitleBlacklistCaching;
86 
88  $cachedWhitelist = $cache->get( wfMemcKey( "title_whitelist_entries" ) );
89  if ( is_array( $cachedWhitelist ) && count( $cachedWhitelist ) > 0 && ( $cachedWhitelist[0]->getFormatVersion() != self::VERSION ) ) {
90  $this->mWhitelist = $cachedWhitelist;
91  return;
92  }
93  $this->mWhitelist = $this->parseBlacklist( wfMessage( 'titlewhitelist' )
94  ->inContentLanguage()->text(), 'whitelist' );
95  $cache->set( wfMemcKey( "title_whitelist_entries" ), $this->mWhitelist, $wgTitleBlacklistCaching['expiry'] );
96  }
97 
104  private static function getBlacklistText( $source ) {
105  if ( !is_array( $source ) || count( $source ) <= 0 ) {
106  return ''; // Return empty string in error case
107  }
108 
109  if ( $source['type'] == 'message' ) {
110  return wfMessage( 'titleblacklist' )->inContentLanguage()->text();
111  } elseif ( $source['type'] == 'localpage' && count( $source ) >= 2 ) {
112  $title = Title::newFromText( $source['src'] );
113  if ( is_null( $title ) ) {
114  return '';
115  }
116  if ( $title->getNamespace() == NS_MEDIAWIKI ) {
117  $msg = wfMessage( $title->getText() )->inContentLanguage();
118  if ( !$msg->isDisabled() ) {
119  return $msg->text();
120  } else {
121  return '';
122  }
123  } else {
125  if ( $page->exists() ) {
126  return ContentHandler::getContentText( $page->getContent() );
127  }
128  }
129  } elseif ( $source['type'] == 'url' && count( $source ) >= 2 ) {
130  return self::getHttp( $source['src'] );
131  } elseif ( $source['type'] == 'file' && count( $source ) >= 2 ) {
132  if ( file_exists( $source['src'] ) ) {
133  return file_get_contents( $source['src'] );
134  } else {
135  return '';
136  }
137  }
138 
139  return '';
140  }
141 
148  public static function parseBlacklist( $list, $sourceName ) {
149  $lines = preg_split( "/\r?\n/", $list );
150  $result = array();
151  foreach ( $lines as $line ) {
153  if ( $line ) {
154  $result[] = $line;
155  }
156  }
157 
158  return $result;
159  }
160 
172  public function userCannot( $title, $user, $action = 'edit', $override = true ) {
173  $entry = $this->isBlacklisted( $title, $action );
174  if ( !$entry ) {
175  return false;
176  }
177  $params = $entry->getParams();
178  if ( isset( $params['autoconfirmed'] ) && $user->isAllowed( 'autoconfirmed' ) ) {
179  return false;
180  }
181  if ( $override && self::userCanOverride( $user, $action ) ) {
182  return false;
183  }
184  return $entry;
185  }
186 
196  public function isBlacklisted( $title, $action = 'edit' ) {
197  if ( !( $title instanceof Title ) ) {
199  if ( !( $title instanceof Title ) ) {
200  // The fact that the page name is invalid will stop whatever
201  // action is going through. No sense in doing more work here.
202  return false;
203  }
204  }
205  $blacklist = $this->getBlacklist();
206  $autoconfirmedItem = false;
207  foreach ( $blacklist as $item ) {
208  if ( $item->matches( $title->getFullText(), $action ) ) {
209  if ( $this->isWhitelisted( $title, $action ) ) {
210  return false;
211  }
212  $params = $item->getParams();
213  if ( !isset( $params['autoconfirmed'] ) ) {
214  return $item;
215  }
216  if ( !$autoconfirmedItem ) {
217  $autoconfirmedItem = $item;
218  }
219  }
220  }
221  return $autoconfirmedItem;
222  }
223 
232  public function isWhitelisted( $title, $action = 'edit' ) {
233  if ( !( $title instanceof Title ) ) {
235  }
236  $whitelist = $this->getWhitelist();
237  foreach ( $whitelist as $item ) {
238  if ( $item->matches( $title->getFullText(), $action ) ) {
239  return true;
240  }
241  }
242  return false;
243  }
244 
250  public function getBlacklist() {
251  if ( is_null( $this->mBlacklist ) ) {
252  $this->load();
253  }
254  return $this->mBlacklist;
255  }
256 
262  public function getWhitelist() {
263  if ( is_null( $this->mWhitelist ) ) {
264  $this->loadWhitelist();
265  }
266  return $this->mWhitelist;
267  }
268 
275  private static function getHttp( $url ) {
276  global $messageMemc, $wgTitleBlacklistCaching;
277  $key = "title_blacklist_source:" . md5( $url ); // Global shared
278  $warnkey = wfMemcKey( "titleblacklistwarning", md5( $url ) );
279  $result = $messageMemc->get( $key );
280  $warn = $messageMemc->get( $warnkey );
281  if ( !is_string( $result ) || ( !$warn && !mt_rand( 0, $wgTitleBlacklistCaching['warningchance'] ) ) ) {
282  $result = Http::get( $url );
283  $messageMemc->set( $warnkey, 1, $wgTitleBlacklistCaching['warningexpiry'] );
284  $messageMemc->set( $key, $result, $wgTitleBlacklistCaching['expiry'] );
285  }
286  return $result;
287  }
288 
292  public function invalidate() {
294  $cache->delete( wfMemcKey( "title_blacklist_entries" ) );
295  }
296 
303  public function validate( $blacklist ) {
304  $badEntries = array();
305  foreach ( $blacklist as $e ) {
307  $regex = $e->getRegex();
308  if ( preg_match( "/{$regex}/u", '' ) === false ) {
309  $badEntries[] = $e->getRaw();
310  }
312  }
313  return $badEntries;
314  }
315 
323  public static function userCanOverride( $user, $action ) {
324  return $user->isAllowed( 'tboverride' ) ||
325  ( $action == 'new-account' && $user->isAllowed( 'tboverride-account' ) );
326  }
327 }
328 
329 
334  private
336  $mRegex,
337  $mParams,
339  $mSource;
340 
348  private function __construct( $regex, $params, $raw, $source ) {
349  $this->mRaw = $raw;
350  $this->mRegex = $regex;
351  $this->mParams = $params;
352  $this->mFormatVersion = TitleBlacklist::VERSION;
353  $this->mSource = $source;
354  }
355 
359  private function filtersNewAccounts() {
360  global $wgTitleBlacklistUsernameSources;
361 
362  if( $wgTitleBlacklistUsernameSources === '*' ) {
363  return true;
364  }
365 
366  if( !$wgTitleBlacklistUsernameSources ) {
367  return false;
368  }
369 
370  if( !is_array( $wgTitleBlacklistUsernameSources ) ) {
371  throw new Exception(
372  '$wgTitleBlacklistUsernameSources must be "*", false or an array' );
373  }
374 
375  return in_array( $this->mSource, $wgTitleBlacklistUsernameSources, true );
376  }
377 
386  public function matches( $title, $action ) {
387  if ( $title == '' ) {
388  return false;
389  }
390 
391  if ( $action === 'new-account' && !$this->filtersNewAccounts() ) {
392  return false;
393  }
394 
395  if ( isset( $this->mParams['antispoof'] )
396  && is_callable( 'AntiSpoof::checkUnicodeString' )
397  ) {
398  if ( $action === 'edit' ) {
399  // Use process cache for frequently edited pages
401  list( $ok, $norm ) = $cache->getWithSetCallback(
402  $cache->makeKey( 'titleblacklist', 'normalized-unicode', md5( $title ) ),
403  $cache::TTL_MONTH,
404  function () use ( $title ) {
405  return AntiSpoof::checkUnicodeString( $title );
406  }
407  );
408  } else {
409  list( $ok, $norm ) = AntiSpoof::checkUnicodeString( $title );
410  }
411 
412  if ( $ok === "OK" ) {
413  list( $ver, $title ) = explode( ':', $norm, 2 );
414  } else {
415  wfDebugLog( 'TitleBlacklist', 'AntiSpoof could not normalize "' . $title . '".' );
416  }
417  }
418 
420  $match = preg_match(
421  "/^(?:{$this->mRegex})$/us" . ( isset( $this->mParams['casesensitive'] ) ? '' : 'i' ),
422  $title
423  );
425 
426  if ( $match ) {
427  if ( isset( $this->mParams['moveonly'] ) && $action != 'move' ) {
428  return false;
429  }
430  if ( isset( $this->mParams['newaccountonly'] ) && $action != 'new-account' ) {
431  return false;
432  }
433  if ( !isset( $this->mParams['noedit'] ) && $action == 'edit' ) {
434  return false;
435  }
436  if ( isset( $this->mParams['reupload'] ) && $action == 'upload' ) {
437  // Special:Upload also checks 'create' permissions when not reuploading
438  return false;
439  }
440  return true;
441  }
442 
443  return false;
444  }
445 
452  public static function newFromString( $line, $source ) {
453  $raw = $line; // Keep line for raw data
454  $options = array();
455  // Strip comments
456  $line = preg_replace( "/^\\s*([^#]*)\\s*((.*)?)$/", "\\1", $line );
457  $line = trim( $line );
458  // Parse the rest of message
459  preg_match( '/^(.*?)(\s*<([^<>]*)>)?$/', $line, $pockets );
460  @list( $full, $regex, $null, $opts_str ) = $pockets;
461  $regex = trim( $regex );
462  $regex = str_replace( '_', ' ', $regex ); // We'll be matching against text form
463  $opts_str = trim( $opts_str );
464  // Parse opts
465  $opts = preg_split( '/\s*\|\s*/', $opts_str );
466  foreach ( $opts as $opt ) {
467  $opt2 = strtolower( $opt );
468  if ( $opt2 == 'autoconfirmed' ) {
469  $options['autoconfirmed'] = true;
470  }
471  if ( $opt2 == 'moveonly' ) {
472  $options['moveonly'] = true;
473  }
474  if ( $opt2 == 'newaccountonly' ) {
475  $options['newaccountonly'] = true;
476  }
477  if ( $opt2 == 'noedit' ) {
478  $options['noedit'] = true;
479  }
480  if ( $opt2 == 'casesensitive' ) {
481  $options['casesensitive'] = true;
482  }
483  if ( $opt2 == 'reupload' ) {
484  $options['reupload'] = true;
485  }
486  if ( preg_match( '/errmsg\s*=\s*(.+)/i', $opt, $matches ) ) {
487  $options['errmsg'] = $matches[1];
488  }
489  if ( $opt2 == 'antispoof' ) {
490  $options['antispoof'] = true;
491  }
492  }
493  // Process magic words
494  preg_match_all( '/{{\s*([a-z]+)\s*:\s*(.+?)\s*}}/', $regex, $magicwords, PREG_SET_ORDER );
495  foreach ( $magicwords as $mword ) {
496  global $wgParser; // Functions we're calling don't need, nevertheless let's use it
497  switch( strtolower( $mword[1] ) ) {
498  case 'ns':
499  $cpf_result = CoreParserFunctions::ns( $wgParser, $mword[2] );
500  if ( is_string( $cpf_result ) ) {
501  $regex = str_replace( $mword[0], $cpf_result, $regex ); // All result will have the same value, so we can just use str_seplace()
502  }
503  break;
504  case 'int':
505  $cpf_result = wfMessage( $mword[2] )->inContentLanguage()->text();
506  if ( is_string( $cpf_result ) ) {
507  $regex = str_replace( $mword[0], $cpf_result, $regex );
508  }
509  }
510  }
511  // Return result
512  if( $regex ) {
513  return new TitleBlacklistEntry( $regex, $options, $raw, $source );
514  } else {
515  return null;
516  }
517  }
518 
522  public function getRegex() {
523  return $this->mRegex;
524  }
525 
529  public function getRaw() {
530  return $this->mRaw;
531  }
532 
536  public function getParams() {
537  return $this->mParams;
538  }
539 
543  public function getCustomMessage() {
544  return isset( $this->mParams['errmsg'] ) ? $this->mParams['errmsg'] : null;
545  }
546 
550  public function getFormatVersion() { return $this->mFormatVersion; }
551 
557  public function setFormatVersion( $v ) { $this->mFormatVersion = $v; }
558 
566  public function getErrorMessage( $operation ) {
567  $message = $this->getCustomMessage();
568  // For grep:
569  // titleblacklist-forbidden-edit, titleblacklist-forbidden-move,
570  // titleblacklist-forbidden-upload, titleblacklist-forbidden-new-account
571  return $message ? $message : "titleblacklist-forbidden-{$operation}";
572  }
573 }
574 
TitleBlacklistEntry::setFormatVersion
setFormatVersion( $v)
Set the format version.
Definition: TitleBlacklist.list.php:557
TitleBlacklistEntry::getRaw
getRaw()
Definition: TitleBlacklist.list.php:529
Title\newFromText
static newFromText( $text, $defaultNamespace=NS_MAIN)
Create a new Title from text, such as what one would find in a link.
Definition: Title.php:265
TitleBlacklistEntry::getFormatVersion
getFormatVersion()
Definition: TitleBlacklist.list.php:550
TitleBlacklist::validate
validate( $blacklist)
Validate a new blacklist.
Definition: TitleBlacklist.list.php:303
TitleBlacklist::singleton
static singleton()
Get an instance of this class.
Definition: TitleBlacklist.list.php:31
$wgParser
$wgParser
Definition: Setup.php:796
$opt
$opt
Definition: postprocess-phan.php:115
captcha-old.count
count
Definition: captcha-old.py:225
TitleBlacklistEntry::getCustomMessage
getCustomMessage()
Definition: TitleBlacklist.list.php:543
text
design txt This is a brief overview of the new design More thorough and up to date information is available on the documentation wiki at etc Handles the details of getting and saving to the user table of the and dealing with sessions and cookies OutputPage Encapsulates the entire HTML page that will be sent in response to any server request It is used by calling its functions to add text
Definition: design.txt:12
$result
The index of the header message $result[1]=The index of the body text message $result[2 through n]=Parameters passed to body text message. Please note the header message cannot receive/use parameters. 'ImportHandleLogItemXMLTag':When parsing a XML tag in a log item. Return false to stop further processing of the tag $reader:XMLReader object $logInfo:Array of information 'ImportHandlePageXMLTag':When parsing a XML tag in a page. Return false to stop further processing of the tag $reader:XMLReader object & $pageInfo:Array of information 'ImportHandleRevisionXMLTag':When parsing a XML tag in a page revision. Return false to stop further processing of the tag $reader:XMLReader object $pageInfo:Array of page information $revisionInfo:Array of revision information 'ImportHandleToplevelXMLTag':When parsing a top level XML tag. Return false to stop further processing of the tag $reader:XMLReader object 'ImportHandleUploadXMLTag':When parsing a XML tag in a file upload. Return false to stop further processing of the tag $reader:XMLReader object $revisionInfo:Array of information 'ImportLogInterwikiLink':Hook to change the interwiki link used in log entries and edit summaries for transwiki imports. & $fullInterwikiPrefix:Interwiki prefix, may contain colons. & $pageTitle:String that contains page title. 'ImportSources':Called when reading from the $wgImportSources configuration variable. Can be used to lazy-load the import sources list. & $importSources:The value of $wgImportSources. Modify as necessary. See the comment in DefaultSettings.php for the detail of how to structure this array. 'InfoAction':When building information to display on the action=info page. $context:IContextSource object & $pageInfo:Array of information 'InitializeArticleMaybeRedirect':MediaWiki check to see if title is a redirect. & $title:Title object for the current page & $request:WebRequest & $ignoreRedirect:boolean to skip redirect check & $target:Title/string of redirect target & $article:Article object 'InternalParseBeforeLinks':during Parser 's internalParse method before links but after nowiki/noinclude/includeonly/onlyinclude and other processings. & $parser:Parser object & $text:string containing partially parsed text & $stripState:Parser 's internal StripState object 'InternalParseBeforeSanitize':during Parser 's internalParse method just before the parser removes unwanted/dangerous HTML tags and after nowiki/noinclude/includeonly/onlyinclude and other processings. Ideal for syntax-extensions after template/parser function execution which respect nowiki and HTML-comments. & $parser:Parser object & $text:string containing partially parsed text & $stripState:Parser 's internal StripState object 'InterwikiLoadPrefix':When resolving if a given prefix is an interwiki or not. Return true without providing an interwiki to continue interwiki search. $prefix:interwiki prefix we are looking for. & $iwData:output array describing the interwiki with keys iw_url, iw_local, iw_trans and optionally iw_api and iw_wikiid. 'InvalidateEmailComplete':Called after a user 's email has been invalidated successfully. $user:user(object) whose email is being invalidated 'IRCLineURL':When constructing the URL to use in an IRC notification. Callee may modify $url and $query, URL will be constructed as $url . $query & $url:URL to index.php & $query:Query string $rc:RecentChange object that triggered url generation 'IsFileCacheable':Override the result of Article::isFileCacheable()(if true) & $article:article(object) being checked 'IsTrustedProxy':Override the result of IP::isTrustedProxy() & $ip:IP being check & $result:Change this value to override the result of IP::isTrustedProxy() 'IsUploadAllowedFromUrl':Override the result of UploadFromUrl::isAllowedUrl() $url:URL used to upload from & $allowed:Boolean indicating if uploading is allowed for given URL 'isValidEmailAddr':Override the result of Sanitizer::validateEmail(), for instance to return false if the domain name doesn 't match your organization. $addr:The e-mail address entered by the user & $result:Set this and return false to override the internal checks 'isValidPassword':Override the result of User::isValidPassword() $password:The password entered by the user & $result:Set this and return false to override the internal checks $user:User the password is being validated for 'Language::getMessagesFileName':$code:The language code or the language we 're looking for a messages file for & $file:The messages file path, you can override this to change the location. 'LanguageGetMagic':DEPRECATED! Use $magicWords in a file listed in $wgExtensionMessagesFiles instead. Use this to define synonyms of magic words depending of the language & $magicExtensions:associative array of magic words synonyms $lang:language code(string) 'LanguageGetNamespaces':Provide custom ordering for namespaces or remove namespaces. Do not use this hook to add namespaces. Use CanonicalNamespaces for that. & $namespaces:Array of namespaces indexed by their numbers 'LanguageGetSpecialPageAliases':DEPRECATED! Use $specialPageAliases in a file listed in $wgExtensionMessagesFiles instead. Use to define aliases of special pages names depending of the language & $specialPageAliases:associative array of magic words synonyms $lang:language code(string) 'LanguageGetTranslatedLanguageNames':Provide translated language names. & $names:array of language code=> language name $code:language of the preferred translations 'LanguageLinks':Manipulate a page 's language links. This is called in various places to allow extensions to define the effective language links for a page. $title:The page 's Title. & $links:Array with elements of the form "language:title" in the order that they will be output. & $linkFlags:Associative array mapping prefixed links to arrays of flags. Currently unused, but planned to provide support for marking individual language links in the UI, e.g. for featured articles. 'LanguageSelector':Hook to change the language selector available on a page. $out:The output page. $cssClassName:CSS class name of the language selector. 'LinkBegin':DEPRECATED! Use HtmlPageLinkRendererBegin instead. Used when generating internal and interwiki links in Linker::link(), before processing starts. Return false to skip default processing and return $ret. See documentation for Linker::link() for details on the expected meanings of parameters. $skin:the Skin object $target:the Title that the link is pointing to & $html:the contents that the< a > tag should have(raw HTML) $result
Definition: hooks.txt:1954
use
as see the revision history and available at free of to any person obtaining a copy of this software and associated documentation to deal in the Software without including without limitation the rights to use
Definition: MIT-LICENSE.txt:10
wfSuppressWarnings
wfSuppressWarnings( $end=false)
Reference-counted warning suppression.
Definition: GlobalFunctions.php:1974
$user
please add to it if you re going to add events to the MediaWiki code where normally authentication against an external auth plugin would be creating a account $user
Definition: hooks.txt:246
$messageMemc
globals will be eliminated from MediaWiki replaced by an application object which would be passed to constructors Whether that would be an convenient solution remains to be but certainly PHP makes such object oriented programming models easier than they were in previous versions For the time being MediaWiki programmers will have to work in an environment with some global context At the time of globals were initialised on startup by MediaWiki of these were configuration which are documented in DefaultSettings php There is no comprehensive documentation for the remaining however some of the most important ones are listed below They are typically initialised either in index php or in Setup php For a description of the see design txt $wgTitle Title object created from the request URL $wgOut OutputPage object for HTTP response $wgUser User object for the user associated with the current request $wgLang Language object selected by user preferences $wgContLang Language object associated with the wiki being viewed $wgParser Parser object Parser extensions register their hooks here $wgRequest WebRequest to get request data $messageMemc
Definition: globals.txt:25
$params
$params
Definition: styleTest.css.php:40
TitleBlacklist::destroySingleton
static destroySingleton()
Destroy/reset the current singleton instance.
Definition: TitleBlacklist.list.php:44
TitleBlacklistEntry::getErrorMessage
getErrorMessage( $operation)
Return the error message name for the blacklist entry.
Definition: TitleBlacklist.list.php:566
TitleBlacklistEntry::getParams
getParams()
Definition: TitleBlacklist.list.php:536
wfDebugLog
wfDebugLog( $logGroup, $text, $dest='all', array $context=[])
Send a line to a supplementary debug log file, if configured, or main debug log if not.
Definition: GlobalFunctions.php:1092
php
injection txt This is an overview of how MediaWiki makes use of dependency injection The design described here grew from the discussion of RFC T384 The term dependency this means that anything an object needs to operate should be injected from the the object itself should only know narrow no concrete implementation of the logic it relies on The requirement to inject everything typically results in an architecture that based on two main types of and essentially stateless service objects that use other service objects to operate on the value objects As of the beginning MediaWiki is only starting to use the DI approach Much of the code still relies on global state or direct resulting in a highly cyclical dependency which acts as the top level factory for services in MediaWiki which can be used to gain access to default instances of various services MediaWikiServices however also allows new services to be defined and default services to be redefined Services are defined or redefined by providing a callback the instantiator that will return a new instance of the service When it will create an instance of MediaWikiServices and populate it with the services defined in the files listed by thereby bootstrapping the DI framework Per $wgServiceWiringFiles lists includes ServiceWiring php
Definition: injection.txt:35
TitleBlacklistEntry::$mRegex
$mRegex
Regular expression to match.
Definition: TitleBlacklist.list.php:335
TitleBlacklistEntry::filtersNewAccounts
filtersNewAccounts()
Returns whether this entry is capable of filtering new accounts.
Definition: TitleBlacklist.list.php:359
MWException
MediaWiki exception.
Definition: MWException.php:26
wfMemcKey
wfMemcKey()
Make a cache key for the local wiki.
Definition: GlobalFunctions.php:2961
TitleBlacklistEntry::getRegex
getRegex()
Definition: TitleBlacklist.list.php:522
$title
namespace and then decline to actually register it file or subcat img or subcat $title
Definition: hooks.txt:934
TitleBlacklistEntry::$mFormatVersion
$mFormatVersion
Entry format version.
Definition: TitleBlacklist.list.php:335
WikiPage\factory
static factory(Title $title)
Create a WikiPage object of the appropriate class for the given title.
Definition: WikiPage.php:120
wfRestoreWarnings
wfRestoreWarnings()
Definition: GlobalFunctions.php:1982
TitleBlacklistEntry::$mSource
$mSource
Source of this entry.
Definition: TitleBlacklist.list.php:335
TitleBlacklist::getWhitelist
getWhitelist()
Get the current whitelist.
Definition: TitleBlacklist.list.php:262
$page
do that in ParserLimitReportFormat instead use this to modify the parameters of the image and a DIV can begin in one section and end in another Make sure your code can handle that case gracefully See the EditSectionClearerLink extension for an example zero but section is usually empty its values are the globals values before the output is cached $page
Definition: hooks.txt:2536
$matches
$matches
Definition: NoLocalSettings.php:24
TitleBlacklistEntry::matches
matches( $title, $action)
Check whether a user can perform the specified action on the specified Title.
Definition: TitleBlacklist.list.php:386
TitleBlacklistEntry::$mRaw
$mRaw
Raw line.
Definition: TitleBlacklist.list.php:335
TitleBlacklistEntry
Represents a title blacklist entry.
Definition: TitleBlacklist.list.php:333
$lines
$lines
Definition: router.php:67
TitleBlacklist::getBlacklist
getBlacklist()
Get the current blacklist.
Definition: TitleBlacklist.list.php:250
global
when a variable name is used in a it is silently declared as a new masking the global
Definition: design.txt:93
CoreParserFunctions\ns
static ns( $parser, $part1='')
Definition: CoreParserFunctions.php:137
TitleBlacklist::$mWhitelist
$mWhitelist
Definition: TitleBlacklist.list.php:19
list
deferred txt A few of the database updates required by various functions here can be deferred until after the result page is displayed to the user For updating the view updating the linked to tables after a etc PHP does not yet have any way to tell the server to actually return and disconnect while still running these but it might have such a feature in the future We handle these by creating a deferred update object and putting those objects on a global list
Definition: deferred.txt:11
Http\get
static get( $url, $options=[], $caller=__METHOD__)
Simple wrapper for Http::request( 'GET' )
Definition: Http.php:98
$line
$line
Definition: cdb.php:58
TitleBlacklist::getHttp
static getHttp( $url)
Get the text of a blacklist source via HTTP.
Definition: TitleBlacklist.list.php:275
$e
div flags Integer display flags(NO_ACTION_LINK, NO_EXTRA_USER_LINKS) 'LogException' returning false will NOT prevent logging $e
Definition: hooks.txt:2122
TitleBlacklistEntry::newFromString
static newFromString( $line, $source)
Create a new TitleBlacklistEntry from a line of text.
Definition: TitleBlacklist.list.php:452
TitleBlacklist::userCannot
userCannot( $title, $user, $action='edit', $override=true)
Check whether the blacklist restricts given user performing a specific action on the given Title.
Definition: TitleBlacklist.list.php:172
TitleBlacklistEntry::$mParams
$mParams
Parameters for this entry.
Definition: TitleBlacklist.list.php:335
TitleBlacklist::VERSION
const VERSION
Definition: TitleBlacklist.list.php:24
TitleBlacklistEntry::__construct
__construct( $regex, $params, $raw, $source)
Construct a new TitleBlacklistEntry.
Definition: TitleBlacklist.list.php:348
TitleBlacklist::parseBlacklist
static parseBlacklist( $list, $sourceName)
Parse blacklist from a string.
Definition: TitleBlacklist.list.php:148
TitleBlacklist::getBlacklistText
static getBlacklistText( $source)
Get the text of a blacklist from a specified source.
Definition: TitleBlacklist.list.php:104
TitleBlacklist::loadWhitelist
loadWhitelist()
Load local whitelist.
Definition: TitleBlacklist.list.php:84
TitleBlacklist::userCanOverride
static userCanOverride( $user, $action)
Inidcates whether user can override blacklist on certain action.
Definition: TitleBlacklist.list.php:323
TitleBlacklist::invalidate
invalidate()
Invalidate the blacklist cache.
Definition: TitleBlacklist.list.php:292
Title
Represents a title within MediaWiki.
Definition: Title.php:39
TitleBlacklist::isWhitelisted
isWhitelisted( $title, $action='edit')
Check whether it has been explicitly whitelisted that the current User may perform a specific action ...
Definition: TitleBlacklist.list.php:232
ContentHandler\getContentText
static getContentText(Content $content=null)
Convenience function for getting flat text from a Content object.
Definition: ContentHandler.php:79
TitleBlacklist::load
load()
Load all configured blacklist sources.
Definition: TitleBlacklist.list.php:59
$cache
$cache
Definition: mcc.php:33
ObjectCache\getMainWANInstance
static getMainWANInstance()
Get the main WAN cache object.
Definition: ObjectCache.php:370
TitleBlacklist::$instance
static TitleBlacklist $instance
Definition: TitleBlacklist.list.php:22
as
This document is intended to provide useful advice for parties seeking to redistribute MediaWiki to end users It s targeted particularly at maintainers for Linux since it s been observed that distribution packages of MediaWiki often break We ve consistently had to recommend that users seeking support use official tarballs instead of their distribution s and this often solves whatever problem the user is having It would be nice if this could such as
Definition: distributors.txt:9
$source
$source
Definition: mwdoc-filter.php:45
TitleBlacklist::$mBlacklist
$mBlacklist
Definition: TitleBlacklist.list.php:19
wfMessage
either a unescaped string or a HtmlArmor object after in associative array form externallinks including delete and has completed for all link tables whether this was an auto creation default is conds Array Extra conditions for the No matching items in log is displayed if loglist is empty msgKey Array If you want a nice box with a set this to the key of the message First element is the message additional optional elements are parameters for the key that are processed with wfMessage() -> params() ->parseAsBlock() - offset Set to overwrite offset parameter in $wgRequest set to '' to unset offset - wrap String Wrap the message in html(usually something like "&lt
TitleBlacklist
Implements a title blacklist for MediaWiki.
Definition: TitleBlacklist.list.php:18
NS_MEDIAWIKI
const NS_MEDIAWIKI
Definition: Defines.php:70
TitleBlacklist::isBlacklisted
isBlacklisted( $title, $action='edit')
Check whether the blacklist restricts performing a specific action on the given Title.
Definition: TitleBlacklist.list.php:196
$options
this hook is for auditing only RecentChangesLinked and Watchlist RecentChangesLinked and Watchlist Do not use this to implement individual filters if they are compatible with the ChangesListFilter and ChangesListFilterGroup structure use sub classes of those in conjunction with the ChangesListSpecialPageStructuredFilters hook This hook can be used to implement filters that do not implement that or custom behavior that is not an individual filter e g Watchlist and Watchlist you will want to construct new ChangesListBooleanFilter or ChangesListStringOptionsFilter objects When constructing you specify which group they belong to You can reuse existing or create your you must register them with $special registerFilterGroup removed from all revisions and log entries to which it was applied This gives extensions a chance to take it off their books as the deletion has already been partly carried out by this point or something similar the user will be unable to create the tag set and then return false from the hook function Ensure you consume the ChangeTagAfterDelete hook to carry out custom deletion actions as context called by AbstractContent::getParserOutput May be used to override the normal model specific rendering of page content as context as context $options
Definition: hooks.txt:1049
array
the array() calling protocol came about after MediaWiki 1.4rc1.