Merge "Create Special:NewSection special page"
[lhc/web/wiklou.git] / includes / specialpage / LoginSignupSpecialPage.php
1 <?php
2 /**
3 * Holds shared logic for login and account creation pages.
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
24 use MediaWiki\Auth\AuthenticationRequest;
25 use MediaWiki\Auth\AuthenticationResponse;
26 use MediaWiki\Auth\AuthManager;
27 use MediaWiki\Logger\LoggerFactory;
28 use MediaWiki\MediaWikiServices;
29 use MediaWiki\Session\SessionManager;
30 use Wikimedia\ScopedCallback;
31
32 /**
33 * Holds shared logic for login and account creation pages.
34 *
35 * @ingroup SpecialPage
36 */
37 abstract class LoginSignupSpecialPage extends AuthManagerSpecialPage {
38 protected $mReturnTo;
39 protected $mPosted;
40 protected $mAction;
41 protected $mLanguage;
42 protected $mReturnToQuery;
43 protected $mToken;
44 protected $mStickHTTPS;
45 protected $mFromHTTP;
46 protected $mEntryError = '';
47 protected $mEntryErrorType = 'error';
48
49 protected $mLoaded = false;
50 protected $mLoadedRequest = false;
51 protected $mSecureLoginUrl;
52
53 /** @var string */
54 protected $securityLevel;
55
56 /** @var bool True if the user if creating an account for someone else. Flag used for internal
57 * communication, only set at the very end.
58 */
59 protected $proxyAccountCreation;
60 /** @var User FIXME another flag for passing data. */
61 protected $targetUser;
62
63 /** @var HTMLForm */
64 protected $authForm;
65
66 abstract protected function isSignup();
67
68 /**
69 * @param bool $direct True if the action was successful just now; false if that happened
70 * pre-redirection (so this handler was called already)
71 * @param StatusValue|null $extraMessages
72 * @return void
73 */
74 abstract protected function successfulAction( $direct = false, $extraMessages = null );
75
76 /**
77 * Logs to the authmanager-stats channel.
78 * @param bool $success
79 * @param string|null $status Error message key
80 */
81 abstract protected function logAuthResult( $success, $status = null );
82
83 public function __construct( $name ) {
84 global $wgUseMediaWikiUIEverywhere;
85 parent::__construct( $name );
86
87 // Override UseMediaWikiEverywhere to true, to force login and create form to use mw ui
88 $wgUseMediaWikiUIEverywhere = true;
89 }
90
91 protected function setRequest( array $data, $wasPosted = null ) {
92 parent::setRequest( $data, $wasPosted );
93 $this->mLoadedRequest = false;
94 }
95
96 /**
97 * Load basic request parameters for this Special page.
98 * @param string $subPage
99 */
100 private function loadRequestParameters( $subPage ) {
101 if ( $this->mLoadedRequest ) {
102 return;
103 }
104 $this->mLoadedRequest = true;
105 $request = $this->getRequest();
106
107 $this->mPosted = $request->wasPosted();
108 $this->mIsReturn = $subPage === 'return';
109 $this->mAction = $request->getVal( 'action' );
110 $this->mFromHTTP = $request->getBool( 'fromhttp', false )
111 || $request->getBool( 'wpFromhttp', false );
112 $this->mStickHTTPS = ( !$this->mFromHTTP && $request->getProtocol() === 'https' )
113 || $request->getBool( 'wpForceHttps', false );
114 $this->mLanguage = $request->getText( 'uselang' );
115 $this->mReturnTo = $request->getVal( 'returnto', '' );
116 $this->mReturnToQuery = $request->getVal( 'returntoquery', '' );
117 }
118
119 /**
120 * Load data from request.
121 * @private
122 * @param string $subPage Subpage of Special:Userlogin
123 */
124 protected function load( $subPage ) {
125 global $wgSecureLogin;
126
127 $this->loadRequestParameters( $subPage );
128 if ( $this->mLoaded ) {
129 return;
130 }
131 $this->mLoaded = true;
132 $request = $this->getRequest();
133
134 $securityLevel = $this->getRequest()->getText( 'force' );
135 if (
136 $securityLevel && AuthManager::singleton()->securitySensitiveOperationStatus(
137 $securityLevel ) === AuthManager::SEC_REAUTH
138 ) {
139 $this->securityLevel = $securityLevel;
140 }
141
142 $this->loadAuth( $subPage );
143
144 $this->mToken = $request->getVal( $this->getTokenName() );
145
146 // Show an error or warning passed on from a previous page
147 $entryError = $this->msg( $request->getVal( 'error', '' ) );
148 $entryWarning = $this->msg( $request->getVal( 'warning', '' ) );
149 // bc: provide login link as a parameter for messages where the translation
150 // was not updated
151 $loginreqlink = $this->getLinkRenderer()->makeKnownLink(
152 $this->getPageTitle(),
153 $this->msg( 'loginreqlink' )->text(),
154 [],
155 [
156 'returnto' => $this->mReturnTo,
157 'returntoquery' => $this->mReturnToQuery,
158 'uselang' => $this->mLanguage ?: null,
159 'fromhttp' => $wgSecureLogin && $this->mFromHTTP ? '1' : null,
160 ]
161 );
162
163 // Only show valid error or warning messages.
164 if ( $entryError->exists()
165 && in_array( $entryError->getKey(), LoginHelper::getValidErrorMessages(), true )
166 ) {
167 $this->mEntryErrorType = 'error';
168 $this->mEntryError = $entryError->rawParams( $loginreqlink )->parse();
169
170 } elseif ( $entryWarning->exists()
171 && in_array( $entryWarning->getKey(), LoginHelper::getValidErrorMessages(), true )
172 ) {
173 $this->mEntryErrorType = 'warning';
174 $this->mEntryError = $entryWarning->rawParams( $loginreqlink )->parse();
175 }
176
177 # 1. When switching accounts, it sucks to get automatically logged out
178 # 2. Do not return to PasswordReset after a successful password change
179 # but goto Wiki start page (Main_Page) instead ( T35997 )
180 $returnToTitle = Title::newFromText( $this->mReturnTo );
181 if ( is_object( $returnToTitle )
182 && ( $returnToTitle->isSpecial( 'Userlogout' )
183 || $returnToTitle->isSpecial( 'PasswordReset' ) )
184 ) {
185 $this->mReturnTo = '';
186 $this->mReturnToQuery = '';
187 }
188 }
189
190 protected function getPreservedParams( $withToken = false ) {
191 global $wgSecureLogin;
192
193 $params = parent::getPreservedParams( $withToken );
194 $params += [
195 'returnto' => $this->mReturnTo ?: null,
196 'returntoquery' => $this->mReturnToQuery ?: null,
197 ];
198 if ( $wgSecureLogin && !$this->isSignup() ) {
199 $params['fromhttp'] = $this->mFromHTTP ? '1' : null;
200 }
201 return $params;
202 }
203
204 protected function beforeExecute( $subPage ) {
205 // finish initializing the class before processing the request - T135924
206 $this->loadRequestParameters( $subPage );
207 return parent::beforeExecute( $subPage );
208 }
209
210 /**
211 * @param string|null $subPage
212 */
213 public function execute( $subPage ) {
214 if ( $this->mPosted ) {
215 $time = microtime( true );
216 $profilingScope = new ScopedCallback( function () use ( $time ) {
217 $time = microtime( true ) - $time;
218 $statsd = MediaWikiServices::getInstance()->getStatsdDataFactory();
219 $statsd->timing( "timing.login.ui.{$this->authAction}", $time * 1000 );
220 } );
221 }
222
223 $authManager = AuthManager::singleton();
224 $session = SessionManager::getGlobalSession();
225
226 // Session data is used for various things in the authentication process, so we must make
227 // sure a session cookie or some equivalent mechanism is set.
228 $session->persist();
229
230 $this->load( $subPage );
231 $this->setHeaders();
232 $this->checkPermissions();
233
234 // Make sure the system configuration allows log in / sign up
235 if ( !$this->isSignup() && !$authManager->canAuthenticateNow() ) {
236 if ( !$session->canSetUser() ) {
237 throw new ErrorPageError( 'cannotloginnow-title', 'cannotloginnow-text', [
238 $session->getProvider()->describe( RequestContext::getMain()->getLanguage() )
239 ] );
240 }
241 throw new ErrorPageError( 'cannotlogin-title', 'cannotlogin-text' );
242 } elseif ( $this->isSignup() && !$authManager->canCreateAccounts() ) {
243 throw new ErrorPageError( 'cannotcreateaccount-title', 'cannotcreateaccount-text' );
244 }
245
246 /*
247 * In the case where the user is already logged in, and was redirected to
248 * the login form from a page that requires login, do not show the login
249 * page. The use case scenario for this is when a user opens a large number
250 * of tabs, is redirected to the login page on all of them, and then logs
251 * in on one, expecting all the others to work properly.
252 *
253 * However, do show the form if it was visited intentionally (no 'returnto'
254 * is present). People who often switch between several accounts have grown
255 * accustomed to this behavior.
256 *
257 * Also make an exception when force=<level> is set in the URL, which means the user must
258 * reauthenticate for security reasons.
259 */
260 if ( !$this->isSignup() && !$this->mPosted && !$this->securityLevel &&
261 ( $this->mReturnTo !== '' || $this->mReturnToQuery !== '' ) &&
262 $this->getUser()->isLoggedIn()
263 ) {
264 $this->successfulAction();
265 return;
266 }
267
268 // If logging in and not on HTTPS, either redirect to it or offer a link.
269 global $wgSecureLogin;
270 if ( $this->getRequest()->getProtocol() !== 'https' ) {
271 $title = $this->getFullTitle();
272 $query = $this->getPreservedParams( false ) + [
273 'title' => null,
274 ( $this->mEntryErrorType === 'error' ? 'error'
275 : 'warning' ) => $this->mEntryError,
276 ] + $this->getRequest()->getQueryValues();
277 $url = $title->getFullURL( $query, false, PROTO_HTTPS );
278 if ( $wgSecureLogin && !$this->mFromHTTP &&
279 wfCanIPUseHTTPS( $this->getRequest()->getIP() )
280 ) {
281 // Avoid infinite redirect
282 $url = wfAppendQuery( $url, 'fromhttp=1' );
283 $this->getOutput()->redirect( $url );
284 // Since we only do this redir to change proto, always vary
285 $this->getOutput()->addVaryHeader( 'X-Forwarded-Proto' );
286
287 return;
288 } else {
289 // A wiki without HTTPS login support should set $wgServer to
290 // http://somehost, in which case the secure URL generated
291 // above won't actually start with https://
292 if ( substr( $url, 0, 8 ) === 'https://' ) {
293 $this->mSecureLoginUrl = $url;
294 }
295 }
296 }
297
298 if ( !$this->isActionAllowed( $this->authAction ) ) {
299 // FIXME how do we explain this to the user? can we handle session loss better?
300 // messages used: authpage-cannot-login, authpage-cannot-login-continue,
301 // authpage-cannot-create, authpage-cannot-create-continue
302 $this->mainLoginForm( [], 'authpage-cannot-' . $this->authAction );
303 return;
304 }
305
306 if ( $this->canBypassForm( $button_name ) ) {
307 $this->setRequest( [], true );
308 $this->getRequest()->setVal( $this->getTokenName(), $this->getToken() );
309 if ( $button_name ) {
310 $this->getRequest()->setVal( $button_name, true );
311 }
312 }
313
314 $status = $this->trySubmit();
315
316 if ( !$status || !$status->isGood() ) {
317 $this->mainLoginForm( $this->authRequests, $status ? $status->getMessage() : '', 'error' );
318 return;
319 }
320
321 /** @var AuthenticationResponse $response */
322 $response = $status->getValue();
323
324 $returnToUrl = $this->getPageTitle( 'return' )
325 ->getFullURL( $this->getPreservedParams( true ), false, PROTO_HTTPS );
326 switch ( $response->status ) {
327 case AuthenticationResponse::PASS:
328 $this->logAuthResult( true );
329 $this->proxyAccountCreation = $this->isSignup() && !$this->getUser()->isAnon();
330 $this->targetUser = User::newFromName( $response->username );
331
332 if (
333 !$this->proxyAccountCreation
334 && $response->loginRequest
335 && $authManager->canAuthenticateNow()
336 ) {
337 // successful registration; log the user in instantly
338 $response2 = $authManager->beginAuthentication( [ $response->loginRequest ],
339 $returnToUrl );
340 if ( $response2->status !== AuthenticationResponse::PASS ) {
341 LoggerFactory::getInstance( 'login' )
342 ->error( 'Could not log in after account creation' );
343 $this->successfulAction( true, Status::newFatal( 'createacct-loginerror' ) );
344 break;
345 }
346 }
347
348 if ( !$this->proxyAccountCreation ) {
349 // Ensure that the context user is the same as the session user.
350 $this->setSessionUserForCurrentRequest();
351 }
352
353 $this->successfulAction( true );
354 break;
355 case AuthenticationResponse::FAIL:
356 // fall through
357 case AuthenticationResponse::RESTART:
358 unset( $this->authForm );
359 if ( $response->status === AuthenticationResponse::FAIL ) {
360 $action = $this->getDefaultAction( $subPage );
361 $messageType = 'error';
362 } else {
363 $action = $this->getContinueAction( $this->authAction );
364 $messageType = 'warning';
365 }
366 $this->logAuthResult( false, $response->message ? $response->message->getKey() : '-' );
367 $this->loadAuth( $subPage, $action, true );
368 $this->mainLoginForm( $this->authRequests, $response->message, $messageType );
369 break;
370 case AuthenticationResponse::REDIRECT:
371 unset( $this->authForm );
372 $this->getOutput()->redirect( $response->redirectTarget );
373 break;
374 case AuthenticationResponse::UI:
375 unset( $this->authForm );
376 $this->authAction = $this->isSignup() ? AuthManager::ACTION_CREATE_CONTINUE
377 : AuthManager::ACTION_LOGIN_CONTINUE;
378 $this->authRequests = $response->neededRequests;
379 $this->mainLoginForm( $response->neededRequests, $response->message, $response->messageType );
380 break;
381 default:
382 throw new LogicException( 'invalid AuthenticationResponse' );
383 }
384 }
385
386 /**
387 * Determine if the login form can be bypassed. This will be the case when no more than one
388 * button is present and no other user input fields that are not marked as 'skippable' are
389 * present. If the login form were not bypassed, the user would be presented with a
390 * superfluous page on which they must press the single button to proceed with login.
391 * Not only does this cause an additional mouse click and page load, it confuses users,
392 * especially since there are a help link and forgotten password link that are
393 * provided on the login page that do not apply to this situation.
394 *
395 * @param string|null &$button_name if the form has a single button, returns
396 * the name of the button; otherwise, returns null
397 * @return bool
398 */
399 private function canBypassForm( &$button_name ) {
400 $button_name = null;
401 if ( $this->isContinued() ) {
402 return false;
403 }
404 $fields = AuthenticationRequest::mergeFieldInfo( $this->authRequests );
405 foreach ( $fields as $fieldname => $field ) {
406 if ( !isset( $field['type'] ) ) {
407 return false;
408 }
409 if ( !empty( $field['skippable'] ) ) {
410 continue;
411 }
412 if ( $field['type'] === 'button' ) {
413 if ( $button_name !== null ) {
414 $button_name = null;
415 return false;
416 } else {
417 $button_name = $fieldname;
418 }
419 } elseif ( $field['type'] !== 'null' ) {
420 return false;
421 }
422 }
423 return true;
424 }
425
426 /**
427 * Show the success page.
428 *
429 * @param string $type Condition of return to; see `executeReturnTo`
430 * @param string|Message $title Page's title
431 * @param string $msgname
432 * @param string $injected_html
433 * @param StatusValue|null $extraMessages
434 */
435 protected function showSuccessPage(
436 $type, $title, $msgname, $injected_html, $extraMessages
437 ) {
438 $out = $this->getOutput();
439 $out->setPageTitle( $title );
440 if ( $msgname ) {
441 $out->addWikiMsg( $msgname, wfEscapeWikiText( $this->getUser()->getName() ) );
442 }
443 if ( $extraMessages ) {
444 $extraMessages = Status::wrap( $extraMessages );
445 $out->addWikiTextAsInterface( $extraMessages->getWikiText() );
446 }
447
448 $out->addHTML( $injected_html );
449
450 $helper = new LoginHelper( $this->getContext() );
451 $helper->showReturnToPage( $type, $this->mReturnTo, $this->mReturnToQuery, $this->mStickHTTPS );
452 }
453
454 /**
455 * Add a "return to" link or redirect to it.
456 * Extensions can use this to reuse the "return to" logic after
457 * inject steps (such as redirection) into the login process.
458 *
459 * @param string $type One of the following:
460 * - error: display a return to link ignoring $wgRedirectOnLogin
461 * - signup: display a return to link using $wgRedirectOnLogin if needed
462 * - success: display a return to link using $wgRedirectOnLogin if needed
463 * - successredirect: send an HTTP redirect using $wgRedirectOnLogin if needed
464 * @param string $returnTo
465 * @param array|string $returnToQuery
466 * @param bool $stickHTTPS Keep redirect link on HTTPS
467 * @since 1.22
468 */
469 public function showReturnToPage(
470 $type, $returnTo = '', $returnToQuery = '', $stickHTTPS = false
471 ) {
472 $helper = new LoginHelper( $this->getContext() );
473 $helper->showReturnToPage( $type, $returnTo, $returnToQuery, $stickHTTPS );
474 }
475
476 /**
477 * Replace some globals to make sure the fact that the user has just been logged in is
478 * reflected in the current request.
479 */
480 protected function setSessionUserForCurrentRequest() {
481 global $wgUser, $wgLang;
482
483 $context = RequestContext::getMain();
484 $localContext = $this->getContext();
485 if ( $context !== $localContext ) {
486 // remove AuthManagerSpecialPage context hack
487 $this->setContext( $context );
488 }
489
490 $user = $context->getRequest()->getSession()->getUser();
491
492 $wgUser = $user;
493 $context->setUser( $user );
494
495 $wgLang = $context->getLanguage();
496 }
497
498 /**
499 * @param AuthenticationRequest[] $requests A list of AuthorizationRequest objects,
500 * used to generate the form fields. An empty array means a fatal error
501 * (authentication cannot continue).
502 * @param string|Message $msg
503 * @param string $msgtype
504 * @throws ErrorPageError
505 * @throws Exception
506 * @throws FatalError
507 * @throws MWException
508 * @throws PermissionsError
509 * @throws ReadOnlyError
510 * @private
511 */
512 protected function mainLoginForm( array $requests, $msg = '', $msgtype = 'error' ) {
513 $user = $this->getUser();
514 $out = $this->getOutput();
515
516 // FIXME how to handle empty $requests - restart, or no form, just an error message?
517 // no form would be better for no session type errors, restart is better when can* fails.
518 if ( !$requests ) {
519 $this->authAction = $this->getDefaultAction( $this->subPage );
520 $this->authForm = null;
521 $requests = AuthManager::singleton()->getAuthenticationRequests( $this->authAction, $user );
522 }
523
524 // Generic styles and scripts for both login and signup form
525 $out->addModuleStyles( [
526 'mediawiki.ui',
527 'mediawiki.ui.button',
528 'mediawiki.ui.checkbox',
529 'mediawiki.ui.input',
530 'mediawiki.special.userlogin.common.styles'
531 ] );
532 if ( $this->isSignup() ) {
533 // XXX hack pending RL or JS parse() support for complex content messages T27349
534 $out->addJsConfigVars( 'wgCreateacctImgcaptchaHelp',
535 $this->msg( 'createacct-imgcaptcha-help' )->parse() );
536
537 // Additional styles and scripts for signup form
538 $out->addModules( [
539 'mediawiki.special.userlogin.signup.js'
540 ] );
541 $out->addModuleStyles( [
542 'mediawiki.special.userlogin.signup.styles'
543 ] );
544 } else {
545 // Additional styles for login form
546 $out->addModuleStyles( [
547 'mediawiki.special.userlogin.login.styles'
548 ] );
549 }
550 $out->disallowUserJs(); // just in case...
551
552 $form = $this->getAuthForm( $requests, $this->authAction, $msg, $msgtype );
553 $form->prepareForm();
554
555 $submitStatus = Status::newGood();
556 if ( $msg && $msgtype === 'warning' ) {
557 $submitStatus->warning( $msg );
558 } elseif ( $msg && $msgtype === 'error' ) {
559 $submitStatus->fatal( $msg );
560 }
561
562 // warning header for non-standard workflows (e.g. security reauthentication)
563 if (
564 !$this->isSignup() &&
565 $this->getUser()->isLoggedIn() &&
566 $this->authAction !== AuthManager::ACTION_LOGIN_CONTINUE
567 ) {
568 $reauthMessage = $this->securityLevel ? 'userlogin-reauth' : 'userlogin-loggedin';
569 $submitStatus->warning( $reauthMessage, $this->getUser()->getName() );
570 }
571
572 $formHtml = $form->getHTML( $submitStatus );
573
574 $out->addHTML( $this->getPageHtml( $formHtml ) );
575 }
576
577 /**
578 * Add page elements which are outside the form.
579 * FIXME this should probably be a template, but use a sane language (handlebars?)
580 * @param string $formHtml
581 * @return string
582 */
583 protected function getPageHtml( $formHtml ) {
584 global $wgLoginLanguageSelector;
585
586 $loginPrompt = $this->isSignup() ? '' : Html::rawElement( 'div',
587 [ 'id' => 'userloginprompt' ], $this->msg( 'loginprompt' )->parseAsBlock() );
588 $languageLinks = $wgLoginLanguageSelector ? $this->makeLanguageSelector() : '';
589 $signupStartMsg = $this->msg( 'signupstart' );
590 $signupStart = ( $this->isSignup() && !$signupStartMsg->isDisabled() )
591 ? Html::rawElement( 'div', [ 'id' => 'signupstart' ], $signupStartMsg->parseAsBlock() ) : '';
592 if ( $languageLinks ) {
593 $languageLinks = Html::rawElement( 'div', [ 'id' => 'languagelinks' ],
594 Html::rawElement( 'p', [], $languageLinks )
595 );
596 }
597
598 $benefitsContainer = '';
599 if ( $this->isSignup() && $this->showExtraInformation() ) {
600 // messages used:
601 // createacct-benefit-icon1 createacct-benefit-head1 createacct-benefit-body1
602 // createacct-benefit-icon2 createacct-benefit-head2 createacct-benefit-body2
603 // createacct-benefit-icon3 createacct-benefit-head3 createacct-benefit-body3
604 $benefitCount = 3;
605 $benefitList = '';
606 for ( $benefitIdx = 1; $benefitIdx <= $benefitCount; $benefitIdx++ ) {
607 $headUnescaped = $this->msg( "createacct-benefit-head$benefitIdx" )->text();
608 $iconClass = $this->msg( "createacct-benefit-icon$benefitIdx" )->text();
609 $benefitList .= Html::rawElement( 'div', [ 'class' => "mw-number-text $iconClass" ],
610 Html::rawElement( 'h3', [],
611 $this->msg( "createacct-benefit-head$benefitIdx" )->escaped()
612 )
613 . Html::rawElement( 'p', [],
614 $this->msg( "createacct-benefit-body$benefitIdx" )->params( $headUnescaped )->escaped()
615 )
616 );
617 }
618 $benefitsContainer = Html::rawElement( 'div', [ 'class' => 'mw-createacct-benefits-container' ],
619 Html::rawElement( 'h2', [], $this->msg( 'createacct-benefit-heading' )->escaped() )
620 . Html::rawElement( 'div', [ 'class' => 'mw-createacct-benefits-list' ],
621 $benefitList
622 )
623 );
624 }
625
626 $html = Html::rawElement( 'div', [ 'class' => 'mw-ui-container' ],
627 $loginPrompt
628 . $languageLinks
629 . $signupStart
630 . Html::rawElement( 'div', [ 'id' => 'userloginForm' ],
631 $formHtml
632 )
633 . $benefitsContainer
634 );
635
636 return $html;
637 }
638
639 /**
640 * Generates a form from the given request.
641 * @param AuthenticationRequest[] $requests
642 * @param string $action AuthManager action name
643 * @param string|Message $msg
644 * @param string $msgType
645 * @return HTMLForm
646 */
647 protected function getAuthForm( array $requests, $action, $msg = '', $msgType = 'error' ) {
648 global $wgSecureLogin;
649 // FIXME merge this with parent
650
651 if ( isset( $this->authForm ) ) {
652 return $this->authForm;
653 }
654
655 $usingHTTPS = $this->getRequest()->getProtocol() === 'https';
656
657 // get basic form description from the auth logic
658 $fieldInfo = AuthenticationRequest::mergeFieldInfo( $requests );
659 // this will call onAuthChangeFormFields()
660 $formDescriptor = static::fieldInfoToFormDescriptor( $requests, $fieldInfo, $this->authAction );
661 $this->postProcessFormDescriptor( $formDescriptor, $requests );
662
663 $context = $this->getContext();
664 if ( $context->getRequest() !== $this->getRequest() ) {
665 // We have overridden the request, need to make sure the form uses that too.
666 $context = new DerivativeContext( $this->getContext() );
667 $context->setRequest( $this->getRequest() );
668 }
669 $form = HTMLForm::factory( 'vform', $formDescriptor, $context );
670
671 $form->addHiddenField( 'authAction', $this->authAction );
672 if ( $this->mLanguage ) {
673 $form->addHiddenField( 'uselang', $this->mLanguage );
674 }
675 $form->addHiddenField( 'force', $this->securityLevel );
676 $form->addHiddenField( $this->getTokenName(), $this->getToken()->toString() );
677 if ( $wgSecureLogin ) {
678 // If using HTTPS coming from HTTP, then the 'fromhttp' parameter must be preserved
679 if ( !$this->isSignup() ) {
680 $form->addHiddenField( 'wpForceHttps', (int)$this->mStickHTTPS );
681 $form->addHiddenField( 'wpFromhttp', $usingHTTPS );
682 }
683 }
684
685 // set properties of the form itself
686 $form->setAction( $this->getPageTitle()->getLocalURL( $this->getReturnToQueryStringFragment() ) );
687 $form->setName( 'userlogin' . ( $this->isSignup() ? '2' : '' ) );
688 if ( $this->isSignup() ) {
689 $form->setId( 'userlogin2' );
690 }
691
692 $form->suppressDefaultSubmit();
693
694 $this->authForm = $form;
695
696 return $form;
697 }
698
699 public function onAuthChangeFormFields(
700 array $requests, array $fieldInfo, array &$formDescriptor, $action
701 ) {
702 $coreFieldDescriptors = $this->getFieldDefinitions();
703
704 // keep the ordering from getCoreFieldDescriptors() where there is no explicit weight
705 foreach ( $coreFieldDescriptors as $fieldName => $coreField ) {
706 $requestField = $formDescriptor[$fieldName] ?? [];
707
708 // remove everything that is not in the fieldinfo, is not marked as a supplemental field
709 // to something in the fieldinfo, and is not an info field or a submit button
710 if (
711 !isset( $fieldInfo[$fieldName] )
712 && (
713 !isset( $coreField['baseField'] )
714 || !isset( $fieldInfo[$coreField['baseField']] )
715 )
716 && (
717 !isset( $coreField['type'] )
718 || !in_array( $coreField['type'], [ 'submit', 'info' ], true )
719 )
720 ) {
721 $coreFieldDescriptors[$fieldName] = null;
722 continue;
723 }
724
725 // core message labels should always take priority
726 if (
727 isset( $coreField['label'] )
728 || isset( $coreField['label-message'] )
729 || isset( $coreField['label-raw'] )
730 ) {
731 unset( $requestField['label'], $requestField['label-message'], $coreField['label-raw'] );
732 }
733
734 $coreFieldDescriptors[$fieldName] += $requestField;
735 }
736
737 $formDescriptor = array_filter( $coreFieldDescriptors + $formDescriptor );
738 return true;
739 }
740
741 /**
742 * Show extra information such as password recovery information, link from login to signup,
743 * CTA etc? Such information should only be shown on the "landing page", ie. when the user
744 * is at the first step of the authentication process.
745 * @return bool
746 */
747 protected function showExtraInformation() {
748 return $this->authAction !== $this->getContinueAction( $this->authAction )
749 && !$this->securityLevel;
750 }
751
752 /**
753 * Create a HTMLForm descriptor for the core login fields.
754 * @return array
755 */
756 protected function getFieldDefinitions() {
757 global $wgEmailConfirmToEdit;
758
759 $isLoggedIn = $this->getUser()->isLoggedIn();
760 $continuePart = $this->isContinued() ? 'continue-' : '';
761 $anotherPart = $isLoggedIn ? 'another-' : '';
762 $expiration = $this->getRequest()->getSession()->getProvider()->getRememberUserDuration();
763 $expirationDays = ceil( $expiration / ( 3600 * 24 ) );
764 $secureLoginLink = '';
765 if ( $this->mSecureLoginUrl ) {
766 $secureLoginLink = Html::element( 'a', [
767 'href' => $this->mSecureLoginUrl,
768 'class' => 'mw-ui-flush-right mw-secure',
769 ], $this->msg( 'userlogin-signwithsecure' )->text() );
770 }
771 $usernameHelpLink = '';
772 if ( !$this->msg( 'createacct-helpusername' )->isDisabled() ) {
773 $usernameHelpLink = Html::rawElement( 'span', [
774 'class' => 'mw-ui-flush-right',
775 ], $this->msg( 'createacct-helpusername' )->parse() );
776 }
777
778 if ( $this->isSignup() ) {
779 $fieldDefinitions = [
780 'statusarea' => [
781 // used by the mediawiki.special.userlogin.signup.js module for error display
782 // FIXME merge this with HTMLForm's normal status (error) area
783 'type' => 'info',
784 'raw' => true,
785 'default' => Html::element( 'div', [ 'id' => 'mw-createacct-status-area' ] ),
786 'weight' => -105,
787 ],
788 'username' => [
789 'label-raw' => $this->msg( 'userlogin-yourname' )->escaped() . $usernameHelpLink,
790 'id' => 'wpName2',
791 'placeholder-message' => $isLoggedIn ? 'createacct-another-username-ph'
792 : 'userlogin-yourname-ph',
793 ],
794 'mailpassword' => [
795 // create account without providing password, a temporary one will be mailed
796 'type' => 'check',
797 'label-message' => 'createaccountmail',
798 'name' => 'wpCreateaccountMail',
799 'id' => 'wpCreateaccountMail',
800 ],
801 'password' => [
802 'id' => 'wpPassword2',
803 'placeholder-message' => 'createacct-yourpassword-ph',
804 'hide-if' => [ '===', 'wpCreateaccountMail', '1' ],
805 ],
806 'domain' => [],
807 'retype' => [
808 'baseField' => 'password',
809 'type' => 'password',
810 'label-message' => 'createacct-yourpasswordagain',
811 'id' => 'wpRetype',
812 'cssclass' => 'loginPassword',
813 'size' => 20,
814 'validation-callback' => function ( $value, $alldata ) {
815 if ( empty( $alldata['mailpassword'] ) && !empty( $alldata['password'] ) ) {
816 if ( !$value ) {
817 return $this->msg( 'htmlform-required' );
818 } elseif ( $value !== $alldata['password'] ) {
819 return $this->msg( 'badretype' );
820 }
821 }
822 return true;
823 },
824 'hide-if' => [ '===', 'wpCreateaccountMail', '1' ],
825 'placeholder-message' => 'createacct-yourpasswordagain-ph',
826 ],
827 'email' => [
828 'type' => 'email',
829 'label-message' => $wgEmailConfirmToEdit ? 'createacct-emailrequired'
830 : 'createacct-emailoptional',
831 'id' => 'wpEmail',
832 'cssclass' => 'loginText',
833 'size' => '20',
834 // FIXME will break non-standard providers
835 'required' => $wgEmailConfirmToEdit,
836 'validation-callback' => function ( $value, $alldata ) {
837 global $wgEmailConfirmToEdit;
838
839 // AuthManager will check most of these, but that will make the auth
840 // session fail and this won't, so nicer to do it this way
841 if ( !$value && $wgEmailConfirmToEdit ) {
842 // no point in allowing registration without email when email is
843 // required to edit
844 return $this->msg( 'noemailtitle' );
845 } elseif ( !$value && !empty( $alldata['mailpassword'] ) ) {
846 // cannot send password via email when there is no email address
847 return $this->msg( 'noemailcreate' );
848 } elseif ( $value && !Sanitizer::validateEmail( $value ) ) {
849 return $this->msg( 'invalidemailaddress' );
850 }
851 return true;
852 },
853 'placeholder-message' => 'createacct-' . $anotherPart . 'email-ph',
854 ],
855 'realname' => [
856 'type' => 'text',
857 'help-message' => $isLoggedIn ? 'createacct-another-realname-tip'
858 : 'prefs-help-realname',
859 'label-message' => 'createacct-realname',
860 'cssclass' => 'loginText',
861 'size' => 20,
862 'id' => 'wpRealName',
863 ],
864 'reason' => [
865 // comment for the user creation log
866 'type' => 'text',
867 'label-message' => 'createacct-reason',
868 'cssclass' => 'loginText',
869 'id' => 'wpReason',
870 'size' => '20',
871 'placeholder-message' => 'createacct-reason-ph',
872 ],
873 'createaccount' => [
874 // submit button
875 'type' => 'submit',
876 'default' => $this->msg( 'createacct-' . $anotherPart . $continuePart .
877 'submit' )->text(),
878 'name' => 'wpCreateaccount',
879 'id' => 'wpCreateaccount',
880 'weight' => 100,
881 ],
882 ];
883 } else {
884 $fieldDefinitions = [
885 'username' => [
886 'label-raw' => $this->msg( 'userlogin-yourname' )->escaped() . $secureLoginLink,
887 'id' => 'wpName1',
888 'placeholder-message' => 'userlogin-yourname-ph',
889 ],
890 'password' => [
891 'id' => 'wpPassword1',
892 'placeholder-message' => 'userlogin-yourpassword-ph',
893 ],
894 'domain' => [],
895 'rememberMe' => [
896 // option for saving the user token to a cookie
897 'type' => 'check',
898 'name' => 'wpRemember',
899 'label-message' => $this->msg( 'userlogin-remembermypassword' )
900 ->numParams( $expirationDays ),
901 'id' => 'wpRemember',
902 ],
903 'loginattempt' => [
904 // submit button
905 'type' => 'submit',
906 'default' => $this->msg( 'pt-login-' . $continuePart . 'button' )->text(),
907 'id' => 'wpLoginAttempt',
908 'weight' => 100,
909 ],
910 'linkcontainer' => [
911 // help link
912 'type' => 'info',
913 'cssclass' => 'mw-form-related-link-container mw-userlogin-help',
914 // 'id' => 'mw-userlogin-help', // FIXME HTMLInfoField ignores this
915 'raw' => true,
916 'default' => Html::element( 'a', [
917 'href' => Skin::makeInternalOrExternalUrl( $this->msg( 'helplogin-url' )
918 ->inContentLanguage()
919 ->text() ),
920 ], $this->msg( 'userlogin-helplink2' )->text() ),
921 'weight' => 200,
922 ],
923 // button for ResetPasswordSecondaryAuthenticationProvider
924 'skipReset' => [
925 'weight' => 110,
926 'flags' => [],
927 ],
928 ];
929 }
930
931 $fieldDefinitions['username'] += [
932 'type' => 'text',
933 'name' => 'wpName',
934 'cssclass' => 'loginText',
935 'size' => 20,
936 // 'required' => true,
937 ];
938 $fieldDefinitions['password'] += [
939 'type' => 'password',
940 // 'label-message' => 'userlogin-yourpassword', // would override the changepassword label
941 'name' => 'wpPassword',
942 'cssclass' => 'loginPassword',
943 'size' => 20,
944 // 'required' => true,
945 ];
946
947 if ( $this->mEntryError ) {
948 $fieldDefinitions['entryError'] = [
949 'type' => 'info',
950 'default' => Html::rawElement( 'div', [ 'class' => $this->mEntryErrorType . 'box', ],
951 $this->mEntryError ),
952 'raw' => true,
953 'rawrow' => true,
954 'weight' => -100,
955 ];
956 }
957 if ( !$this->showExtraInformation() ) {
958 unset( $fieldDefinitions['linkcontainer'], $fieldDefinitions['signupend'] );
959 }
960 if ( $this->isSignup() && $this->showExtraInformation() ) {
961 // blank signup footer for site customization
962 // uses signupend-https for HTTPS requests if it's not blank, signupend otherwise
963 $signupendMsg = $this->msg( 'signupend' );
964 $signupendHttpsMsg = $this->msg( 'signupend-https' );
965 if ( !$signupendMsg->isDisabled() ) {
966 $usingHTTPS = $this->getRequest()->getProtocol() === 'https';
967 $signupendText = ( $usingHTTPS && !$signupendHttpsMsg->isBlank() )
968 ? $signupendHttpsMsg->parse() : $signupendMsg->parse();
969 $fieldDefinitions['signupend'] = [
970 'type' => 'info',
971 'raw' => true,
972 'default' => Html::rawElement( 'div', [ 'id' => 'signupend' ], $signupendText ),
973 'weight' => 225,
974 ];
975 }
976 }
977 if ( !$this->isSignup() && $this->showExtraInformation() ) {
978 $passwordReset = new PasswordReset( $this->getConfig(), AuthManager::singleton() );
979 if ( $passwordReset->isAllowed( $this->getUser() )->isGood() ) {
980 $fieldDefinitions['passwordReset'] = [
981 'type' => 'info',
982 'raw' => true,
983 'cssclass' => 'mw-form-related-link-container',
984 'default' => $this->getLinkRenderer()->makeLink(
985 SpecialPage::getTitleFor( 'PasswordReset' ),
986 $this->msg( 'userlogin-resetpassword-link' )->text()
987 ),
988 'weight' => 230,
989 ];
990 }
991
992 // Don't show a "create account" link if the user can't.
993 if ( $this->showCreateAccountLink() ) {
994 // link to the other action
995 $linkTitle = $this->getTitleFor( $this->isSignup() ? 'Userlogin' : 'CreateAccount' );
996 $linkq = $this->getReturnToQueryStringFragment();
997 // Pass any language selection on to the mode switch link
998 if ( $this->mLanguage ) {
999 $linkq .= '&uselang=' . urlencode( $this->mLanguage );
1000 }
1001 $loggedIn = $this->getUser()->isLoggedIn();
1002
1003 $fieldDefinitions['createOrLogin'] = [
1004 'type' => 'info',
1005 'raw' => true,
1006 'linkQuery' => $linkq,
1007 'default' => function ( $params ) use ( $loggedIn, $linkTitle ) {
1008 return Html::rawElement( 'div',
1009 [ 'id' => 'mw-createaccount' . ( !$loggedIn ? '-cta' : '' ),
1010 'class' => ( $loggedIn ? 'mw-form-related-link-container' : 'mw-ui-vform-field' ) ],
1011 ( $loggedIn ? '' : $this->msg( 'userlogin-noaccount' )->escaped() )
1012 . Html::element( 'a',
1013 [
1014 'id' => 'mw-createaccount-join' . ( $loggedIn ? '-loggedin' : '' ),
1015 'href' => $linkTitle->getLocalURL( $params['linkQuery'] ),
1016 'class' => ( $loggedIn ? '' : 'mw-ui-button' ),
1017 'tabindex' => 100,
1018 ],
1019 $this->msg(
1020 $loggedIn ? 'userlogin-createanother' : 'userlogin-joinproject'
1021 )->text()
1022 )
1023 );
1024 },
1025 'weight' => 235,
1026 ];
1027 }
1028 }
1029
1030 return $fieldDefinitions;
1031 }
1032
1033 /**
1034 * Check if a session cookie is present.
1035 *
1036 * This will not pick up a cookie set during _this_ request, but is meant
1037 * to ensure that the client is returning the cookie which was set on a
1038 * previous pass through the system.
1039 *
1040 * @return bool
1041 */
1042 protected function hasSessionCookie() {
1043 global $wgDisableCookieCheck, $wgInitialSessionId;
1044
1045 return $wgDisableCookieCheck || (
1046 $wgInitialSessionId &&
1047 $this->getRequest()->getSession()->getId() === (string)$wgInitialSessionId
1048 );
1049 }
1050
1051 /**
1052 * Returns a string that can be appended to the URL (without encoding) to preserve the
1053 * return target. Does not include leading '?'/'&'.
1054 * @return string
1055 */
1056 protected function getReturnToQueryStringFragment() {
1057 $returnto = '';
1058 if ( $this->mReturnTo !== '' ) {
1059 $returnto = 'returnto=' . wfUrlencode( $this->mReturnTo );
1060 if ( $this->mReturnToQuery !== '' ) {
1061 $returnto .= '&returntoquery=' . wfUrlencode( $this->mReturnToQuery );
1062 }
1063 }
1064 return $returnto;
1065 }
1066
1067 /**
1068 * Whether the login/create account form should display a link to the
1069 * other form (in addition to whatever the skin provides).
1070 * @return bool
1071 */
1072 private function showCreateAccountLink() {
1073 if ( $this->isSignup() ) {
1074 return true;
1075 } elseif ( $this->getUser()->isAllowed( 'createaccount' ) ) {
1076 return true;
1077 } else {
1078 return false;
1079 }
1080 }
1081
1082 protected function getTokenName() {
1083 return $this->isSignup() ? 'wpCreateaccountToken' : 'wpLoginToken';
1084 }
1085
1086 /**
1087 * Produce a bar of links which allow the user to select another language
1088 * during login/registration but retain "returnto"
1089 *
1090 * @return string
1091 */
1092 protected function makeLanguageSelector() {
1093 $msg = $this->msg( 'loginlanguagelinks' )->inContentLanguage();
1094 if ( $msg->isBlank() ) {
1095 return '';
1096 }
1097 $langs = explode( "\n", $msg->text() );
1098 $links = [];
1099 foreach ( $langs as $lang ) {
1100 $lang = trim( $lang, '* ' );
1101 $parts = explode( '|', $lang );
1102 if ( count( $parts ) >= 2 ) {
1103 $links[] = $this->makeLanguageSelectorLink( $parts[0], trim( $parts[1] ) );
1104 }
1105 }
1106
1107 return count( $links ) > 0 ? $this->msg( 'loginlanguagelabel' )->rawParams(
1108 $this->getLanguage()->pipeList( $links ) )->escaped() : '';
1109 }
1110
1111 /**
1112 * Create a language selector link for a particular language
1113 * Links back to this page preserving type and returnto
1114 *
1115 * @param string $text Link text
1116 * @param string $lang Language code
1117 * @return string
1118 */
1119 protected function makeLanguageSelectorLink( $text, $lang ) {
1120 if ( $this->getLanguage()->getCode() == $lang ) {
1121 // no link for currently used language
1122 return htmlspecialchars( $text );
1123 }
1124 $query = [ 'uselang' => $lang ];
1125 if ( $this->mReturnTo !== '' ) {
1126 $query['returnto'] = $this->mReturnTo;
1127 $query['returntoquery'] = $this->mReturnToQuery;
1128 }
1129
1130 $attr = [];
1131 $targetLanguage = Language::factory( $lang );
1132 $attr['lang'] = $attr['hreflang'] = $targetLanguage->getHtmlCode();
1133
1134 return $this->getLinkRenderer()->makeKnownLink(
1135 $this->getPageTitle(),
1136 $text,
1137 $attr,
1138 $query
1139 );
1140 }
1141
1142 protected function getGroupName() {
1143 return 'login';
1144 }
1145
1146 /**
1147 * @param array &$formDescriptor
1148 * @param array $requests
1149 */
1150 protected function postProcessFormDescriptor( &$formDescriptor, $requests ) {
1151 // Pre-fill username (if not creating an account, T46775).
1152 if (
1153 isset( $formDescriptor['username'] ) &&
1154 !isset( $formDescriptor['username']['default'] ) &&
1155 !$this->isSignup()
1156 ) {
1157 $user = $this->getUser();
1158 if ( $user->isLoggedIn() ) {
1159 $formDescriptor['username']['default'] = $user->getName();
1160 } else {
1161 $formDescriptor['username']['default'] =
1162 $this->getRequest()->getSession()->suggestLoginUsername();
1163 }
1164 }
1165
1166 // don't show a submit button if there is nothing to submit (i.e. the only form content
1167 // is other submit buttons, for redirect flows)
1168 if ( !$this->needsSubmitButton( $requests ) ) {
1169 unset( $formDescriptor['createaccount'], $formDescriptor['loginattempt'] );
1170 }
1171
1172 if ( !$this->isSignup() ) {
1173 // FIXME HACK don't focus on non-empty field
1174 // maybe there should be an autofocus-if similar to hide-if?
1175 if (
1176 isset( $formDescriptor['username'] )
1177 && empty( $formDescriptor['username']['default'] )
1178 && !$this->getRequest()->getCheck( 'wpName' )
1179 ) {
1180 $formDescriptor['username']['autofocus'] = true;
1181 } elseif ( isset( $formDescriptor['password'] ) ) {
1182 $formDescriptor['password']['autofocus'] = true;
1183 }
1184 }
1185
1186 $this->addTabIndex( $formDescriptor );
1187 }
1188 }