Use SpecialPage::getPageTitle() instead of SpecialPage::getTitle()
[lhc/web/wiklou.git] / includes / specials / SpecialUserlogin.php
1 <?php
2 /**
3 * Implements Special:UserLogin
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 /**
25 * Implements Special:UserLogin
26 *
27 * @ingroup SpecialPage
28 */
29 class LoginForm extends SpecialPage {
30
31 const SUCCESS = 0;
32 const NO_NAME = 1;
33 const ILLEGAL = 2;
34 const WRONG_PLUGIN_PASS = 3;
35 const NOT_EXISTS = 4;
36 const WRONG_PASS = 5;
37 const EMPTY_PASS = 6;
38 const RESET_PASS = 7;
39 const ABORTED = 8;
40 const CREATE_BLOCKED = 9;
41 const THROTTLED = 10;
42 const USER_BLOCKED = 11;
43 const NEED_TOKEN = 12;
44 const WRONG_TOKEN = 13;
45
46 var $mUsername, $mPassword, $mRetype, $mReturnTo, $mCookieCheck, $mPosted;
47 var $mAction, $mCreateaccount, $mCreateaccountMail;
48 var $mLoginattempt, $mRemember, $mEmail, $mDomain, $mLanguage;
49 var $mSkipCookieCheck, $mReturnToQuery, $mToken, $mStickHTTPS;
50 var $mType, $mReason, $mRealName;
51 var $mAbortLoginErrorMsg = null;
52 private $mLoaded = false;
53 private $mSecureLoginUrl;
54
55 /**
56 * @ var WebRequest
57 */
58 private $mOverrideRequest = null;
59
60 /**
61 * Effective request; set at the beginning of load
62 *
63 * @var WebRequest $mRequest
64 */
65 private $mRequest = null;
66
67 /**
68 * @param WebRequest $request
69 */
70 public function __construct( $request = null ) {
71 parent::__construct( 'Userlogin' );
72
73 $this->mOverrideRequest = $request;
74 }
75
76 /**
77 * Loader
78 */
79 function load() {
80 global $wgAuth, $wgHiddenPrefs, $wgEnableEmail;
81
82 if ( $this->mLoaded ) {
83 return;
84 }
85 $this->mLoaded = true;
86
87 if ( $this->mOverrideRequest === null ) {
88 $request = $this->getRequest();
89 } else {
90 $request = $this->mOverrideRequest;
91 }
92 $this->mRequest = $request;
93
94 $this->mType = $request->getText( 'type' );
95 $this->mUsername = $request->getText( 'wpName' );
96 $this->mPassword = $request->getText( 'wpPassword' );
97 $this->mRetype = $request->getText( 'wpRetype' );
98 $this->mDomain = $request->getText( 'wpDomain' );
99 $this->mReason = $request->getText( 'wpReason' );
100 $this->mCookieCheck = $request->getVal( 'wpCookieCheck' );
101 $this->mPosted = $request->wasPosted();
102 $this->mCreateaccountMail = $request->getCheck( 'wpCreateaccountMail' )
103 && $wgEnableEmail;
104 $this->mCreateaccount = $request->getCheck( 'wpCreateaccount' ) && !$this->mCreateaccountMail;
105 $this->mLoginattempt = $request->getCheck( 'wpLoginattempt' );
106 $this->mAction = $request->getVal( 'action' );
107 $this->mRemember = $request->getCheck( 'wpRemember' );
108 $this->mFromHTTP = $request->getBool( 'fromhttp', false );
109 $this->mStickHTTPS = ( !$this->mFromHTTP && $request->getProtocol() === 'https' ) || $request->getBool( 'wpForceHttps', false );
110 $this->mLanguage = $request->getText( 'uselang' );
111 $this->mSkipCookieCheck = $request->getCheck( 'wpSkipCookieCheck' );
112 $this->mToken = ( $this->mType == 'signup' ) ? $request->getVal( 'wpCreateaccountToken' ) : $request->getVal( 'wpLoginToken' );
113 $this->mReturnTo = $request->getVal( 'returnto', '' );
114 $this->mReturnToQuery = $request->getVal( 'returntoquery', '' );
115
116 if ( $wgEnableEmail ) {
117 $this->mEmail = $request->getText( 'wpEmail' );
118 } else {
119 $this->mEmail = '';
120 }
121 if ( !in_array( 'realname', $wgHiddenPrefs ) ) {
122 $this->mRealName = $request->getText( 'wpRealName' );
123 } else {
124 $this->mRealName = '';
125 }
126
127 if ( !$wgAuth->validDomain( $this->mDomain ) ) {
128 $this->mDomain = $wgAuth->getDomain();
129 }
130 $wgAuth->setDomain( $this->mDomain );
131
132 # 1. When switching accounts, it sucks to get automatically logged out
133 # 2. Do not return to PasswordReset after a successful password change
134 # but goto Wiki start page (Main_Page) instead ( bug 33997 )
135 $returnToTitle = Title::newFromText( $this->mReturnTo );
136 if ( is_object( $returnToTitle ) && (
137 $returnToTitle->isSpecial( 'Userlogout' )
138 || $returnToTitle->isSpecial( 'PasswordReset' ) ) ) {
139 $this->mReturnTo = '';
140 $this->mReturnToQuery = '';
141 }
142 }
143
144 function getDescription() {
145 if ( $this->mType === 'signup' ) {
146 return $this->msg( 'createaccount' )->text();
147 } else {
148 return $this->msg( 'login' )->text();
149 }
150 }
151
152 /*
153 * @param $subPage string|null
154 */
155 public function execute( $subPage ) {
156 if ( session_id() == '' ) {
157 wfSetupSession();
158 }
159
160 $this->load();
161
162 // Check for [[Special:Userlogin/signup]]. This affects form display and
163 // page title.
164 if ( $subPage == 'signup' ) {
165 $this->mType = 'signup';
166 }
167 $this->setHeaders();
168
169 // If logging in and not on HTTPS, either redirect to it or offer a link.
170 global $wgSecureLogin;
171 if ( $this->mRequest->getProtocol() !== 'https' ) {
172 $title = $this->getFullTitle();
173 $query = array(
174 'returnto' => $this->mReturnTo,
175 'returntoquery' => $this->mReturnToQuery,
176 'title' => null,
177 ) + $this->mRequest->getQueryValues();
178 $url = $title->getFullURL( $query, false, PROTO_HTTPS );
179 if ( $wgSecureLogin && wfCanIPUseHTTPS( $this->getRequest()->getIP() ) ) {
180 $url = wfAppendQuery( $url, 'fromhttp=1' );
181 $this->getOutput()->redirect( $url );
182 // Since we only do this redir to change proto, always vary
183 $this->getOutput()->addVaryHeader( 'X-Forwarded-Proto' );
184 return;
185 } else {
186 // A wiki without HTTPS login support should set $wgServer to
187 // http://somehost, in which case the secure URL generated
188 // above won't actually start with https://
189 if ( substr( $url, 0, 8 ) === 'https://' ) {
190 $this->mSecureLoginUrl = $url;
191 }
192 }
193 }
194
195 if ( !is_null( $this->mCookieCheck ) ) {
196 $this->onCookieRedirectCheck( $this->mCookieCheck );
197 return;
198 } elseif ( $this->mPosted ) {
199 if ( $this->mCreateaccount ) {
200 $this->addNewAccount();
201 return;
202 } elseif ( $this->mCreateaccountMail ) {
203 $this->addNewAccountMailPassword();
204 return;
205 } elseif ( ( 'submitlogin' == $this->mAction ) || $this->mLoginattempt ) {
206 $this->processLogin();
207 return;
208 }
209 }
210 $this->mainLoginForm( '' );
211 }
212
213 /**
214 * @private
215 */
216 function addNewAccountMailPassword() {
217 if ( $this->mEmail == '' ) {
218 $this->mainLoginForm( $this->msg( 'noemailcreate' )->escaped() );
219 return;
220 }
221
222 $status = $this->addNewAccountInternal();
223 if ( !$status->isGood() ) {
224 $error = $status->getMessage();
225 $this->mainLoginForm( $error->toString() );
226 return;
227 }
228
229 $u = $status->getValue();
230
231 // Wipe the initial password and mail a temporary one
232 $u->setPassword( null );
233 $u->saveSettings();
234 $result = $this->mailPasswordInternal( $u, false, 'createaccount-title', 'createaccount-text' );
235
236 wfRunHooks( 'AddNewAccount', array( $u, true ) );
237 $u->addNewUserLogEntry( 'byemail', $this->mReason );
238
239 $out = $this->getOutput();
240 $out->setPageTitle( $this->msg( 'accmailtitle' ) );
241
242 if ( !$result->isGood() ) {
243 $this->mainLoginForm( $this->msg( 'mailerror', $result->getWikiText() )->text() );
244 } else {
245 $out->addWikiMsg( 'accmailtext', $u->getName(), $u->getEmail() );
246 $this->executeReturnTo( 'success' );
247 }
248 }
249
250 /**
251 * @private
252 * @return bool
253 */
254 function addNewAccount() {
255 global $wgContLang, $wgUser, $wgEmailAuthentication, $wgLoginLanguageSelector;
256
257 # Create the account and abort if there's a problem doing so
258 $status = $this->addNewAccountInternal();
259 if ( !$status->isGood() ) {
260 $error = $status->getMessage();
261 $this->mainLoginForm( $error->toString() );
262 return false;
263 }
264
265 $u = $status->getValue();
266
267 # Only save preferences if the user is not creating an account for someone else.
268 if ( $this->getUser()->isAnon() ) {
269 # If we showed up language selection links, and one was in use, be
270 # smart (and sensible) and save that language as the user's preference
271 if ( $wgLoginLanguageSelector && $this->mLanguage ) {
272 $u->setOption( 'language', $this->mLanguage );
273 } else {
274
275 # Otherwise the user's language preference defaults to $wgContLang,
276 # but it may be better to set it to their preferred $wgContLang variant,
277 # based on browser preferences or URL parameters.
278 $u->setOption( 'language', $wgContLang->getPreferredVariant() );
279 }
280 if ( $wgContLang->hasVariants() ) {
281 $u->setOption( 'variant', $wgContLang->getPreferredVariant() );
282 }
283 }
284
285 $out = $this->getOutput();
286
287 # Send out an email authentication message if needed
288 if ( $wgEmailAuthentication && Sanitizer::validateEmail( $u->getEmail() ) ) {
289 $status = $u->sendConfirmationMail();
290 if ( $status->isGood() ) {
291 $out->addWikiMsg( 'confirmemail_oncreate' );
292 } else {
293 $out->addWikiText( $status->getWikiText( 'confirmemail_sendfailed' ) );
294 }
295 }
296
297 # Save settings (including confirmation token)
298 $u->saveSettings();
299
300 # If not logged in, assume the new account as the current one and set
301 # session cookies then show a "welcome" message or a "need cookies"
302 # message as needed
303 if ( $this->getUser()->isAnon() ) {
304 $u->setCookies();
305 $wgUser = $u;
306 // This should set it for OutputPage and the Skin
307 // which is needed or the personal links will be
308 // wrong.
309 $this->getContext()->setUser( $u );
310 wfRunHooks( 'AddNewAccount', array( $u, false ) );
311 $u->addNewUserLogEntry( 'create' );
312 if ( $this->hasSessionCookie() ) {
313 $this->successfulCreation();
314 } else {
315 $this->cookieRedirectCheck( 'new' );
316 }
317 } else {
318 # Confirm that the account was created
319 $out->setPageTitle( $this->msg( 'accountcreated' ) );
320 $out->addWikiMsg( 'accountcreatedtext', $u->getName() );
321 $out->addReturnTo( $this->getPageTitle() );
322 wfRunHooks( 'AddNewAccount', array( $u, false ) );
323 $u->addNewUserLogEntry( 'create2', $this->mReason );
324 }
325 return true;
326 }
327
328 /**
329 * Make a new user account using the loaded data.
330 * @private
331 * @throws PermissionsError|ReadOnlyError
332 * @return Status
333 */
334 public function addNewAccountInternal() {
335 global $wgAuth, $wgMemc, $wgAccountCreationThrottle,
336 $wgMinimalPasswordLength, $wgEmailConfirmToEdit;
337
338 // If the user passes an invalid domain, something is fishy
339 if ( !$wgAuth->validDomain( $this->mDomain ) ) {
340 return Status::newFatal( 'wrongpassword' );
341 }
342
343 // If we are not allowing users to login locally, we should be checking
344 // to see if the user is actually able to authenticate to the authenti-
345 // cation server before they create an account (otherwise, they can
346 // create a local account and login as any domain user). We only need
347 // to check this for domains that aren't local.
348 if ( 'local' != $this->mDomain && $this->mDomain != '' ) {
349 if (
350 !$wgAuth->canCreateAccounts() &&
351 (
352 !$wgAuth->userExists( $this->mUsername ) ||
353 !$wgAuth->authenticate( $this->mUsername, $this->mPassword )
354 )
355 ) {
356 return Status::newFatal( 'wrongpassword' );
357 }
358 }
359
360 if ( wfReadOnly() ) {
361 throw new ReadOnlyError;
362 }
363
364 # Request forgery checks.
365 if ( !self::getCreateaccountToken() ) {
366 self::setCreateaccountToken();
367 return Status::newFatal( 'nocookiesfornew' );
368 }
369
370 # The user didn't pass a createaccount token
371 if ( !$this->mToken ) {
372 return Status::newFatal( 'sessionfailure' );
373 }
374
375 # Validate the createaccount token
376 if ( $this->mToken !== self::getCreateaccountToken() ) {
377 return Status::newFatal( 'sessionfailure' );
378 }
379
380 # Check permissions
381 $currentUser = $this->getUser();
382 $creationBlock = $currentUser->isBlockedFromCreateAccount();
383 if ( !$currentUser->isAllowed( 'createaccount' ) ) {
384 throw new PermissionsError( 'createaccount' );
385 } elseif ( $creationBlock instanceof Block ) {
386 // Throws an ErrorPageError.
387 $this->userBlockedMessage( $creationBlock );
388 // This should never be reached.
389 return false;
390 }
391
392 # Include checks that will include GlobalBlocking (Bug 38333)
393 $permErrors = $this->getPageTitle()->getUserPermissionsErrors( 'createaccount', $currentUser, true );
394 if ( count( $permErrors ) ) {
395 throw new PermissionsError( 'createaccount', $permErrors );
396 }
397
398 $ip = $this->getRequest()->getIP();
399 if ( $currentUser->isDnsBlacklisted( $ip, true /* check $wgProxyWhitelist */ ) ) {
400 return Status::newFatal( 'sorbs_create_account_reason' );
401 }
402
403 # Now create a dummy user ($u) and check if it is valid
404 $name = trim( $this->mUsername );
405 $u = User::newFromName( $name, 'creatable' );
406 if ( !is_object( $u ) ) {
407 return Status::newFatal( 'noname' );
408 } elseif ( 0 != $u->idForName() ) {
409 return Status::newFatal( 'userexists' );
410 }
411
412 if ( $this->mCreateaccountMail ) {
413 # do not force a password for account creation by email
414 # set invalid password, it will be replaced later by a random generated password
415 $this->mPassword = null;
416 } else {
417 if ( $this->mPassword !== $this->mRetype ) {
418 return Status::newFatal( 'badretype' );
419 }
420
421 # check for minimal password length
422 $valid = $u->getPasswordValidity( $this->mPassword );
423 if ( $valid !== true ) {
424 if ( !is_array( $valid ) ) {
425 $valid = array( $valid, $wgMinimalPasswordLength );
426 }
427 return call_user_func_array( 'Status::newFatal', $valid );
428 }
429 }
430
431 # if you need a confirmed email address to edit, then obviously you
432 # need an email address.
433 if ( $wgEmailConfirmToEdit && strval( $this->mEmail ) === '' ) {
434 return Status::newFatal( 'noemailtitle' );
435 }
436
437 if ( strval( $this->mEmail ) !== '' && !Sanitizer::validateEmail( $this->mEmail ) ) {
438 return Status::newFatal( 'invalidemailaddress' );
439 }
440
441 # Set some additional data so the AbortNewAccount hook can be used for
442 # more than just username validation
443 $u->setEmail( $this->mEmail );
444 $u->setRealName( $this->mRealName );
445
446 $abortError = '';
447 if ( !wfRunHooks( 'AbortNewAccount', array( $u, &$abortError ) ) ) {
448 // Hook point to add extra creation throttles and blocks
449 wfDebug( "LoginForm::addNewAccountInternal: a hook blocked creation\n" );
450 $abortError = new RawMessage( $abortError );
451 $abortError->text();
452 return Status::newFatal( $abortError );
453 }
454
455 // Hook point to check for exempt from account creation throttle
456 if ( !wfRunHooks( 'ExemptFromAccountCreationThrottle', array( $ip ) ) ) {
457 wfDebug( "LoginForm::exemptFromAccountCreationThrottle: a hook allowed account creation w/o throttle\n" );
458 } else {
459 if ( ( $wgAccountCreationThrottle && $currentUser->isPingLimitable() ) ) {
460 $key = wfMemcKey( 'acctcreate', 'ip', $ip );
461 $value = $wgMemc->get( $key );
462 if ( !$value ) {
463 $wgMemc->set( $key, 0, 86400 );
464 }
465 if ( $value >= $wgAccountCreationThrottle ) {
466 return Status::newFatal( 'acct_creation_throttle_hit', $wgAccountCreationThrottle );
467 }
468 $wgMemc->incr( $key );
469 }
470 }
471
472 if ( !$wgAuth->addUser( $u, $this->mPassword, $this->mEmail, $this->mRealName ) ) {
473 return Status::newFatal( 'externaldberror' );
474 }
475
476 self::clearCreateaccountToken();
477 return $this->initUser( $u, false );
478 }
479
480 /**
481 * Actually add a user to the database.
482 * Give it a User object that has been initialised with a name.
483 *
484 * @param $u User object.
485 * @param $autocreate boolean -- true if this is an autocreation via auth plugin
486 * @return Status object, with the User object in the value member on success
487 * @private
488 */
489 function initUser( $u, $autocreate ) {
490 global $wgAuth;
491
492 $status = $u->addToDatabase();
493 if ( !$status->isOK() ) {
494 return $status;
495 }
496
497 if ( $wgAuth->allowPasswordChange() ) {
498 $u->setPassword( $this->mPassword );
499 }
500
501 $u->setEmail( $this->mEmail );
502 $u->setRealName( $this->mRealName );
503 $u->setToken();
504
505 $wgAuth->initUser( $u, $autocreate );
506
507 $u->setOption( 'rememberpassword', $this->mRemember ? 1 : 0 );
508 $u->saveSettings();
509
510 // Update user count
511 DeferredUpdates::addUpdate( new SiteStatsUpdate( 0, 0, 0, 0, 1 ) );
512
513 // Watch user's userpage and talk page
514 $u->addWatch( $u->getUserPage(), WatchedItem::IGNORE_USER_RIGHTS );
515
516 return Status::newGood( $u );
517 }
518
519 /**
520 * Internally authenticate the login request.
521 *
522 * This may create a local account as a side effect if the
523 * authentication plugin allows transparent local account
524 * creation.
525 * @return int
526 */
527 public function authenticateUserData() {
528 global $wgUser, $wgAuth;
529
530 $this->load();
531
532 if ( $this->mUsername == '' ) {
533 return self::NO_NAME;
534 }
535
536 // We require a login token to prevent login CSRF
537 // Handle part of this before incrementing the throttle so
538 // token-less login attempts don't count towards the throttle
539 // but wrong-token attempts do.
540
541 // If the user doesn't have a login token yet, set one.
542 if ( !self::getLoginToken() ) {
543 self::setLoginToken();
544 return self::NEED_TOKEN;
545 }
546 // If the user didn't pass a login token, tell them we need one
547 if ( !$this->mToken ) {
548 return self::NEED_TOKEN;
549 }
550
551 $throttleCount = self::incLoginThrottle( $this->mUsername );
552 if ( $throttleCount === true ) {
553 return self::THROTTLED;
554 }
555
556 // Validate the login token
557 if ( $this->mToken !== self::getLoginToken() ) {
558 return self::WRONG_TOKEN;
559 }
560
561 // Load the current user now, and check to see if we're logging in as
562 // the same name. This is necessary because loading the current user
563 // (say by calling getName()) calls the UserLoadFromSession hook, which
564 // potentially creates the user in the database. Until we load $wgUser,
565 // checking for user existence using User::newFromName($name)->getId() below
566 // will effectively be using stale data.
567 if ( $this->getUser()->getName() === $this->mUsername ) {
568 wfDebug( __METHOD__ . ": already logged in as {$this->mUsername}\n" );
569 return self::SUCCESS;
570 }
571
572 $u = User::newFromName( $this->mUsername );
573 if ( !( $u instanceof User ) || !User::isUsableName( $u->getName() ) ) {
574 return self::ILLEGAL;
575 }
576
577 $isAutoCreated = false;
578 if ( $u->getID() == 0 ) {
579 $status = $this->attemptAutoCreate( $u );
580 if ( $status !== self::SUCCESS ) {
581 return $status;
582 } else {
583 $isAutoCreated = true;
584 }
585 } else {
586 $u->load();
587 }
588
589 // Give general extensions, such as a captcha, a chance to abort logins
590 $abort = self::ABORTED;
591 $msg = null;
592 if ( !wfRunHooks( 'AbortLogin', array( $u, $this->mPassword, &$abort, &$msg ) ) ) {
593 $this->mAbortLoginErrorMsg = $msg;
594 return $abort;
595 }
596
597 global $wgBlockDisablesLogin;
598 if ( !$u->checkPassword( $this->mPassword ) ) {
599 if ( $u->checkTemporaryPassword( $this->mPassword ) ) {
600 // The e-mailed temporary password should not be used for actu-
601 // al logins; that's a very sloppy habit, and insecure if an
602 // attacker has a few seconds to click "search" on someone's o-
603 // pen mail reader.
604 //
605 // Allow it to be used only to reset the password a single time
606 // to a new value, which won't be in the user's e-mail ar-
607 // chives.
608 //
609 // For backwards compatibility, we'll still recognize it at the
610 // login form to minimize surprises for people who have been
611 // logging in with a temporary password for some time.
612 //
613 // As a side-effect, we can authenticate the user's e-mail ad-
614 // dress if it's not already done, since the temporary password
615 // was sent via e-mail.
616 if ( !$u->isEmailConfirmed() ) {
617 $u->confirmEmail();
618 $u->saveSettings();
619 }
620
621 // At this point we just return an appropriate code/ indicating
622 // that the UI should show a password reset form; bot inter-
623 // faces etc will probably just fail cleanly here.
624 $retval = self::RESET_PASS;
625 } else {
626 $retval = ( $this->mPassword == '' ) ? self::EMPTY_PASS : self::WRONG_PASS;
627 }
628 } elseif ( $wgBlockDisablesLogin && $u->isBlocked() ) {
629 // If we've enabled it, make it so that a blocked user cannot login
630 $retval = self::USER_BLOCKED;
631 } else {
632 $wgAuth->updateUser( $u );
633 $wgUser = $u;
634 // This should set it for OutputPage and the Skin
635 // which is needed or the personal links will be
636 // wrong.
637 $this->getContext()->setUser( $u );
638
639 // Please reset throttle for successful logins, thanks!
640 if ( $throttleCount ) {
641 self::clearLoginThrottle( $this->mUsername );
642 }
643
644 if ( $isAutoCreated ) {
645 // Must be run after $wgUser is set, for correct new user log
646 wfRunHooks( 'AuthPluginAutoCreate', array( $u ) );
647 }
648
649 $retval = self::SUCCESS;
650 }
651 wfRunHooks( 'LoginAuthenticateAudit', array( $u, $this->mPassword, $retval ) );
652 return $retval;
653 }
654
655 /**
656 * Increment the login attempt throttle hit count for the (username,current IP)
657 * tuple unless the throttle was already reached.
658 * @param string $username The user name
659 * @return Bool|Integer The integer hit count or True if it is already at the limit
660 */
661 public static function incLoginThrottle( $username ) {
662 global $wgPasswordAttemptThrottle, $wgMemc, $wgRequest;
663 $username = trim( $username ); // sanity
664
665 $throttleCount = 0;
666 if ( is_array( $wgPasswordAttemptThrottle ) ) {
667 $throttleKey = wfMemcKey( 'password-throttle', $wgRequest->getIP(), md5( $username ) );
668 $count = $wgPasswordAttemptThrottle['count'];
669 $period = $wgPasswordAttemptThrottle['seconds'];
670
671 $throttleCount = $wgMemc->get( $throttleKey );
672 if ( !$throttleCount ) {
673 $wgMemc->add( $throttleKey, 1, $period ); // start counter
674 } elseif ( $throttleCount < $count ) {
675 $wgMemc->incr( $throttleKey );
676 } elseif ( $throttleCount >= $count ) {
677 return true;
678 }
679 }
680
681 return $throttleCount;
682 }
683
684 /**
685 * Clear the login attempt throttle hit count for the (username,current IP) tuple.
686 * @param string $username The user name
687 * @return void
688 */
689 public static function clearLoginThrottle( $username ) {
690 global $wgMemc, $wgRequest;
691 $username = trim( $username ); // sanity
692
693 $throttleKey = wfMemcKey( 'password-throttle', $wgRequest->getIP(), md5( $username ) );
694 $wgMemc->delete( $throttleKey );
695 }
696
697 /**
698 * Attempt to automatically create a user on login. Only succeeds if there
699 * is an external authentication method which allows it.
700 *
701 * @param $user User
702 *
703 * @return integer Status code
704 */
705 function attemptAutoCreate( $user ) {
706 global $wgAuth;
707
708 if ( $this->getUser()->isBlockedFromCreateAccount() ) {
709 wfDebug( __METHOD__ . ": user is blocked from account creation\n" );
710 return self::CREATE_BLOCKED;
711 }
712 if ( !$wgAuth->autoCreate() ) {
713 return self::NOT_EXISTS;
714 }
715 if ( !$wgAuth->userExists( $user->getName() ) ) {
716 wfDebug( __METHOD__ . ": user does not exist\n" );
717 return self::NOT_EXISTS;
718 }
719 if ( !$wgAuth->authenticate( $user->getName(), $this->mPassword ) ) {
720 wfDebug( __METHOD__ . ": \$wgAuth->authenticate() returned false, aborting\n" );
721 return self::WRONG_PLUGIN_PASS;
722 }
723
724 $abortError = '';
725 if ( !wfRunHooks( 'AbortAutoAccount', array( $user, &$abortError ) ) ) {
726 // Hook point to add extra creation throttles and blocks
727 wfDebug( "LoginForm::attemptAutoCreate: a hook blocked creation: $abortError\n" );
728 $this->mAbortLoginErrorMsg = $abortError;
729 return self::ABORTED;
730 }
731
732 wfDebug( __METHOD__ . ": creating account\n" );
733 $status = $this->initUser( $user, true );
734
735 if ( !$status->isOK() ) {
736 $errors = $status->getErrorsByType( 'error' );
737 $this->mAbortLoginErrorMsg = $errors[0]['message'];
738 return self::ABORTED;
739 }
740
741 return self::SUCCESS;
742 }
743
744 function processLogin() {
745 global $wgMemc, $wgLang, $wgSecureLogin, $wgPasswordAttemptThrottle;
746
747 switch ( $this->authenticateUserData() ) {
748 case self::SUCCESS:
749 # We've verified now, update the real record
750 $user = $this->getUser();
751 if ( (bool)$this->mRemember != $user->getBoolOption( 'rememberpassword' ) ) {
752 $user->setOption( 'rememberpassword', $this->mRemember ? 1 : 0 );
753 $user->saveSettings();
754 } else {
755 $user->invalidateCache();
756 }
757
758 if ( $user->requiresHTTPS() ) {
759 $this->mStickHTTPS = true;
760 }
761
762 if ( $wgSecureLogin && !$this->mStickHTTPS ) {
763 $user->setCookies( null, false );
764 } else {
765 $user->setCookies();
766 }
767 self::clearLoginToken();
768
769 // Reset the throttle
770 $request = $this->getRequest();
771 $key = wfMemcKey( 'password-throttle', $request->getIP(), md5( $this->mUsername ) );
772 $wgMemc->delete( $key );
773
774 if ( $this->hasSessionCookie() || $this->mSkipCookieCheck ) {
775 /* Replace the language object to provide user interface in
776 * correct language immediately on this first page load.
777 */
778 $code = $request->getVal( 'uselang', $user->getOption( 'language' ) );
779 $userLang = Language::factory( $code );
780 $wgLang = $userLang;
781 $this->getContext()->setLanguage( $userLang );
782 // Reset SessionID on Successful login (bug 40995)
783 $this->renewSessionId();
784 $this->successfulLogin();
785 } else {
786 $this->cookieRedirectCheck( 'login' );
787 }
788 break;
789
790 case self::NEED_TOKEN:
791 $error = $this->mAbortLoginErrorMsg ?: 'nocookiesforlogin';
792 $this->mainLoginForm( $this->msg( $error )->parse() );
793 break;
794 case self::WRONG_TOKEN:
795 $error = $this->mAbortLoginErrorMsg ?: 'sessionfailure';
796 $this->mainLoginForm( $this->msg( $error )->text() );
797 break;
798 case self::NO_NAME:
799 case self::ILLEGAL:
800 $error = $this->mAbortLoginErrorMsg ?: 'noname';
801 $this->mainLoginForm( $this->msg( $error )->text() );
802 break;
803 case self::WRONG_PLUGIN_PASS:
804 $error = $this->mAbortLoginErrorMsg ?: 'wrongpassword';
805 $this->mainLoginForm( $this->msg( $error )->text() );
806 break;
807 case self::NOT_EXISTS:
808 if ( $this->getUser()->isAllowed( 'createaccount' ) ) {
809 $error = $this->mAbortLoginErrorMsg ?: 'nosuchuser';
810 $this->mainLoginForm( $this->msg( $error,
811 wfEscapeWikiText( $this->mUsername ) )->parse() );
812 } else {
813 $error = $this->mAbortLoginErrorMsg ?: 'nosuchusershort';
814 $this->mainLoginForm( $this->msg( $error,
815 wfEscapeWikiText( $this->mUsername ) )->text() );
816 }
817 break;
818 case self::WRONG_PASS:
819 $error = $this->mAbortLoginErrorMsg ?: 'wrongpassword';
820 $this->mainLoginForm( $this->msg( $error )->text() );
821 break;
822 case self::EMPTY_PASS:
823 $error = $this->mAbortLoginErrorMsg ?: 'wrongpasswordempty';
824 $this->mainLoginForm( $this->msg( $error )->text() );
825 break;
826 case self::RESET_PASS:
827 $error = $this->mAbortLoginErrorMsg ?: 'resetpass_announce';
828 $this->resetLoginForm( $this->msg( $error )->text() );
829 break;
830 case self::CREATE_BLOCKED:
831 $this->userBlockedMessage( $this->getUser()->isBlockedFromCreateAccount() );
832 break;
833 case self::THROTTLED:
834 $error = $this->mAbortLoginErrorMsg ?: 'login-throttled';
835 $this->mainLoginForm( $this->msg( $error )
836 ->params ( $this->getLanguage()->formatDuration( $wgPasswordAttemptThrottle['seconds'] ) )
837 ->text()
838 );
839 break;
840 case self::USER_BLOCKED:
841 $error = $this->mAbortLoginErrorMsg ?: 'login-userblocked';
842 $this->mainLoginForm( $this->msg( $error, $this->mUsername )->escaped() );
843 break;
844 case self::ABORTED:
845 $error = $this->mAbortLoginErrorMsg ?: 'login-abort-generic';
846 $this->mainLoginForm( $this->msg( $error )->text() );
847 break;
848 default:
849 throw new MWException( 'Unhandled case value' );
850 }
851 }
852
853 /**
854 * @param $error string
855 */
856 function resetLoginForm( $error ) {
857 $this->getOutput()->addHTML( Xml::element( 'p', array( 'class' => 'error' ), $error ) );
858 $reset = new SpecialChangePassword();
859 $derivative = new DerivativeContext( $this->getContext() );
860 $derivative->setTitle( $reset->getPageTitle() );
861 $reset->setContext( $derivative );
862 $reset->execute( null );
863 }
864
865 /**
866 * @param $u User object
867 * @param $throttle Boolean
868 * @param string $emailTitle message name of email title
869 * @param string $emailText message name of email text
870 * @return Status object
871 */
872 function mailPasswordInternal( $u, $throttle = true, $emailTitle = 'passwordremindertitle', $emailText = 'passwordremindertext' ) {
873 global $wgNewPasswordExpiry;
874
875 if ( $u->getEmail() == '' ) {
876 return Status::newFatal( 'noemail', $u->getName() );
877 }
878 $ip = $this->getRequest()->getIP();
879 if ( !$ip ) {
880 return Status::newFatal( 'badipaddress' );
881 }
882
883 $currentUser = $this->getUser();
884 wfRunHooks( 'User::mailPasswordInternal', array( &$currentUser, &$ip, &$u ) );
885
886 $np = $u->randomPassword();
887 $u->setNewpassword( $np, $throttle );
888 $u->saveSettings();
889 $userLanguage = $u->getOption( 'language' );
890
891 $mainPage = Title::newMainPage();
892 $mainPageUrl = $mainPage->getCanonicalURL();
893
894 $m = $this->msg( $emailText, $ip, $u->getName(), $np, '<' . $mainPageUrl . '>',
895 round( $wgNewPasswordExpiry / 86400 ) )->inLanguage( $userLanguage )->text();
896 $result = $u->sendMail( $this->msg( $emailTitle )->inLanguage( $userLanguage )->text(), $m );
897
898 return $result;
899 }
900
901 /**
902 * Run any hooks registered for logins, then HTTP redirect to
903 * $this->mReturnTo (or Main Page if that's undefined). Formerly we had a
904 * nice message here, but that's really not as useful as just being sent to
905 * wherever you logged in from. It should be clear that the action was
906 * successful, given the lack of error messages plus the appearance of your
907 * name in the upper right.
908 *
909 * @private
910 */
911 function successfulLogin() {
912 # Run any hooks; display injected HTML if any, else redirect
913 $currentUser = $this->getUser();
914 $injected_html = '';
915 wfRunHooks( 'UserLoginComplete', array( &$currentUser, &$injected_html ) );
916
917 if ( $injected_html !== '' ) {
918 $this->displaySuccessfulAction( $this->msg( 'loginsuccesstitle' ),
919 'loginsuccess', $injected_html );
920 } else {
921 $this->executeReturnTo( 'successredirect' );
922 }
923 }
924
925 /**
926 * Run any hooks registered for logins, then display a message welcoming
927 * the user.
928 *
929 * @private
930 */
931 function successfulCreation() {
932 # Run any hooks; display injected HTML
933 $currentUser = $this->getUser();
934 $injected_html = '';
935 $welcome_creation_msg = 'welcomecreation-msg';
936
937 wfRunHooks( 'UserLoginComplete', array( &$currentUser, &$injected_html ) );
938
939 /**
940 * Let any extensions change what message is shown.
941 * @see https://www.mediawiki.org/wiki/Manual:Hooks/BeforeWelcomeCreation
942 * @since 1.18
943 */
944 wfRunHooks( 'BeforeWelcomeCreation', array( &$welcome_creation_msg, &$injected_html ) );
945
946 $this->displaySuccessfulAction( $this->msg( 'welcomeuser', $this->getUser()->getName() ),
947 $welcome_creation_msg, $injected_html );
948 }
949
950 /**
951 * Display an "successful action" page.
952 *
953 * @param string|Message $title page's title
954 * @param $msgname string
955 * @param $injected_html string
956 */
957 private function displaySuccessfulAction( $title, $msgname, $injected_html ) {
958 $out = $this->getOutput();
959 $out->setPageTitle( $title );
960 if ( $msgname ) {
961 $out->addWikiMsg( $msgname, wfEscapeWikiText( $this->getUser()->getName() ) );
962 }
963
964 $out->addHTML( $injected_html );
965
966 $this->executeReturnTo( 'success' );
967 }
968
969 /**
970 * Output a message that informs the user that they cannot create an account because
971 * there is a block on them or their IP which prevents account creation. Note that
972 * User::isBlockedFromCreateAccount(), which gets this block, ignores the 'hardblock'
973 * setting on blocks (bug 13611).
974 * @param $block Block the block causing this error
975 * @throws ErrorPageError
976 */
977 function userBlockedMessage( Block $block ) {
978 # Let's be nice about this, it's likely that this feature will be used
979 # for blocking large numbers of innocent people, e.g. range blocks on
980 # schools. Don't blame it on the user. There's a small chance that it
981 # really is the user's fault, i.e. the username is blocked and they
982 # haven't bothered to log out before trying to create an account to
983 # evade it, but we'll leave that to their guilty conscience to figure
984 # out.
985 $errorParams = array(
986 $block->getTarget(),
987 $block->mReason ? $block->mReason : $this->msg( 'blockednoreason' )->text(),
988 $block->getByName()
989 );
990
991 if ( $block->getType() === Block::TYPE_RANGE ) {
992 $errorMessage = 'cantcreateaccount-range-text';
993 $errorParams[] = $this->getRequest()->getIP();
994 } else {
995 $errorMessage = 'cantcreateaccount-text';
996 }
997
998 throw new ErrorPageError(
999 'cantcreateaccounttitle',
1000 $errorMessage,
1001 $errorParams
1002 );
1003 }
1004
1005 /**
1006 * Add a "return to" link or redirect to it.
1007 * Extensions can use this to reuse the "return to" logic after
1008 * inject steps (such as redirection) into the login process.
1009 *
1010 * @param $type string, one of the following:
1011 * - error: display a return to link ignoring $wgRedirectOnLogin
1012 * - success: display a return to link using $wgRedirectOnLogin if needed
1013 * - successredirect: send an HTTP redirect using $wgRedirectOnLogin if needed
1014 * @param string $returnTo
1015 * @param array|string $returnToQuery
1016 * @param bool $stickHTTPs Keep redirect link on HTTPs
1017 * @since 1.22
1018 */
1019 public function showReturnToPage(
1020 $type, $returnTo = '', $returnToQuery = '', $stickHTTPs = false
1021 ) {
1022 $this->mReturnTo = $returnTo;
1023 $this->mReturnToQuery = $returnToQuery;
1024 $this->mStickHTTPS = $stickHTTPs;
1025 $this->executeReturnTo( $type );
1026 }
1027
1028 /**
1029 * Add a "return to" link or redirect to it.
1030 *
1031 * @param $type string, one of the following:
1032 * - error: display a return to link ignoring $wgRedirectOnLogin
1033 * - success: display a return to link using $wgRedirectOnLogin if needed
1034 * - successredirect: send an HTTP redirect using $wgRedirectOnLogin if needed
1035 */
1036 private function executeReturnTo( $type ) {
1037 global $wgRedirectOnLogin, $wgSecureLogin;
1038
1039 if ( $type != 'error' && $wgRedirectOnLogin !== null ) {
1040 $returnTo = $wgRedirectOnLogin;
1041 $returnToQuery = array();
1042 } else {
1043 $returnTo = $this->mReturnTo;
1044 $returnToQuery = wfCgiToArray( $this->mReturnToQuery );
1045 }
1046
1047 $returnToTitle = Title::newFromText( $returnTo );
1048 if ( !$returnToTitle ) {
1049 $returnToTitle = Title::newMainPage();
1050 }
1051
1052 if ( $wgSecureLogin && !$this->mStickHTTPS ) {
1053 $options = array( 'http' );
1054 $proto = PROTO_HTTP;
1055 } elseif ( $wgSecureLogin ) {
1056 $options = array( 'https' );
1057 $proto = PROTO_HTTPS;
1058 } else {
1059 $options = array();
1060 $proto = PROTO_RELATIVE;
1061 }
1062
1063 if ( $type == 'successredirect' ) {
1064 $redirectUrl = $returnToTitle->getFullURL( $returnToQuery, false, $proto );
1065 $this->getOutput()->redirect( $redirectUrl );
1066 } else {
1067 $this->getOutput()->addReturnTo( $returnToTitle, $returnToQuery, null, $options );
1068 }
1069 }
1070
1071 /**
1072 * @private
1073 */
1074 function mainLoginForm( $msg, $msgtype = 'error' ) {
1075 global $wgEnableEmail, $wgEnableUserEmail;
1076 global $wgHiddenPrefs, $wgLoginLanguageSelector;
1077 global $wgAuth, $wgEmailConfirmToEdit, $wgCookieExpiration;
1078 global $wgSecureLogin, $wgPasswordResetRoutes;
1079
1080 $titleObj = $this->getPageTitle();
1081 $user = $this->getUser();
1082 $out = $this->getOutput();
1083
1084 if ( $this->mType == 'signup' ) {
1085 // Block signup here if in readonly. Keeps user from
1086 // going through the process (filling out data, etc)
1087 // and being informed later.
1088 $permErrors = $titleObj->getUserPermissionsErrors( 'createaccount', $user, true );
1089 if ( count( $permErrors ) ) {
1090 throw new PermissionsError( 'createaccount', $permErrors );
1091 } elseif ( $user->isBlockedFromCreateAccount() ) {
1092 $this->userBlockedMessage( $user->isBlockedFromCreateAccount() );
1093 return;
1094 } elseif ( wfReadOnly() ) {
1095 throw new ReadOnlyError;
1096 }
1097 }
1098
1099 // Pre-fill username (if not creating an account, bug 44775).
1100 if ( $this->mUsername == '' && $this->mType != 'signup' ) {
1101 if ( $user->isLoggedIn() ) {
1102 $this->mUsername = $user->getName();
1103 } else {
1104 $this->mUsername = $this->getRequest()->getCookie( 'UserName' );
1105 }
1106 }
1107
1108 // Generic styles and scripts for both login and signup form
1109 $out->addModuleStyles( array(
1110 'mediawiki.ui',
1111 'mediawiki.ui.button',
1112 'mediawiki.special.userlogin.common.styles'
1113 ) );
1114 $out->addModules( array(
1115 'mediawiki.special.userlogin.common.js'
1116 ) );
1117
1118 if ( $this->mType == 'signup' ) {
1119 // XXX hack pending RL or JS parse() support for complex content messages
1120 // https://bugzilla.wikimedia.org/show_bug.cgi?id=25349
1121 $out->addJsConfigVars( 'wgCreateacctImgcaptchaHelp',
1122 $this->msg( 'createacct-imgcaptcha-help' )->parse() );
1123
1124 // Additional styles and scripts for signup form
1125 $out->addModules( array(
1126 'mediawiki.special.userlogin.signup.js'
1127 ) );
1128 $out->addModuleStyles( array(
1129 'mediawiki.special.userlogin.signup.styles'
1130 ) );
1131
1132 $template = new UsercreateTemplate();
1133
1134 // Must match number of benefits defined in messages
1135 $template->set( 'benefitCount', 3 );
1136
1137 $q = 'action=submitlogin&type=signup';
1138 $linkq = 'type=login';
1139 } else {
1140 // Additional styles for login form
1141 $out->addModuleStyles( array(
1142 'mediawiki.special.userlogin.login.styles'
1143 ) );
1144
1145 $template = new UserloginTemplate();
1146
1147 $q = 'action=submitlogin&type=login';
1148 $linkq = 'type=signup';
1149 }
1150
1151 if ( $this->mReturnTo !== '' ) {
1152 $returnto = '&returnto=' . wfUrlencode( $this->mReturnTo );
1153 if ( $this->mReturnToQuery !== '' ) {
1154 $returnto .= '&returntoquery=' .
1155 wfUrlencode( $this->mReturnToQuery );
1156 }
1157 $q .= $returnto;
1158 $linkq .= $returnto;
1159 }
1160
1161 # Don't show a "create account" link if the user can't.
1162 if ( $this->showCreateOrLoginLink( $user ) ) {
1163 # Pass any language selection on to the mode switch link
1164 if ( $wgLoginLanguageSelector && $this->mLanguage ) {
1165 $linkq .= '&uselang=' . $this->mLanguage;
1166 }
1167 // Supply URL, login template creates the button.
1168 $template->set( 'createOrLoginHref', $titleObj->getLocalURL( $linkq ) );
1169 } else {
1170 $template->set( 'link', '' );
1171 }
1172
1173 $resetLink = $this->mType == 'signup'
1174 ? null
1175 : is_array( $wgPasswordResetRoutes ) && in_array( true, array_values( $wgPasswordResetRoutes ) );
1176
1177 $template->set( 'header', '' );
1178 $template->set( 'skin', $this->getSkin() );
1179 $template->set( 'name', $this->mUsername );
1180 $template->set( 'password', $this->mPassword );
1181 $template->set( 'retype', $this->mRetype );
1182 $template->set( 'createemailset', $this->mCreateaccountMail );
1183 $template->set( 'email', $this->mEmail );
1184 $template->set( 'realname', $this->mRealName );
1185 $template->set( 'domain', $this->mDomain );
1186 $template->set( 'reason', $this->mReason );
1187
1188 $template->set( 'action', $titleObj->getLocalURL( $q ) );
1189 $template->set( 'message', $msg );
1190 $template->set( 'messagetype', $msgtype );
1191 $template->set( 'createemail', $wgEnableEmail && $user->isLoggedIn() );
1192 $template->set( 'userealname', !in_array( 'realname', $wgHiddenPrefs ) );
1193 $template->set( 'useemail', $wgEnableEmail );
1194 $template->set( 'emailrequired', $wgEmailConfirmToEdit );
1195 $template->set( 'emailothers', $wgEnableUserEmail );
1196 $template->set( 'canreset', $wgAuth->allowPasswordChange() );
1197 $template->set( 'resetlink', $resetLink );
1198 $template->set( 'canremember', ( $wgCookieExpiration > 0 ) );
1199 $template->set( 'usereason', $user->isLoggedIn() );
1200 $template->set( 'remember', $user->getOption( 'rememberpassword' ) || $this->mRemember );
1201 $template->set( 'cansecurelogin', ( $wgSecureLogin === true ) );
1202 $template->set( 'stickhttps', (int)$this->mStickHTTPS );
1203 $template->set( 'loggedin', $user->isLoggedIn() );
1204 $template->set( 'loggedinuser', $user->getName() );
1205
1206 if ( $this->mType == 'signup' ) {
1207 if ( !self::getCreateaccountToken() ) {
1208 self::setCreateaccountToken();
1209 }
1210 $template->set( 'token', self::getCreateaccountToken() );
1211 } else {
1212 if ( !self::getLoginToken() ) {
1213 self::setLoginToken();
1214 }
1215 $template->set( 'token', self::getLoginToken() );
1216 }
1217
1218 # Prepare language selection links as needed
1219 if ( $wgLoginLanguageSelector ) {
1220 $template->set( 'languages', $this->makeLanguageSelector() );
1221 if ( $this->mLanguage ) {
1222 $template->set( 'uselang', $this->mLanguage );
1223 }
1224 }
1225
1226 $template->set( 'secureLoginUrl', $this->mSecureLoginUrl );
1227 // Use loginend-https for HTTPS requests if it's not blank, loginend otherwise
1228 // Ditto for signupend. New forms use neither.
1229 $usingHTTPS = $this->mRequest->getProtocol() == 'https';
1230 $loginendHTTPS = $this->msg( 'loginend-https' );
1231 $signupendHTTPS = $this->msg( 'signupend-https' );
1232 if ( $usingHTTPS && !$loginendHTTPS->isBlank() ) {
1233 $template->set( 'loginend', $loginendHTTPS->parse() );
1234 } else {
1235 $template->set( 'loginend', $this->msg( 'loginend' )->parse() );
1236 }
1237 if ( $usingHTTPS && !$signupendHTTPS->isBlank() ) {
1238 $template->set( 'signupend', $signupendHTTPS->parse() );
1239 } else {
1240 $template->set( 'signupend', $this->msg( 'signupend' )->parse() );
1241 }
1242
1243 // Give authentication and captcha plugins a chance to modify the form
1244 $wgAuth->modifyUITemplate( $template, $this->mType );
1245 if ( $this->mType == 'signup' ) {
1246 wfRunHooks( 'UserCreateForm', array( &$template ) );
1247 } else {
1248 wfRunHooks( 'UserLoginForm', array( &$template ) );
1249 }
1250
1251 $out->disallowUserJs(); // just in case...
1252 $out->addTemplate( $template );
1253 }
1254
1255 /**
1256 * Whether the login/create account form should display a link to the
1257 * other form (in addition to whatever the skin provides).
1258 *
1259 * @param $user User
1260 * @return bool
1261 */
1262 private function showCreateOrLoginLink( &$user ) {
1263 if ( $this->mType == 'signup' ) {
1264 return true;
1265 } elseif ( $user->isAllowed( 'createaccount' ) ) {
1266 return true;
1267 } else {
1268 return false;
1269 }
1270 }
1271
1272 /**
1273 * Check if a session cookie is present.
1274 *
1275 * This will not pick up a cookie set during _this_ request, but is meant
1276 * to ensure that the client is returning the cookie which was set on a
1277 * previous pass through the system.
1278 *
1279 * @private
1280 * @return bool
1281 */
1282 function hasSessionCookie() {
1283 global $wgDisableCookieCheck;
1284 return $wgDisableCookieCheck ? true : $this->getRequest()->checkSessionCookie();
1285 }
1286
1287 /**
1288 * Get the login token from the current session
1289 * @return Mixed
1290 */
1291 public static function getLoginToken() {
1292 global $wgRequest;
1293 return $wgRequest->getSessionData( 'wsLoginToken' );
1294 }
1295
1296 /**
1297 * Randomly generate a new login token and attach it to the current session
1298 */
1299 public static function setLoginToken() {
1300 global $wgRequest;
1301 // Generate a token directly instead of using $user->editToken()
1302 // because the latter reuses $_SESSION['wsEditToken']
1303 $wgRequest->setSessionData( 'wsLoginToken', MWCryptRand::generateHex( 32 ) );
1304 }
1305
1306 /**
1307 * Remove any login token attached to the current session
1308 */
1309 public static function clearLoginToken() {
1310 global $wgRequest;
1311 $wgRequest->setSessionData( 'wsLoginToken', null );
1312 }
1313
1314 /**
1315 * Get the createaccount token from the current session
1316 * @return Mixed
1317 */
1318 public static function getCreateaccountToken() {
1319 global $wgRequest;
1320 return $wgRequest->getSessionData( 'wsCreateaccountToken' );
1321 }
1322
1323 /**
1324 * Randomly generate a new createaccount token and attach it to the current session
1325 */
1326 public static function setCreateaccountToken() {
1327 global $wgRequest;
1328 $wgRequest->setSessionData( 'wsCreateaccountToken', MWCryptRand::generateHex( 32 ) );
1329 }
1330
1331 /**
1332 * Remove any createaccount token attached to the current session
1333 */
1334 public static function clearCreateaccountToken() {
1335 global $wgRequest;
1336 $wgRequest->setSessionData( 'wsCreateaccountToken', null );
1337 }
1338
1339 /**
1340 * Renew the user's session id, using strong entropy
1341 */
1342 private function renewSessionId() {
1343 global $wgSecureLogin, $wgCookieSecure;
1344 if ( $wgSecureLogin && !$this->mStickHTTPS ) {
1345 $wgCookieSecure = false;
1346 }
1347
1348 wfResetSessionID();
1349 }
1350
1351 /**
1352 * @private
1353 */
1354 function cookieRedirectCheck( $type ) {
1355 $titleObj = SpecialPage::getTitleFor( 'Userlogin' );
1356 $query = array( 'wpCookieCheck' => $type );
1357 if ( $this->mReturnTo !== '' ) {
1358 $query['returnto'] = $this->mReturnTo;
1359 $query['returntoquery'] = $this->mReturnToQuery;
1360 }
1361 $check = $titleObj->getFullURL( $query );
1362
1363 $this->getOutput()->redirect( $check );
1364 }
1365
1366 /**
1367 * @private
1368 */
1369 function onCookieRedirectCheck( $type ) {
1370 if ( !$this->hasSessionCookie() ) {
1371 if ( $type == 'new' ) {
1372 $this->mainLoginForm( $this->msg( 'nocookiesnew' )->parse() );
1373 } elseif ( $type == 'login' ) {
1374 $this->mainLoginForm( $this->msg( 'nocookieslogin' )->parse() );
1375 } else {
1376 # shouldn't happen
1377 $this->mainLoginForm( $this->msg( 'error' )->text() );
1378 }
1379 } else {
1380 $this->successfulLogin();
1381 }
1382 }
1383
1384 /**
1385 * Produce a bar of links which allow the user to select another language
1386 * during login/registration but retain "returnto"
1387 *
1388 * @return string
1389 */
1390 function makeLanguageSelector() {
1391 $msg = $this->msg( 'loginlanguagelinks' )->inContentLanguage();
1392 if ( !$msg->isBlank() ) {
1393 $langs = explode( "\n", $msg->text() );
1394 $links = array();
1395 foreach ( $langs as $lang ) {
1396 $lang = trim( $lang, '* ' );
1397 $parts = explode( '|', $lang );
1398 if ( count( $parts ) >= 2 ) {
1399 $links[] = $this->makeLanguageSelectorLink( $parts[0], trim( $parts[1] ) );
1400 }
1401 }
1402 return count( $links ) > 0 ? $this->msg( 'loginlanguagelabel' )->rawParams(
1403 $this->getLanguage()->pipeList( $links ) )->escaped() : '';
1404 } else {
1405 return '';
1406 }
1407 }
1408
1409 /**
1410 * Create a language selector link for a particular language
1411 * Links back to this page preserving type and returnto
1412 *
1413 * @param string $text Link text
1414 * @param string $lang Language code
1415 * @return string
1416 */
1417 function makeLanguageSelectorLink( $text, $lang ) {
1418 if ( $this->getLanguage()->getCode() == $lang ) {
1419 // no link for currently used language
1420 return htmlspecialchars( $text );
1421 }
1422 $query = array( 'uselang' => $lang );
1423 if ( $this->mType == 'signup' ) {
1424 $query['type'] = 'signup';
1425 }
1426 if ( $this->mReturnTo !== '' ) {
1427 $query['returnto'] = $this->mReturnTo;
1428 $query['returntoquery'] = $this->mReturnToQuery;
1429 }
1430
1431 $attr = array();
1432 $targetLanguage = Language::factory( $lang );
1433 $attr['lang'] = $attr['hreflang'] = $targetLanguage->getHtmlCode();
1434
1435 return Linker::linkKnown(
1436 $this->getPageTitle(),
1437 htmlspecialchars( $text ),
1438 $attr,
1439 $query
1440 );
1441 }
1442
1443 protected function getGroupName() {
1444 return 'login';
1445 }
1446 }