Fix/suppress misc phan errors (#5)
[lhc/web/wiklou.git] / includes / specials / SpecialEmailuser.php
1 <?php
2 /**
3 * Implements Special:Emailuser
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 * @ingroup SpecialPage
22 */
23 use MediaWiki\MediaWikiServices;
24 use MediaWiki\Preferences\MultiUsernameFilter;
25
26 /**
27 * A special page that allows users to send e-mails to other users
28 *
29 * @ingroup SpecialPage
30 */
31 class SpecialEmailUser extends UnlistedSpecialPage {
32 protected $mTarget;
33
34 /**
35 * @var User|string $mTargetObj
36 */
37 protected $mTargetObj;
38
39 public function __construct() {
40 parent::__construct( 'Emailuser' );
41 }
42
43 public function doesWrites() {
44 return true;
45 }
46
47 public function getDescription() {
48 $target = self::getTarget( $this->mTarget, $this->getUser() );
49 if ( !$target instanceof User ) {
50 return $this->msg( 'emailuser-title-notarget' )->text();
51 }
52
53 return $this->msg( 'emailuser-title-target', $target->getName() )->text();
54 }
55
56 protected function getFormFields() {
57 $linkRenderer = $this->getLinkRenderer();
58 return [
59 'From' => [
60 'type' => 'info',
61 'raw' => 1,
62 'default' => $linkRenderer->makeLink(
63 $this->getUser()->getUserPage(),
64 $this->getUser()->getName()
65 ),
66 'label-message' => 'emailfrom',
67 'id' => 'mw-emailuser-sender',
68 ],
69 'To' => [
70 'type' => 'info',
71 'raw' => 1,
72 'default' => $linkRenderer->makeLink(
73 $this->mTargetObj->getUserPage(),
74 $this->mTargetObj->getName()
75 ),
76 'label-message' => 'emailto',
77 'id' => 'mw-emailuser-recipient',
78 ],
79 'Target' => [
80 'type' => 'hidden',
81 'default' => $this->mTargetObj->getName(),
82 ],
83 'Subject' => [
84 'type' => 'text',
85 'default' => $this->msg( 'defemailsubject',
86 $this->getUser()->getName() )->inContentLanguage()->text(),
87 'label-message' => 'emailsubject',
88 'maxlength' => 200,
89 'size' => 60,
90 'required' => true,
91 ],
92 'Text' => [
93 'type' => 'textarea',
94 'rows' => 20,
95 'label-message' => 'emailmessage',
96 'required' => true,
97 ],
98 'CCMe' => [
99 'type' => 'check',
100 'label-message' => 'emailccme',
101 'default' => $this->getUser()->getBoolOption( 'ccmeonemails' ),
102 ],
103 ];
104 }
105
106 public function execute( $par ) {
107 $out = $this->getOutput();
108 $request = $this->getRequest();
109 $out->addModuleStyles( 'mediawiki.special' );
110
111 $this->mTarget = $par ?? $request->getVal( 'wpTarget', $request->getVal( 'target', '' ) );
112
113 // Make sure, that HTMLForm uses the correct target.
114 $request->setVal( 'wpTarget', $this->mTarget );
115
116 // This needs to be below assignment of $this->mTarget because
117 // getDescription() needs it to determine the correct page title.
118 $this->setHeaders();
119 $this->outputHeader();
120
121 // error out if sending user cannot do this
122 $error = self::getPermissionsError(
123 $this->getUser(),
124 $this->getRequest()->getVal( 'wpEditToken' ),
125 $this->getConfig()
126 );
127
128 switch ( $error ) {
129 case null:
130 # Wahey!
131 break;
132 case 'badaccess':
133 throw new PermissionsError( 'sendemail' );
134 case 'blockedemailuser':
135 throw $this->getBlockedEmailError();
136 case 'actionthrottledtext':
137 throw new ThrottledError;
138 case 'mailnologin':
139 case 'usermaildisabled':
140 throw new ErrorPageError( $error, "{$error}text" );
141 default:
142 # It's a hook error
143 list( $title, $msg, $params ) = $error;
144 throw new ErrorPageError( $title, $msg, $params );
145 }
146
147 // Make sure, that a submitted form isn't submitted to a subpage (which could be
148 // a non-existing username)
149 $context = new DerivativeContext( $this->getContext() );
150 $context->setTitle( $this->getPageTitle() ); // Remove subpage
151 $this->setContext( $context );
152
153 // A little hack: HTMLForm will check $this->mTarget only, if the form was posted, not
154 // if the user opens Special:EmailUser/Florian (e.g.). So check, if the user did that
155 // and show the "Send email to user" form directly, if so. Show the "enter username"
156 // form, otherwise.
157 $this->mTargetObj = self::getTarget( $this->mTarget, $this->getUser() );
158 if ( !$this->mTargetObj instanceof User ) {
159 $this->userForm( $this->mTarget );
160 } else {
161 $this->sendEmailForm();
162 }
163 }
164
165 /**
166 * Validate target User
167 *
168 * @param string $target Target user name
169 * @param User|null $sender User sending the email
170 * @return User|string User object on success or a string on error
171 */
172 public static function getTarget( $target, User $sender = null ) {
173 if ( $sender === null ) {
174 wfDeprecated( __METHOD__ . ' without specifying the sending user', '1.30' );
175 }
176
177 if ( $target == '' ) {
178 wfDebug( "Target is empty.\n" );
179
180 return 'notarget';
181 }
182
183 $nu = User::newFromName( $target );
184 $error = self::validateTarget( $nu, $sender );
185
186 return $error ?: $nu;
187 }
188
189 /**
190 * Validate target User
191 *
192 * @param User $target Target user
193 * @param User|null $sender User sending the email
194 * @return string Error message or empty string if valid.
195 * @since 1.30
196 */
197 public static function validateTarget( $target, User $sender = null ) {
198 if ( $sender === null ) {
199 wfDeprecated( __METHOD__ . ' without specifying the sending user', '1.30' );
200 }
201
202 if ( !$target instanceof User || !$target->getId() ) {
203 wfDebug( "Target is invalid user.\n" );
204
205 return 'notarget';
206 }
207
208 if ( !$target->isEmailConfirmed() ) {
209 wfDebug( "User has no valid email.\n" );
210
211 return 'noemail';
212 }
213
214 if ( !$target->canReceiveEmail() ) {
215 wfDebug( "User does not allow user emails.\n" );
216
217 return 'nowikiemail';
218 }
219
220 if ( $sender !== null && !$target->getOption( 'email-allow-new-users' ) &&
221 $sender->isNewbie()
222 ) {
223 wfDebug( "User does not allow user emails from new users.\n" );
224
225 return 'nowikiemail';
226 }
227
228 if ( $sender !== null ) {
229 $blacklist = $target->getOption( 'email-blacklist', '' );
230 if ( $blacklist ) {
231 $blacklist = MultiUsernameFilter::splitIds( $blacklist );
232 $lookup = CentralIdLookup::factory();
233 $senderId = $lookup->centralIdFromLocalUser( $sender );
234 if ( $senderId !== 0 && in_array( $senderId, $blacklist ) ) {
235 wfDebug( "User does not allow user emails from this user.\n" );
236
237 return 'nowikiemail';
238 }
239 }
240 }
241
242 return '';
243 }
244
245 /**
246 * Check whether a user is allowed to send email
247 *
248 * @param User $user
249 * @param string $editToken Edit token
250 * @param Config|null $config optional for backwards compatibility
251 * @return string|null Null on success or string on error
252 */
253 public static function getPermissionsError( $user, $editToken, Config $config = null ) {
254 if ( $config === null ) {
255 wfDebug( __METHOD__ . ' called without a Config instance passed to it' );
256 $config = MediaWikiServices::getInstance()->getMainConfig();
257 }
258 if ( !$config->get( 'EnableEmail' ) || !$config->get( 'EnableUserEmail' ) ) {
259 return 'usermaildisabled';
260 }
261
262 // Run this before $user->isAllowed, to show appropriate message to anons (T160309)
263 if ( !$user->isEmailConfirmed() ) {
264 return 'mailnologin';
265 }
266
267 if ( !$user->isAllowed( 'sendemail' ) ) {
268 return 'badaccess';
269 }
270
271 if ( $user->isBlockedFromEmailuser() ) {
272 wfDebug( "User is blocked from sending e-mail.\n" );
273
274 return "blockedemailuser";
275 }
276
277 // Check the ping limiter without incrementing it - we'll check it
278 // again later and increment it on a successful send
279 if ( $user->pingLimiter( 'emailuser', 0 ) ) {
280 wfDebug( "Ping limiter triggered.\n" );
281
282 return 'actionthrottledtext';
283 }
284
285 $hookErr = false;
286
287 Hooks::run( 'UserCanSendEmail', [ &$user, &$hookErr ] );
288 Hooks::run( 'EmailUserPermissionsErrors', [ $user, $editToken, &$hookErr ] );
289
290 if ( $hookErr ) {
291 return $hookErr;
292 }
293
294 return null;
295 }
296
297 /**
298 * Form to ask for target user name.
299 *
300 * @param string $name User name submitted.
301 */
302 protected function userForm( $name ) {
303 $htmlForm = HTMLForm::factory( 'ooui', [
304 'Target' => [
305 'type' => 'user',
306 'exists' => true,
307 'label' => $this->msg( 'emailusername' )->text(),
308 'id' => 'emailusertarget',
309 'autofocus' => true,
310 'value' => $name,
311 ]
312 ], $this->getContext() );
313
314 $htmlForm
315 ->setMethod( 'post' )
316 ->setSubmitCallback( [ $this, 'sendEmailForm' ] )
317 ->setFormIdentifier( 'userForm' )
318 ->setId( 'askusername' )
319 ->setWrapperLegendMsg( 'emailtarget' )
320 ->setSubmitTextMsg( 'emailusernamesubmit' )
321 ->show();
322 }
323
324 public function sendEmailForm() {
325 $out = $this->getOutput();
326
327 $ret = $this->mTargetObj;
328 if ( !$ret instanceof User ) {
329 if ( $this->mTarget != '' ) {
330 // Messages used here: notargettext, noemailtext, nowikiemailtext
331 $ret = ( $ret == 'notarget' ) ? 'emailnotarget' : ( $ret . 'text' );
332 return Status::newFatal( $ret );
333 }
334 return false;
335 }
336
337 $htmlForm = HTMLForm::factory( 'ooui', $this->getFormFields(), $this->getContext() );
338 // By now we are supposed to be sure that $this->mTarget is a user name
339 $htmlForm
340 ->addPreText( $this->msg( 'emailpagetext', $this->mTarget )->parse() )
341 ->setSubmitTextMsg( 'emailsend' )
342 ->setSubmitCallback( [ __CLASS__, 'submit' ] )
343 ->setFormIdentifier( 'sendEmailForm' )
344 ->setWrapperLegendMsg( 'email-legend' )
345 ->loadData();
346
347 if ( !Hooks::run( 'EmailUserForm', [ &$htmlForm ] ) ) {
348 return false;
349 }
350
351 $result = $htmlForm->show();
352
353 if ( $result === true || ( $result instanceof Status && $result->isGood() ) ) {
354 $out->setPageTitle( $this->msg( 'emailsent' ) );
355 $out->addWikiMsg( 'emailsenttext', $this->mTarget );
356 $out->returnToMain( false, $ret->getUserPage() );
357 }
358 return true;
359 }
360
361 /**
362 * Really send a mail. Permissions should have been checked using
363 * getPermissionsError(). It is probably also a good
364 * idea to check the edit token and ping limiter in advance.
365 *
366 * @param array $data
367 * @param IContextSource $context
368 * @return Status|bool
369 */
370 public static function submit( array $data, IContextSource $context ) {
371 $config = $context->getConfig();
372
373 $target = self::getTarget( $data['Target'], $context->getUser() );
374 if ( !$target instanceof User ) {
375 // Messages used here: notargettext, noemailtext, nowikiemailtext
376 return Status::newFatal( $target . 'text' );
377 }
378
379 $to = MailAddress::newFromUser( $target );
380 $from = MailAddress::newFromUser( $context->getUser() );
381 $subject = $data['Subject'];
382 $text = $data['Text'];
383
384 // Add a standard footer and trim up trailing newlines
385 $text = rtrim( $text ) . "\n\n-- \n";
386 $text .= $context->msg( 'emailuserfooter',
387 $from->name, $to->name )->inContentLanguage()->text();
388
389 // Check and increment the rate limits
390 if ( $context->getUser()->pingLimiter( 'emailuser' ) ) {
391 throw new ThrottledError();
392 }
393
394 $error = false;
395 if ( !Hooks::run( 'EmailUser', [ &$to, &$from, &$subject, &$text, &$error ] ) ) {
396 if ( $error instanceof Status ) {
397 return $error;
398 } elseif ( $error === false || $error === '' || $error === [] ) {
399 // Possibly to tell HTMLForm to pretend there was no submission?
400 return false;
401 } elseif ( $error === true ) {
402 // Hook sent the mail itself and indicates success?
403 return Status::newGood();
404 } elseif ( is_array( $error ) ) {
405 $status = Status::newGood();
406 foreach ( $error as $e ) {
407 $status->fatal( $e );
408 }
409 return $status;
410 } elseif ( $error instanceof MessageSpecifier ) {
411 return Status::newFatal( $error );
412 } else {
413 // Ugh. Either a raw HTML string, or something that's supposed
414 // to be treated like one.
415 $type = is_object( $error ) ? get_class( $error ) : gettype( $error );
416 wfDeprecated( "EmailUser hook returning a $type as \$error", '1.29' );
417 return Status::newFatal( new ApiRawMessage(
418 [ '$1', Message::rawParam( (string)$error ) ], 'hookaborted'
419 ) );
420 }
421 }
422
423 if ( $config->get( 'UserEmailUseReplyTo' ) ) {
424 /**
425 * Put the generic wiki autogenerated address in the From:
426 * header and reserve the user for Reply-To.
427 *
428 * This is a bit ugly, but will serve to differentiate
429 * wiki-borne mails from direct mails and protects against
430 * SPF and bounce problems with some mailers (see below).
431 */
432 $mailFrom = new MailAddress( $config->get( 'PasswordSender' ),
433 $context->msg( 'emailsender' )->inContentLanguage()->text() );
434 $replyTo = $from;
435 } else {
436 /**
437 * Put the sending user's e-mail address in the From: header.
438 *
439 * This is clean-looking and convenient, but has issues.
440 * One is that it doesn't as clearly differentiate the wiki mail
441 * from "directly" sent mails.
442 *
443 * Another is that some mailers (like sSMTP) will use the From
444 * address as the envelope sender as well. For open sites this
445 * can cause mails to be flunked for SPF violations (since the
446 * wiki server isn't an authorized sender for various users'
447 * domains) as well as creating a privacy issue as bounces
448 * containing the recipient's e-mail address may get sent to
449 * the sending user.
450 */
451 $mailFrom = $from;
452 $replyTo = null;
453 }
454
455 $status = UserMailer::send( $to, $mailFrom, $subject, $text, [
456 'replyTo' => $replyTo,
457 ] );
458
459 if ( !$status->isGood() ) {
460 return $status;
461 } else {
462 // if the user requested a copy of this mail, do this now,
463 // unless they are emailing themselves, in which case one
464 // copy of the message is sufficient.
465 if ( $data['CCMe'] && $to != $from ) {
466 $ccTo = $from;
467 $ccFrom = $from;
468 $ccSubject = $context->msg( 'emailccsubject' )->plaintextParams(
469 $target->getName(), $subject )->text();
470 $ccText = $text;
471
472 Hooks::run( 'EmailUserCC', [ &$ccTo, &$ccFrom, &$ccSubject, &$ccText ] );
473
474 if ( $config->get( 'UserEmailUseReplyTo' ) ) {
475 $mailFrom = new MailAddress(
476 $config->get( 'PasswordSender' ),
477 $context->msg( 'emailsender' )->inContentLanguage()->text()
478 );
479 $replyTo = $ccFrom;
480 } else {
481 $mailFrom = $ccFrom;
482 $replyTo = null;
483 }
484
485 $ccStatus = UserMailer::send(
486 $ccTo, $mailFrom, $ccSubject, $ccText, [
487 'replyTo' => $replyTo,
488 ] );
489 $status->merge( $ccStatus );
490 }
491
492 Hooks::run( 'EmailUserComplete', [ $to, $from, $subject, $text ] );
493
494 return $status;
495 }
496 }
497
498 /**
499 * Return an array of subpages beginning with $search that this special page will accept.
500 *
501 * @param string $search Prefix to search for
502 * @param int $limit Maximum number of results to return (usually 10)
503 * @param int $offset Number of results to skip (usually 0)
504 * @return string[] Matching subpages
505 */
506 public function prefixSearchSubpages( $search, $limit, $offset ) {
507 $user = User::newFromName( $search );
508 if ( !$user ) {
509 // No prefix suggestion for invalid user
510 return [];
511 }
512 // Autocomplete subpage as user list - public to allow caching
513 return UserNamePrefixSearch::search( 'public', $search, $limit, $offset );
514 }
515
516 protected function getGroupName() {
517 return 'users';
518 }
519
520 /**
521 * Builds an error message based on the block params
522 *
523 * @return ErrorPageError
524 */
525 private function getBlockedEmailError() {
526 $block = $this->getUser()->mBlock;
527 $params = $block->getBlockErrorParams( $this->getContext() );
528
529 $msg = $block->isSitewide() ? 'blockedtext' : 'blocked-email-user';
530 return new ErrorPageError( 'blockedtitle', $msg, $params );
531 }
532 }