MediaWiki  1.23.12
SpecialEmailuser.php
Go to the documentation of this file.
1 <?php
30  protected $mTarget;
31 
35  protected $mTargetObj;
36 
37  public function __construct() {
38  parent::__construct( 'Emailuser' );
39  }
40 
41  public function getDescription() {
42  $target = self::getTarget( $this->mTarget );
43  if ( !$target instanceof User ) {
44  return $this->msg( 'emailuser-title-notarget' )->text();
45  }
46 
47  return $this->msg( 'emailuser-title-target', $target->getName() )->text();
48  }
49 
50  protected function getFormFields() {
51  return array(
52  'From' => array(
53  'type' => 'info',
54  'raw' => 1,
55  'default' => Linker::link(
56  $this->getUser()->getUserPage(),
57  htmlspecialchars( $this->getUser()->getName() )
58  ),
59  'label-message' => 'emailfrom',
60  'id' => 'mw-emailuser-sender',
61  ),
62  'To' => array(
63  'type' => 'info',
64  'raw' => 1,
65  'default' => Linker::link(
66  $this->mTargetObj->getUserPage(),
67  htmlspecialchars( $this->mTargetObj->getName() )
68  ),
69  'label-message' => 'emailto',
70  'id' => 'mw-emailuser-recipient',
71  ),
72  'Target' => array(
73  'type' => 'hidden',
74  'default' => $this->mTargetObj->getName(),
75  ),
76  'Subject' => array(
77  'type' => 'text',
78  'default' => $this->msg( 'defemailsubject',
79  $this->getUser()->getName() )->inContentLanguage()->text(),
80  'label-message' => 'emailsubject',
81  'maxlength' => 200,
82  'size' => 60,
83  'required' => true,
84  ),
85  'Text' => array(
86  'type' => 'textarea',
87  'rows' => 20,
88  'cols' => 80,
89  'label-message' => 'emailmessage',
90  'required' => true,
91  ),
92  'CCMe' => array(
93  'type' => 'check',
94  'label-message' => 'emailccme',
95  'default' => $this->getUser()->getBoolOption( 'ccmeonemails' ),
96  ),
97  );
98  }
99 
100  public function execute( $par ) {
101  $out = $this->getOutput();
102  $out->addModuleStyles( 'mediawiki.special' );
103 
104  $this->mTarget = is_null( $par )
105  ? $this->getRequest()->getVal( 'wpTarget', $this->getRequest()->getVal( 'target', '' ) )
106  : $par;
107 
108  // This needs to be below assignment of $this->mTarget because
109  // getDescription() needs it to determine the correct page title.
110  $this->setHeaders();
111  $this->outputHeader();
112 
113  // error out if sending user cannot do this
115  $this->getUser(),
116  $this->getRequest()->getVal( 'wpEditToken' )
117  );
118 
119  switch ( $error ) {
120  case null:
121  # Wahey!
122  break;
123  case 'badaccess':
124  throw new PermissionsError( 'sendemail' );
125  case 'blockedemailuser':
126  throw new UserBlockedError( $this->getUser()->mBlock );
127  case 'actionthrottledtext':
128  throw new ThrottledError;
129  case 'mailnologin':
130  case 'usermaildisabled':
131  throw new ErrorPageError( $error, "{$error}text" );
132  default:
133  # It's a hook error
134  list( $title, $msg, $params ) = $error;
135  throw new ErrorPageError( $title, $msg, $params );
136  }
137  // Got a valid target user name? Else ask for one.
138  $ret = self::getTarget( $this->mTarget );
139  if ( !$ret instanceof User ) {
140  if ( $this->mTarget != '' ) {
141  // Messages used here: notargettext, noemailtext, nowikiemailtext
142  $ret = ( $ret == 'notarget' ) ? 'emailnotarget' : ( $ret . 'text' );
143  $out->wrapWikiMsg( "<p class='error'>$1</p>", $ret );
144  }
145  $out->addHTML( $this->userForm( $this->mTarget ) );
146 
147  return;
148  }
149 
150  $this->mTargetObj = $ret;
151 
152  $context = new DerivativeContext( $this->getContext() );
153  $context->setTitle( $this->getPageTitle() ); // Remove subpage
154  $form = new HTMLForm( $this->getFormFields(), $context );
155  // By now we are supposed to be sure that $this->mTarget is a user name
156  $form->addPreText( $this->msg( 'emailpagetext', $this->mTarget )->parse() );
157  $form->setSubmitTextMsg( 'emailsend' );
158  $form->setSubmitCallback( array( __CLASS__, 'uiSubmit' ) );
159  $form->setWrapperLegendMsg( 'email-legend' );
160  $form->loadData();
161 
162  if ( !wfRunHooks( 'EmailUserForm', array( &$form ) ) ) {
163  return;
164  }
165 
166  $result = $form->show();
167 
168  if ( $result === true || ( $result instanceof Status && $result->isGood() ) ) {
169  $out->setPageTitle( $this->msg( 'emailsent' ) );
170  $out->addWikiMsg( 'emailsenttext', $this->mTarget );
171  $out->returnToMain( false, $this->mTargetObj->getUserPage() );
172  }
173  }
174 
181  public static function getTarget( $target ) {
182  if ( $target == '' ) {
183  wfDebug( "Target is empty.\n" );
184 
185  return 'notarget';
186  }
187 
188  $nu = User::newFromName( $target );
189  if ( !$nu instanceof User || !$nu->getId() ) {
190  wfDebug( "Target is invalid user.\n" );
191 
192  return 'notarget';
193  } elseif ( !$nu->isEmailConfirmed() ) {
194  wfDebug( "User has no valid email.\n" );
195 
196  return 'noemail';
197  } elseif ( !$nu->canReceiveEmail() ) {
198  wfDebug( "User does not allow user emails.\n" );
199 
200  return 'nowikiemail';
201  }
202 
203  return $nu;
204  }
205 
213  public static function getPermissionsError( $user, $editToken ) {
214  global $wgEnableEmail, $wgEnableUserEmail;
215 
216  if ( !$wgEnableEmail || !$wgEnableUserEmail ) {
217  return 'usermaildisabled';
218  }
219 
220  if ( !$user->isAllowed( 'sendemail' ) ) {
221  return 'badaccess';
222  }
223 
224  if ( !$user->isEmailConfirmed() ) {
225  return 'mailnologin';
226  }
227 
228  if ( $user->isBlockedFromEmailuser() ) {
229  wfDebug( "User is blocked from sending e-mail.\n" );
230 
231  return "blockedemailuser";
232  }
233 
234  if ( $user->pingLimiter( 'emailuser' ) ) {
235  wfDebug( "Ping limiter triggered.\n" );
236 
237  return 'actionthrottledtext';
238  }
239 
240  $hookErr = false;
241 
242  wfRunHooks( 'UserCanSendEmail', array( &$user, &$hookErr ) );
243  wfRunHooks( 'EmailUserPermissionsErrors', array( $user, $editToken, &$hookErr ) );
244 
245  if ( $hookErr ) {
246  return $hookErr;
247  }
248 
249  return null;
250  }
251 
258  protected function userForm( $name ) {
259  global $wgScript;
260  $string = Xml::openElement(
261  'form',
262  array( 'method' => 'get', 'action' => $wgScript, 'id' => 'askusername' )
263  ) .
264  Html::hidden( 'title', $this->getPageTitle()->getPrefixedText() ) .
265  Xml::openElement( 'fieldset' ) .
266  Html::rawElement( 'legend', null, $this->msg( 'emailtarget' )->parse() ) .
268  $this->msg( 'emailusername' )->text(),
269  'target',
270  'emailusertarget',
271  30,
272  $name
273  ) .
274  ' ' .
275  Xml::submitButton( $this->msg( 'emailusernamesubmit' )->text() ) .
276  Xml::closeElement( 'fieldset' ) .
277  Xml::closeElement( 'form' ) . "\n";
278 
279  return $string;
280  }
281 
290  public static function uiSubmit( array $data, HTMLForm $form ) {
291  return self::submit( $data, $form->getContext() );
292  }
293 
304  public static function submit( array $data, IContextSource $context ) {
305  global $wgUserEmailUseReplyTo;
306 
307  $target = self::getTarget( $data['Target'] );
308  if ( !$target instanceof User ) {
309  // Messages used here: notargettext, noemailtext, nowikiemailtext
310  return $context->msg( $target . 'text' )->parseAsBlock();
311  }
312 
313  $to = new MailAddress( $target );
314  $from = new MailAddress( $context->getUser() );
315  $subject = $data['Subject'];
316  $text = $data['Text'];
317 
318  // Add a standard footer and trim up trailing newlines
319  $text = rtrim( $text ) . "\n\n-- \n";
320  $text .= $context->msg( 'emailuserfooter',
321  $from->name, $to->name )->inContentLanguage()->text();
322 
323  $error = '';
324  if ( !wfRunHooks( 'EmailUser', array( &$to, &$from, &$subject, &$text, &$error ) ) ) {
325  return $error;
326  }
327 
328  if ( $wgUserEmailUseReplyTo ) {
329  // Put the generic wiki autogenerated address in the From:
330  // header and reserve the user for Reply-To.
331  //
332  // This is a bit ugly, but will serve to differentiate
333  // wiki-borne mails from direct mails and protects against
334  // SPF and bounce problems with some mailers (see below).
335  global $wgPasswordSender;
336 
337  $mailFrom = new MailAddress( $wgPasswordSender,
338  wfMessage( 'emailsender' )->inContentLanguage()->text() );
339  $replyTo = $from;
340  } else {
341  // Put the sending user's e-mail address in the From: header.
342  //
343  // This is clean-looking and convenient, but has issues.
344  // One is that it doesn't as clearly differentiate the wiki mail
345  // from "directly" sent mails.
346  //
347  // Another is that some mailers (like sSMTP) will use the From
348  // address as the envelope sender as well. For open sites this
349  // can cause mails to be flunked for SPF violations (since the
350  // wiki server isn't an authorized sender for various users'
351  // domains) as well as creating a privacy issue as bounces
352  // containing the recipient's e-mail address may get sent to
353  // the sending user.
354  $mailFrom = $from;
355  $replyTo = null;
356  }
357 
358  $status = UserMailer::send( $to, $mailFrom, $subject, $text, $replyTo );
359 
360  if ( !$status->isGood() ) {
361  return $status;
362  } else {
363  // if the user requested a copy of this mail, do this now,
364  // unless they are emailing themselves, in which case one
365  // copy of the message is sufficient.
366  if ( $data['CCMe'] && $to != $from ) {
367  $cc_subject = $context->msg( 'emailccsubject' )->rawParams(
368  $target->getName(), $subject )->text();
369  wfRunHooks( 'EmailUserCC', array( &$from, &$from, &$cc_subject, &$text ) );
370  $ccStatus = UserMailer::send( $from, $from, $cc_subject, $text );
371  $status->merge( $ccStatus );
372  }
373 
374  wfRunHooks( 'EmailUserComplete', array( $to, $from, $subject, $text ) );
375 
376  return $status;
377  }
378  }
379 
380  protected function getGroupName() {
381  return 'users';
382  }
383 }
SpecialPage\getPageTitle
getPageTitle( $subpage=false)
Get a self-referential title object.
Definition: SpecialPage.php:488
UserMailer\send
static send( $to, $from, $subject, $body, $replyto=null, $contentType='text/plain;charset=UTF-8')
This function will perform a direct (authenticated) login to a SMTP Server to use for mail relaying i...
Definition: UserMailer.php:163
SpecialEmailUser\__construct
__construct()
Definition: SpecialEmailuser.php:36
$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. $reader:XMLReader object $logInfo:Array of information Return false to stop further processing of the tag 'ImportHandlePageXMLTag':When parsing a XML tag in a page. $reader:XMLReader object $pageInfo:Array of information Return false to stop further processing of the tag 'ImportHandleRevisionXMLTag':When parsing a XML tag in a page revision. $reader:XMLReader object $pageInfo:Array of page information $revisionInfo:Array of revision information Return false to stop further processing of the tag 'ImportHandleToplevelXMLTag':When parsing a top level XML tag. $reader:XMLReader object Return false to stop further processing of the tag 'ImportHandleUploadXMLTag':When parsing a XML tag in a file upload. $reader:XMLReader object $revisionInfo:Array of information Return false to stop further processing of the tag '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 '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. '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 '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 '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 wfIsTrustedProxy() $ip:IP being check $result:Change this value to override the result of wfIsTrustedProxy() '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 User::isValidEmailAddr(), 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. '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 '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) '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:Associative array mapping language codes to prefixed links of the form "language:title". & $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. 'LinkBegin':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:1528
php
skin txt MediaWiki includes four core it has been set as the default in MediaWiki since the replacing Monobook it had been been the default skin since before being replaced by Vector largely rewritten in while keeping its appearance Several legacy skins were removed in the as the burden of supporting them became too heavy to bear Those in etc for skin dependent CSS etc for skin dependent JavaScript These can also be customised on a per user by etc This feature has led to a wide variety of user styles becoming that gallery is a good place to ending in php
Definition: skin.txt:62
User\getId
getId()
Get the user's ID.
Definition: User.php:1852
UserBlockedError
Show an error when the user tries to do something whilst blocked.
Definition: UserBlockedError.php:27
SpecialEmailUser\getPermissionsError
static getPermissionsError( $user, $editToken)
Check whether a user is allowed to send email.
Definition: SpecialEmailuser.php:212
SpecialPage\getOutput
getOutput()
Get the OutputPage being used for this instance.
Definition: SpecialPage.php:535
UnlistedSpecialPage
Shortcut to construct a special page which is unlisted by default.
Definition: UnlistedSpecialPage.php:29
SpecialEmailUser\userForm
userForm( $name)
Form to ask for target user name.
Definition: SpecialEmailuser.php:257
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
$form
usually copyright or history_copyright This message must be in HTML not wikitext $subpages will be ignored and the rest of subPageSubtitle() will run. 'SkinTemplateBuildNavUrlsNav_urlsAfterPermalink' whether MediaWiki currently thinks this is a CSS JS page Hooks may change this value to override the return value of Title::isCssOrJsPage(). 'TitleIsAlwaysKnown' whether MediaWiki currently thinks this page is known isMovable() always returns false. $title whether MediaWiki currently thinks this page is movable Hooks may change this value to override the return value of Title::isMovable(). 'TitleIsWikitextPage' whether MediaWiki currently thinks this is a wikitext page Hooks may change this value to override the return value of Title::isWikitextPage() 'TitleMove' use UploadVerification and UploadVerifyFile instead $form
Definition: hooks.txt:2578
SpecialEmailUser\uiSubmit
static uiSubmit(array $data, HTMLForm $form)
Submit callback for an HTMLForm object, will simply call submit().
Definition: SpecialEmailuser.php:289
$ret
null means default in associative array with keys and values unescaped Should be merged with default with a value of false meaning to suppress the attribute in associative array with keys and values unescaped noclasses & $ret
Definition: hooks.txt:1530
$from
$from
Definition: importImages.php:90
$params
$params
Definition: styleTest.css.php:40
IContextSource\msg
msg()
Get a Message object with context set.
User\newFromName
static newFromName( $name, $validate='valid')
Static factory method for creation from username.
Definition: User.php:389
Html\hidden
static hidden( $name, $value, $attribs=array())
Convenience function to produce an input element with type=hidden.
Definition: Html.php:665
PermissionsError
Show an error when a user tries to do something they do not have the necessary permissions for.
Definition: PermissionsError.php:28
SpecialPage\getName
getName()
Get the name of this Special Page.
Definition: SpecialPage.php:139
Xml\openElement
static openElement( $element, $attribs=null)
This opens an XML element.
Definition: Xml.php:109
SpecialEmailUser\execute
execute( $par)
Default execute method Checks user permissions, calls the function given in mFunction.
Definition: SpecialEmailuser.php:99
Status\isGood
isGood()
Returns whether the operation completed and didn't have any error or warnings.
Definition: Status.php:100
Linker\link
static link( $target, $html=null, $customAttribs=array(), $query=array(), $options=array())
This function returns an HTML link to the given target.
Definition: Linker.php:192
Status
Generic operation result class Has warning/error list, boolean status and arbitrary value.
Definition: Status.php:40
MailAddress
Stores a single person's name and email address.
Definition: UserMailer.php:32
DerivativeContext
An IContextSource implementation which will inherit context from another source but allow individual ...
Definition: DerivativeContext.php:32
SpecialEmailUser\getTarget
static getTarget( $target)
Validate target User.
Definition: SpecialEmailuser.php:180
$out
$out
Definition: UtfNormalGenerate.php:167
wfMessage
null means default in associative array with keys and values unescaped Should be merged with default with a value of false meaning to suppress the attribute in associative array with keys and values unescaped noclasses just before the function returns a value If you return an< a > element with HTML attributes $attribs and contents $html will be returned If you return $ret will be returned and may include noclasses after processing after in associative array form externallinks including delete and has completed for all link tables 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
wfRunHooks
wfRunHooks( $event, array $args=array(), $deprecatedVersion=null)
Call hook functions defined in $wgHooks.
Definition: GlobalFunctions.php:4058
ThrottledError
Show an error when the user hits a rate limit.
Definition: ThrottledError.php:27
SpecialEmailUser
A special page that allows users to send e-mails to other users.
Definition: SpecialEmailuser.php:29
array
the array() calling protocol came about after MediaWiki 1.4rc1.
List of Api Query prop modules.
SpecialPage\setHeaders
setHeaders()
Sets headers - this should be called from the execute() method of all derived classes!
Definition: SpecialPage.php:352
SpecialPage\getUser
getUser()
Shortcut to get the User executing this instance.
Definition: SpecialPage.php:545
Xml\inputLabel
static inputLabel( $label, $name, $id, $size=false, $value=false, $attribs=array())
Convenience function to build an HTML text input field with a label.
Definition: Xml.php:398
global
when a variable name is used in a it is silently declared as a new masking the global
Definition: design.txt:93
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
SpecialPage\getContext
getContext()
Gets the context this SpecialPage is executed in.
Definition: SpecialPage.php:508
wfDebug
wfDebug( $text, $dest='all')
Sends a line to the debug log if enabled or, optionally, to a comment in output.
Definition: GlobalFunctions.php:980
$title
presenting them properly to the user as errors is done by the caller $title
Definition: hooks.txt:1324
$name
Allows to change the fields on the form that will be generated $name
Definition: hooks.txt:336
SpecialPage\msg
msg()
Wrapper around wfMessage that sets the current context.
Definition: SpecialPage.php:609
SpecialPage\getRequest
getRequest()
Get the WebRequest being used for this instance.
Definition: SpecialPage.php:525
IContextSource\getUser
getUser()
Get the User object.
SpecialEmailUser\$mTargetObj
User string $mTargetObj
$mTargetObj
Definition: SpecialEmailuser.php:34
$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:237
SpecialEmailUser\getGroupName
getGroupName()
Under which header this special page is listed in Special:SpecialPages See messages 'specialpages-gro...
Definition: SpecialEmailuser.php:379
IContextSource
Interface for objects which can provide a context on request.
Definition: IContextSource.php:29
Xml\closeElement
static closeElement( $element)
Shortcut to close an XML element.
Definition: Xml.php:118
SpecialEmailUser\$mTarget
$mTarget
Definition: SpecialEmailuser.php:30
SpecialEmailUser\submit
static submit(array $data, IContextSource $context)
Really send a mail.
Definition: SpecialEmailuser.php:303
SpecialEmailUser\getFormFields
getFormFields()
Definition: SpecialEmailuser.php:49
Xml\submitButton
static submitButton( $value, $attribs=array())
Convenience function to build an HTML submit button.
Definition: Xml.php:463
$error
usually copyright or history_copyright This message must be in HTML not wikitext $subpages will be ignored and the rest of subPageSubtitle() will run. 'SkinTemplateBuildNavUrlsNav_urlsAfterPermalink' whether MediaWiki currently thinks this is a CSS JS page Hooks may change this value to override the return value of Title::isCssOrJsPage(). 'TitleIsAlwaysKnown' whether MediaWiki currently thinks this page is known isMovable() always returns false. $title whether MediaWiki currently thinks this page is movable Hooks may change this value to override the return value of Title::isMovable(). 'TitleIsWikitextPage' whether MediaWiki currently thinks this is a wikitext page Hooks may change this value to override the return value of Title::isWikitextPage() 'TitleMove' use UploadVerification and UploadVerifyFile instead where the first element is the message key and the remaining elements are used as parameters to the message based on mime etc Preferred in most cases over UploadVerification object with all info about the upload string as detected by MediaWiki Handlers will typically only apply for specific mime types object & $error
Definition: hooks.txt:2578
Html\rawElement
static rawElement( $element, $attribs=array(), $contents='')
Returns an HTML element in a string.
Definition: Html.php:124
ErrorPageError
An error page which can definitely be safely rendered using the OutputPage.
Definition: ErrorPageError.php:27
User
The User object encapsulates all of the user-specific settings (user_id, name, rights,...
Definition: User.php:59
SpecialPage\outputHeader
outputHeader( $summaryMessageKey='')
Outputs a summary message on top of special pages Per default the message key is the canonical name o...
Definition: SpecialPage.php:443
SpecialEmailUser\getDescription
getDescription()
Returns the name that goes in the <h1> in the special page itself, and also the name that will be lis...
Definition: SpecialEmailuser.php:40
HTMLForm
Object handling generic submission, CSRF protection, layout and other logic for UI forms.
Definition: HTMLForm.php:100