* Added 'PageRenderingHash' hook for changing the parser cache hash key
[lhc/web/wiklou.git] / includes / User.php
1 <?php
2 /**
3 * See user.txt
4 *
5 * @package MediaWiki
6 */
7
8 /**
9 *
10 */
11 require_once( 'WatchedItem.php' );
12
13 # Number of characters in user_token field
14 define( 'USER_TOKEN_LENGTH', 32 );
15
16 # Serialized record version
17 define( 'MW_USER_VERSION', 3 );
18
19 /**
20 *
21 * @package MediaWiki
22 */
23 class User {
24 /**#@+
25 * @access private
26 */
27 var $mId, $mName, $mPassword, $mEmail, $mNewtalk;
28 var $mEmailAuthenticated;
29 var $mRights, $mOptions;
30 var $mDataLoaded, $mNewpassword;
31 var $mSkin;
32 var $mBlockedby, $mBlockreason;
33 var $mTouched;
34 var $mToken;
35 var $mRealName;
36 var $mHash;
37 var $mGroups;
38 var $mVersion; // serialized version
39 var $mRegistration;
40
41 /** Construct using User:loadDefaults() */
42 function User() {
43 $this->loadDefaults();
44 $this->mVersion = MW_USER_VERSION;
45 }
46
47 /**
48 * Static factory method
49 * @param string $name Username, validated by Title:newFromText()
50 * @return User
51 * @static
52 */
53 function newFromName( $name ) {
54 # Force usernames to capital
55 global $wgContLang;
56 $name = $wgContLang->ucfirst( $name );
57
58 # Clean up name according to title rules
59 $t = Title::newFromText( $name );
60 if( is_null( $t ) ) {
61 return null;
62 }
63
64 # Reject various classes of invalid names
65 $canonicalName = $t->getText();
66 global $wgAuth;
67 $canonicalName = $wgAuth->getCanonicalName( $t->getText() );
68
69 if( !User::isValidUserName( $canonicalName ) ) {
70 return null;
71 }
72
73 $u = new User();
74 $u->setName( $canonicalName );
75 $u->setId( $u->idFromName( $canonicalName ) );
76 return $u;
77 }
78
79 /**
80 * Factory method to fetch whichever use has a given email confirmation code.
81 * This code is generated when an account is created or its e-mail address
82 * has changed.
83 *
84 * If the code is invalid or has expired, returns NULL.
85 *
86 * @param string $code
87 * @return User
88 * @static
89 */
90 function newFromConfirmationCode( $code ) {
91 $dbr =& wfGetDB( DB_SLAVE );
92 $name = $dbr->selectField( 'user', 'user_name', array(
93 'user_email_token' => md5( $code ),
94 'user_email_token_expires > ' . $dbr->addQuotes( $dbr->timestamp() ),
95 ) );
96 if( is_string( $name ) ) {
97 return User::newFromName( $name );
98 } else {
99 return null;
100 }
101 }
102
103 /**
104 * Serialze sleep function, for better cache efficiency and avoidance of
105 * silly "incomplete type" errors when skins are cached
106 */
107 function __sleep() {
108 return array( 'mId', 'mName', 'mPassword', 'mEmail', 'mNewtalk',
109 'mEmailAuthenticated', 'mRights', 'mOptions', 'mDataLoaded',
110 'mNewpassword', 'mBlockedby', 'mBlockreason', 'mTouched',
111 'mToken', 'mRealName', 'mHash', 'mGroups', 'mRegistration' );
112 }
113
114 /**
115 * Get username given an id.
116 * @param integer $id Database user id
117 * @return string Nickname of a user
118 * @static
119 */
120 function whoIs( $id ) {
121 $dbr =& wfGetDB( DB_SLAVE );
122 return $dbr->selectField( 'user', 'user_name', array( 'user_id' => $id ), 'User::whoIs' );
123 }
124
125 /**
126 * Get real username given an id.
127 * @param integer $id Database user id
128 * @return string Realname of a user
129 * @static
130 */
131 function whoIsReal( $id ) {
132 $dbr =& wfGetDB( DB_SLAVE );
133 return $dbr->selectField( 'user', 'user_real_name', array( 'user_id' => $id ), 'User::whoIsReal' );
134 }
135
136 /**
137 * Get database id given a user name
138 * @param string $name Nickname of a user
139 * @return integer|null Database user id (null: if non existent
140 * @static
141 */
142 function idFromName( $name ) {
143 $fname = "User::idFromName";
144
145 $nt = Title::newFromText( $name );
146 if( is_null( $nt ) ) {
147 # Illegal name
148 return null;
149 }
150 $dbr =& wfGetDB( DB_SLAVE );
151 $s = $dbr->selectRow( 'user', array( 'user_id' ), array( 'user_name' => $nt->getText() ), $fname );
152
153 if ( $s === false ) {
154 return 0;
155 } else {
156 return $s->user_id;
157 }
158 }
159
160 /**
161 * does the string match an anonymous IPv4 address?
162 *
163 * Note: We match \d{1,3}\.\d{1,3}\.\d{1,3}\.xxx as an anonymous IP
164 * address because the usemod software would "cloak" anonymous IP
165 * addresses like this, if we allowed accounts like this to be created
166 * new users could get the old edits of these anonymous users.
167 *
168 * @bug 3631
169 *
170 * @static
171 * @param string $name Nickname of a user
172 * @return bool
173 */
174 function isIP( $name ) {
175 return preg_match("/^\d{1,3}\.\d{1,3}\.\d{1,3}\.(?:xxx|\d{1,3})$/",$name);
176 /*return preg_match("/^
177 (?:[01]?\d{1,2}|2(:?[0-4]\d|5[0-5]))\.
178 (?:[01]?\d{1,2}|2(:?[0-4]\d|5[0-5]))\.
179 (?:[01]?\d{1,2}|2(:?[0-4]\d|5[0-5]))\.
180 (?:[01]?\d{1,2}|2(:?[0-4]\d|5[0-5]))
181 $/x", $name);*/
182 }
183
184 /**
185 * Is the input a valid username?
186 *
187 * Checks if the input is a valid username, we don't want an empty string,
188 * an IP address, anything that containins slashes (would mess up subpages),
189 * is longer than the maximum allowed username size or doesn't begin with
190 * a capital letter.
191 *
192 * @param string $name
193 * @return bool
194 * @static
195 */
196 function isValidUserName( $name ) {
197 global $wgContLang, $wgMaxNameChars;
198
199 if ( $name == ''
200 || User::isIP( $name )
201 || strpos( $name, '/' ) !== false
202 || strlen( $name ) > $wgMaxNameChars
203 || $name != $wgContLang->ucfirst( $name ) )
204 return false;
205
206 // Ensure that the name can't be misresolved as a different title,
207 // such as with extra namespace keys at the start.
208 $parsed = Title::newFromText( $name );
209 if( is_null( $parsed )
210 || $parsed->getNamespace()
211 || strcmp( $name, $parsed->getPrefixedText() ) )
212 return false;
213 else
214 return true;
215 }
216
217 /**
218 * Is the input a valid password?
219 *
220 * @param string $password
221 * @return bool
222 * @static
223 */
224 function isValidPassword( $password ) {
225 global $wgMinimalPasswordLength;
226 return strlen( $password ) >= $wgMinimalPasswordLength;
227 }
228
229 /**
230 * Does the string match roughly an email address ?
231 *
232 * There used to be a regular expression here, it got removed because it
233 * rejected valid addresses. Actually just check if there is '@' somewhere
234 * in the given address.
235 *
236 * @todo Check for RFC 2822 compilance
237 * @bug 959
238 *
239 * @param string $addr email address
240 * @static
241 * @return bool
242 */
243 function isValidEmailAddr ( $addr ) {
244 return ( trim( $addr ) != '' ) &&
245 (false !== strpos( $addr, '@' ) );
246 }
247
248 /**
249 * Count the number of edits of a user
250 *
251 * @param int $uid The user ID to check
252 * @return int
253 */
254 function edits( $uid ) {
255 $fname = 'User::edits';
256
257 $dbr =& wfGetDB( DB_SLAVE );
258 return $dbr->selectField(
259 'revision', 'count(*)',
260 array( 'rev_user' => $uid ),
261 $fname
262 );
263 }
264
265 /**
266 * probably return a random password
267 * @return string probably a random password
268 * @static
269 * @todo Check what is doing really [AV]
270 */
271 function randomPassword() {
272 global $wgMinimalPasswordLength;
273 $pwchars = 'ABCDEFGHJKLMNPQRSTUVWXYZabcdefghjkmnpqrstuvwxyz';
274 $l = strlen( $pwchars ) - 1;
275
276 $pwlength = max( 7, $wgMinimalPasswordLength );
277 $digit = mt_rand(0, $pwlength - 1);
278 $np = '';
279 for ( $i = 0; $i < $pwlength; $i++ ) {
280 $np .= $i == $digit ? chr( mt_rand(48, 57) ) : $pwchars{ mt_rand(0, $l)};
281 }
282 return $np;
283 }
284
285 /**
286 * Set properties to default
287 * Used at construction. It will load per language default settings only
288 * if we have an available language object.
289 */
290 function loadDefaults() {
291 static $n=0;
292 $n++;
293 $fname = 'User::loadDefaults' . $n;
294 wfProfileIn( $fname );
295
296 global $wgContLang, $wgDBname;
297 global $wgNamespacesToBeSearchedDefault;
298
299 $this->mId = 0;
300 $this->mNewtalk = -1;
301 $this->mName = false;
302 $this->mRealName = $this->mEmail = '';
303 $this->mEmailAuthenticated = null;
304 $this->mPassword = $this->mNewpassword = '';
305 $this->mRights = array();
306 $this->mGroups = array();
307 $this->mOptions = User::getDefaultOptions();
308
309 foreach( $wgNamespacesToBeSearchedDefault as $nsnum => $val ) {
310 $this->mOptions['searchNs'.$nsnum] = $val;
311 }
312 unset( $this->mSkin );
313 $this->mDataLoaded = false;
314 $this->mBlockedby = -1; # Unset
315 $this->setToken(); # Random
316 $this->mHash = false;
317
318 if ( isset( $_COOKIE[$wgDBname.'LoggedOut'] ) ) {
319 $this->mTouched = wfTimestamp( TS_MW, $_COOKIE[$wgDBname.'LoggedOut'] );
320 }
321 else {
322 $this->mTouched = '0'; # Allow any pages to be cached
323 }
324
325 $this->mRegistration = wfTimestamp( TS_MW );
326
327 wfProfileOut( $fname );
328 }
329
330 /**
331 * Combine the language default options with any site-specific options
332 * and add the default language variants.
333 *
334 * @return array
335 * @static
336 * @access private
337 */
338 function getDefaultOptions() {
339 /**
340 * Site defaults will override the global/language defaults
341 */
342 global $wgContLang, $wgDefaultUserOptions;
343 $defOpt = $wgDefaultUserOptions + $wgContLang->getDefaultUserOptions();
344
345 /**
346 * default language setting
347 */
348 $variant = $wgContLang->getPreferredVariant();
349 $defOpt['variant'] = $variant;
350 $defOpt['language'] = $variant;
351
352 return $defOpt;
353 }
354
355 /**
356 * Get a given default option value.
357 *
358 * @param string $opt
359 * @return string
360 * @static
361 * @access public
362 */
363 function getDefaultOption( $opt ) {
364 $defOpts = User::getDefaultOptions();
365 if( isset( $defOpts[$opt] ) ) {
366 return $defOpts[$opt];
367 } else {
368 return '';
369 }
370 }
371
372 /**
373 * Get blocking information
374 * @access private
375 * @param bool $bFromSlave Specify whether to check slave or master. To improve performance,
376 * non-critical checks are done against slaves. Check when actually saving should be done against
377 * master.
378 */
379 function getBlockedStatus( $bFromSlave = true ) {
380 global $wgEnableSorbs, $wgProxyWhitelist;
381
382 if ( -1 != $this->mBlockedby ) {
383 wfDebug( "User::getBlockedStatus: already loaded.\n" );
384 return;
385 }
386
387 $fname = 'User::getBlockedStatus';
388 wfProfileIn( $fname );
389 wfDebug( "$fname: checking...\n" );
390
391 $this->mBlockedby = 0;
392 $ip = wfGetIP();
393
394 # User/IP blocking
395 $block = new Block();
396 $block->fromMaster( !$bFromSlave );
397 if ( $block->load( $ip , $this->mId ) ) {
398 wfDebug( "$fname: Found block.\n" );
399 $this->mBlockedby = $block->mBy;
400 $this->mBlockreason = $block->mReason;
401 if ( $this->isLoggedIn() ) {
402 $this->spreadBlock();
403 }
404 } else {
405 wfDebug( "$fname: No block.\n" );
406 }
407
408 # Proxy blocking
409 if ( !$this->isSysop() && !in_array( $ip, $wgProxyWhitelist ) ) {
410
411 # Local list
412 if ( wfIsLocallyBlockedProxy( $ip ) ) {
413 $this->mBlockedby = wfMsg( 'proxyblocker' );
414 $this->mBlockreason = wfMsg( 'proxyblockreason' );
415 }
416
417 # DNSBL
418 if ( !$this->mBlockedby && $wgEnableSorbs && !$this->getID() ) {
419 if ( $this->inSorbsBlacklist( $ip ) ) {
420 $this->mBlockedby = wfMsg( 'sorbs' );
421 $this->mBlockreason = wfMsg( 'sorbsreason' );
422 }
423 }
424 }
425
426 # Extensions
427 wfRunHooks( 'GetBlockedStatus', array( &$this ) );
428
429 wfProfileOut( $fname );
430 }
431
432 function inSorbsBlacklist( $ip ) {
433 global $wgEnableSorbs;
434 return $wgEnableSorbs &&
435 $this->inDnsBlacklist( $ip, 'http.dnsbl.sorbs.net.' );
436 }
437
438 function inOpmBlacklist( $ip ) {
439 global $wgEnableOpm;
440 return $wgEnableOpm &&
441 $this->inDnsBlacklist( $ip, 'opm.blitzed.org.' );
442 }
443
444 function inDnsBlacklist( $ip, $base ) {
445 $fname = 'User::inDnsBlacklist';
446 wfProfileIn( $fname );
447
448 $found = false;
449 $host = '';
450
451 if ( preg_match( '/^(\d{1,3})\.(\d{1,3})\.(\d{1,3})\.(\d{1,3})$/', $ip, $m ) ) {
452 # Make hostname
453 for ( $i=4; $i>=1; $i-- ) {
454 $host .= $m[$i] . '.';
455 }
456 $host .= $base;
457
458 # Send query
459 $ipList = gethostbynamel( $host );
460
461 if ( $ipList ) {
462 wfDebug( "Hostname $host is {$ipList[0]}, it's a proxy says $base!\n" );
463 $found = true;
464 } else {
465 wfDebug( "Requested $host, not found in $base.\n" );
466 }
467 }
468
469 wfProfileOut( $fname );
470 return $found;
471 }
472
473 /**
474 * Primitive rate limits: enforce maximum actions per time period
475 * to put a brake on flooding.
476 *
477 * Note: when using a shared cache like memcached, IP-address
478 * last-hit counters will be shared across wikis.
479 *
480 * @return bool true if a rate limiter was tripped
481 * @access public
482 */
483 function pingLimiter( $action='edit' ) {
484 global $wgRateLimits;
485 if( !isset( $wgRateLimits[$action] ) ) {
486 return false;
487 }
488 if( $this->isAllowed( 'delete' ) ) {
489 // goddam cabal
490 return false;
491 }
492
493 global $wgMemc, $wgDBname, $wgRateLimitLog;
494 $fname = 'User::pingLimiter';
495 wfProfileIn( $fname );
496
497 $limits = $wgRateLimits[$action];
498 $keys = array();
499 $id = $this->getId();
500 $ip = wfGetIP();
501
502 if( isset( $limits['anon'] ) && $id == 0 ) {
503 $keys["$wgDBname:limiter:$action:anon"] = $limits['anon'];
504 }
505
506 if( isset( $limits['user'] ) && $id != 0 ) {
507 $keys["$wgDBname:limiter:$action:user:$id"] = $limits['user'];
508 }
509 if( $this->isNewbie() ) {
510 if( isset( $limits['newbie'] ) && $id != 0 ) {
511 $keys["$wgDBname:limiter:$action:user:$id"] = $limits['newbie'];
512 }
513 if( isset( $limits['ip'] ) ) {
514 $keys["mediawiki:limiter:$action:ip:$ip"] = $limits['ip'];
515 }
516 if( isset( $limits['subnet'] ) && preg_match( '/^(\d+\.\d+\.\d+)\.\d+$/', $ip, $matches ) ) {
517 $subnet = $matches[1];
518 $keys["mediawiki:limiter:$action:subnet:$subnet"] = $limits['subnet'];
519 }
520 }
521
522 $triggered = false;
523 foreach( $keys as $key => $limit ) {
524 list( $max, $period ) = $limit;
525 $summary = "(limit $max in {$period}s)";
526 $count = $wgMemc->get( $key );
527 if( $count ) {
528 if( $count > $max ) {
529 wfDebug( "$fname: tripped! $key at $count $summary\n" );
530 if( $wgRateLimitLog ) {
531 @error_log( wfTimestamp( TS_MW ) . ' ' . $wgDBname . ': ' . $this->getName() . " tripped $key at $count $summary\n", 3, $wgRateLimitLog );
532 }
533 $triggered = true;
534 } else {
535 wfDebug( "$fname: ok. $key at $count $summary\n" );
536 }
537 } else {
538 wfDebug( "$fname: adding record for $key $summary\n" );
539 $wgMemc->add( $key, 1, intval( $period ) );
540 }
541 $wgMemc->incr( $key );
542 }
543
544 wfProfileOut( $fname );
545 return $triggered;
546 }
547
548 /**
549 * Check if user is blocked
550 * @return bool True if blocked, false otherwise
551 */
552 function isBlocked( $bFromSlave = true ) { // hacked from false due to horrible probs on site
553 wfDebug( "User::isBlocked: enter\n" );
554 $this->getBlockedStatus( $bFromSlave );
555 return $this->mBlockedby !== 0;
556 }
557
558 /**
559 * Check if user is blocked from editing a particular article
560 */
561 function isBlockedFrom( $title, $bFromSlave = false ) {
562 global $wgBlockAllowsUTEdit;
563 $fname = 'User::isBlockedFrom';
564 wfProfileIn( $fname );
565 wfDebug( "$fname: enter\n" );
566
567 if ( $wgBlockAllowsUTEdit && $title->getText() === $this->getName() &&
568 $title->getNamespace() == NS_USER_TALK )
569 {
570 $blocked = false;
571 wfDebug( "$fname: self-talk page, ignoring any blocks\n" );
572 } else {
573 wfDebug( "$fname: asking isBlocked()\n" );
574 $blocked = $this->isBlocked( $bFromSlave );
575 }
576 wfProfileOut( $fname );
577 return $blocked;
578 }
579
580 /**
581 * Get name of blocker
582 * @return string name of blocker
583 */
584 function blockedBy() {
585 $this->getBlockedStatus();
586 return $this->mBlockedby;
587 }
588
589 /**
590 * Get blocking reason
591 * @return string Blocking reason
592 */
593 function blockedFor() {
594 $this->getBlockedStatus();
595 return $this->mBlockreason;
596 }
597
598 /**
599 * Initialise php session
600 */
601 function SetupSession() {
602 global $wgSessionsInMemcached, $wgCookiePath, $wgCookieDomain;
603 if( $wgSessionsInMemcached ) {
604 require_once( 'MemcachedSessions.php' );
605 } elseif( 'files' != ini_get( 'session.save_handler' ) ) {
606 # If it's left on 'user' or another setting from another
607 # application, it will end up failing. Try to recover.
608 ini_set ( 'session.save_handler', 'files' );
609 }
610 session_set_cookie_params( 0, $wgCookiePath, $wgCookieDomain );
611 session_cache_limiter( 'private, must-revalidate' );
612 @session_start();
613 }
614
615 /**
616 * Create a new user object using data from session
617 * @static
618 */
619 function loadFromSession() {
620 global $wgMemc, $wgDBname;
621
622 if ( isset( $_SESSION['wsUserID'] ) ) {
623 if ( 0 != $_SESSION['wsUserID'] ) {
624 $sId = $_SESSION['wsUserID'];
625 } else {
626 return new User();
627 }
628 } else if ( isset( $_COOKIE["{$wgDBname}UserID"] ) ) {
629 $sId = intval( $_COOKIE["{$wgDBname}UserID"] );
630 $_SESSION['wsUserID'] = $sId;
631 } else {
632 return new User();
633 }
634 if ( isset( $_SESSION['wsUserName'] ) ) {
635 $sName = $_SESSION['wsUserName'];
636 } else if ( isset( $_COOKIE["{$wgDBname}UserName"] ) ) {
637 $sName = $_COOKIE["{$wgDBname}UserName"];
638 $_SESSION['wsUserName'] = $sName;
639 } else {
640 return new User();
641 }
642
643 $passwordCorrect = FALSE;
644 $user = $wgMemc->get( $key = "$wgDBname:user:id:$sId" );
645 if( !is_object( $user ) || $user->mVersion < MW_USER_VERSION ) {
646 # Expire old serialized objects; they may be corrupt.
647 $user = false;
648 }
649 if($makenew = !$user) {
650 wfDebug( "User::loadFromSession() unable to load from memcached\n" );
651 $user = new User();
652 $user->mId = $sId;
653 $user->loadFromDatabase();
654 } else {
655 wfDebug( "User::loadFromSession() got from cache!\n" );
656 }
657
658 if ( isset( $_SESSION['wsToken'] ) ) {
659 $passwordCorrect = $_SESSION['wsToken'] == $user->mToken;
660 } else if ( isset( $_COOKIE["{$wgDBname}Token"] ) ) {
661 $passwordCorrect = $user->mToken == $_COOKIE["{$wgDBname}Token"];
662 } else {
663 return new User(); # Can't log in from session
664 }
665
666 if ( ( $sName == $user->mName ) && $passwordCorrect ) {
667 if($makenew) {
668 if($wgMemc->set( $key, $user ))
669 wfDebug( "User::loadFromSession() successfully saved user\n" );
670 else
671 wfDebug( "User::loadFromSession() unable to save to memcached\n" );
672 }
673 return $user;
674 }
675 return new User(); # Can't log in from session
676 }
677
678 /**
679 * Load a user from the database
680 */
681 function loadFromDatabase() {
682 $fname = "User::loadFromDatabase";
683
684 # Counter-intuitive, breaks various things, use User::setLoaded() if you want to suppress
685 # loading in a command line script, don't assume all command line scripts need it like this
686 #if ( $this->mDataLoaded || $wgCommandLineMode ) {
687 if ( $this->mDataLoaded ) {
688 return;
689 }
690
691 # Paranoia
692 $this->mId = intval( $this->mId );
693
694 /** Anonymous user */
695 if( !$this->mId ) {
696 /** Get rights */
697 $this->mRights = $this->getGroupPermissions( array( '*' ) );
698 $this->mDataLoaded = true;
699 return;
700 } # the following stuff is for non-anonymous users only
701
702 $dbr =& wfGetDB( DB_SLAVE );
703 $s = $dbr->selectRow( 'user', array( 'user_name','user_password','user_newpassword','user_email',
704 'user_email_authenticated',
705 'user_real_name','user_options','user_touched', 'user_token', 'user_registration' ),
706 array( 'user_id' => $this->mId ), $fname );
707
708 if ( $s !== false ) {
709 $this->mName = $s->user_name;
710 $this->mEmail = $s->user_email;
711 $this->mEmailAuthenticated = wfTimestampOrNull( TS_MW, $s->user_email_authenticated );
712 $this->mRealName = $s->user_real_name;
713 $this->mPassword = $s->user_password;
714 $this->mNewpassword = $s->user_newpassword;
715 $this->decodeOptions( $s->user_options );
716 $this->mTouched = wfTimestamp(TS_MW,$s->user_touched);
717 $this->mToken = $s->user_token;
718 $this->mRegistration = wfTimestampOrNull( TS_MW, $s->user_registration );
719
720 $res = $dbr->select( 'user_groups',
721 array( 'ug_group' ),
722 array( 'ug_user' => $this->mId ),
723 $fname );
724 $this->mGroups = array();
725 while( $row = $dbr->fetchObject( $res ) ) {
726 $this->mGroups[] = $row->ug_group;
727 }
728 $implicitGroups = array( '*', 'user' );
729
730 global $wgAutoConfirmAge;
731 $accountAge = time() - wfTimestampOrNull( TS_UNIX, $this->mRegistration );
732 if( $accountAge >= $wgAutoConfirmAge ) {
733 $implicitGroups[] = 'autoconfirmed';
734 }
735
736 $effectiveGroups = array_merge( $implicitGroups, $this->mGroups );
737 $this->mRights = $this->getGroupPermissions( $effectiveGroups );
738 }
739
740 $this->mDataLoaded = true;
741 }
742
743 function getID() { return $this->mId; }
744 function setID( $v ) {
745 $this->mId = $v;
746 $this->mDataLoaded = false;
747 }
748
749 function getName() {
750 $this->loadFromDatabase();
751 if ( $this->mName === false ) {
752 $this->mName = wfGetIP();
753 }
754 return $this->mName;
755 }
756
757 function setName( $str ) {
758 $this->loadFromDatabase();
759 $this->mName = $str;
760 }
761
762
763 /**
764 * Return the title dbkey form of the name, for eg user pages.
765 * @return string
766 * @access public
767 */
768 function getTitleKey() {
769 return str_replace( ' ', '_', $this->getName() );
770 }
771
772 function getNewtalk() {
773 $this->loadFromDatabase();
774
775 # Load the newtalk status if it is unloaded (mNewtalk=-1)
776 if( $this->mNewtalk === -1 ) {
777 $this->mNewtalk = false; # reset talk page status
778
779 # Check memcached separately for anons, who have no
780 # entire User object stored in there.
781 if( !$this->mId ) {
782 global $wgDBname, $wgMemc;
783 $key = "$wgDBname:newtalk:ip:" . $this->getName();
784 $newtalk = $wgMemc->get( $key );
785 if( is_integer( $newtalk ) ) {
786 $this->mNewtalk = (bool)$newtalk;
787 } else {
788 $this->mNewtalk = $this->checkNewtalk( 'user_ip', $this->getName() );
789 $wgMemc->set( $key, $this->mNewtalk, time() ); // + 1800 );
790 }
791 } else {
792 $this->mNewtalk = $this->checkNewtalk( 'user_id', $this->mId );
793 }
794 }
795
796 return (bool)$this->mNewtalk;
797 }
798
799 /**
800 * Perform a user_newtalk check on current slaves; if the memcached data
801 * is funky we don't want newtalk state to get stuck on save, as that's
802 * damn annoying.
803 *
804 * @param string $field
805 * @param mixed $id
806 * @return bool
807 * @access private
808 */
809 function checkNewtalk( $field, $id ) {
810 $fname = 'User::checkNewtalk';
811 $dbr =& wfGetDB( DB_SLAVE );
812 $ok = $dbr->selectField( 'user_newtalk', $field,
813 array( $field => $id ), $fname );
814 return $ok !== false;
815 }
816
817 /**
818 * Add or update the
819 * @param string $field
820 * @param mixed $id
821 * @access private
822 */
823 function updateNewtalk( $field, $id ) {
824 $fname = 'User::updateNewtalk';
825 if( $this->checkNewtalk( $field, $id ) ) {
826 wfDebug( "$fname already set ($field, $id), ignoring\n" );
827 return false;
828 }
829 $dbw =& wfGetDB( DB_MASTER );
830 $dbw->insert( 'user_newtalk',
831 array( $field => $id ),
832 $fname,
833 'IGNORE' );
834 wfDebug( "$fname: set on ($field, $id)\n" );
835 return true;
836 }
837
838 /**
839 * @param string $field
840 * @param mixed $id
841 * @access private
842 */
843 function deleteNewtalk( $field, $id ) {
844 $fname = 'User::deleteNewtalk';
845 if( !$this->checkNewtalk( $field, $id ) ) {
846 wfDebug( "$fname: already gone ($field, $id), ignoring\n" );
847 return false;
848 }
849 $dbw =& wfGetDB( DB_MASTER );
850 $dbw->delete( 'user_newtalk',
851 array( $field => $id ),
852 $fname );
853 wfDebug( "$fname: killed on ($field, $id)\n" );
854 return true;
855 }
856
857 /**
858 * Update the 'You have new messages!' status.
859 * @param bool $val
860 */
861 function setNewtalk( $val ) {
862 if( wfReadOnly() ) {
863 return;
864 }
865
866 $this->loadFromDatabase();
867 $this->mNewtalk = $val;
868
869 $fname = 'User::setNewtalk';
870
871 if( $this->isAnon() ) {
872 $field = 'user_ip';
873 $id = $this->getName();
874 } else {
875 $field = 'user_id';
876 $id = $this->getId();
877 }
878
879 if( $val ) {
880 $changed = $this->updateNewtalk( $field, $id );
881 } else {
882 $changed = $this->deleteNewtalk( $field, $id );
883 }
884
885 if( $changed ) {
886 if( $this->isAnon() ) {
887 // Anons have a separate memcached space, since
888 // user records aren't kept for them.
889 global $wgDBname, $wgMemc;
890 $key = "$wgDBname:newtalk:ip:$value";
891 $wgMemc->set( $key, $val ? 1 : 0 );
892 } else {
893 if( $val ) {
894 // Make sure the user page is watched, so a notification
895 // will be sent out if enabled.
896 $this->addWatch( $this->getTalkPage() );
897 }
898 }
899 $this->invalidateCache();
900 $this->saveSettings();
901 }
902 }
903
904 function invalidateCache() {
905 global $wgClockSkewFudge;
906 $this->loadFromDatabase();
907 $this->mTouched = wfTimestamp(TS_MW, time() + $wgClockSkewFudge );
908 # Don't forget to save the options after this or
909 # it won't take effect!
910 }
911
912 function validateCache( $timestamp ) {
913 $this->loadFromDatabase();
914 return ($timestamp >= $this->mTouched);
915 }
916
917 /**
918 * Encrypt a password.
919 * It can eventuall salt a password @see User::addSalt()
920 * @param string $p clear Password.
921 * @return string Encrypted password.
922 */
923 function encryptPassword( $p ) {
924 return wfEncryptPassword( $this->mId, $p );
925 }
926
927 # Set the password and reset the random token
928 function setPassword( $str ) {
929 $this->loadFromDatabase();
930 $this->setToken();
931 $this->mPassword = $this->encryptPassword( $str );
932 $this->mNewpassword = '';
933 }
934
935 # Set the random token (used for persistent authentication)
936 function setToken( $token = false ) {
937 global $wgSecretKey, $wgProxyKey, $wgDBname;
938 if ( !$token ) {
939 if ( $wgSecretKey ) {
940 $key = $wgSecretKey;
941 } elseif ( $wgProxyKey ) {
942 $key = $wgProxyKey;
943 } else {
944 $key = microtime();
945 }
946 $this->mToken = md5( $key . mt_rand( 0, 0x7fffffff ) . $wgDBname . $this->mId );
947 } else {
948 $this->mToken = $token;
949 }
950 }
951
952
953 function setCookiePassword( $str ) {
954 $this->loadFromDatabase();
955 $this->mCookiePassword = md5( $str );
956 }
957
958 function setNewpassword( $str ) {
959 $this->loadFromDatabase();
960 $this->mNewpassword = $this->encryptPassword( $str );
961 }
962
963 function getEmail() {
964 $this->loadFromDatabase();
965 return $this->mEmail;
966 }
967
968 function getEmailAuthenticationTimestamp() {
969 $this->loadFromDatabase();
970 return $this->mEmailAuthenticated;
971 }
972
973 function setEmail( $str ) {
974 $this->loadFromDatabase();
975 $this->mEmail = $str;
976 }
977
978 function getRealName() {
979 $this->loadFromDatabase();
980 return $this->mRealName;
981 }
982
983 function setRealName( $str ) {
984 $this->loadFromDatabase();
985 $this->mRealName = $str;
986 }
987
988 function getOption( $oname ) {
989 $this->loadFromDatabase();
990 if ( array_key_exists( $oname, $this->mOptions ) ) {
991 return trim( $this->mOptions[$oname] );
992 } else {
993 return '';
994 }
995 }
996
997 function setOption( $oname, $val ) {
998 $this->loadFromDatabase();
999 if ( $oname == 'skin' ) {
1000 # Clear cached skin, so the new one displays immediately in Special:Preferences
1001 unset( $this->mSkin );
1002 }
1003 $this->mOptions[$oname] = $val;
1004 $this->invalidateCache();
1005 }
1006
1007 function getRights() {
1008 $this->loadFromDatabase();
1009 return $this->mRights;
1010 }
1011
1012 /**
1013 * Get the list of explicit group memberships this user has.
1014 * The implicit * and user groups are not included.
1015 * @return array of strings
1016 */
1017 function getGroups() {
1018 $this->loadFromDatabase();
1019 return $this->mGroups;
1020 }
1021
1022 /**
1023 * Get the list of implicit group memberships this user has.
1024 * This includes all explicit groups, plus 'user' if logged in
1025 * and '*' for all accounts.
1026 * @return array of strings
1027 */
1028 function getEffectiveGroups() {
1029 $base = array( '*' );
1030 if( $this->isLoggedIn() ) {
1031 $base[] = 'user';
1032 }
1033 return array_merge( $base, $this->getGroups() );
1034 }
1035
1036 /**
1037 * Remove the user from the given group.
1038 * This takes immediate effect.
1039 * @string $group
1040 */
1041 function addGroup( $group ) {
1042 $dbw =& wfGetDB( DB_MASTER );
1043 $dbw->insert( 'user_groups',
1044 array(
1045 'ug_user' => $this->getID(),
1046 'ug_group' => $group,
1047 ),
1048 'User::addGroup',
1049 array( 'IGNORE' ) );
1050
1051 $this->mGroups = array_merge( $this->mGroups, array( $group ) );
1052 $this->mRights = User::getGroupPermissions( $this->getEffectiveGroups() );
1053
1054 $this->invalidateCache();
1055 $this->saveSettings();
1056 }
1057
1058 /**
1059 * Remove the user from the given group.
1060 * This takes immediate effect.
1061 * @string $group
1062 */
1063 function removeGroup( $group ) {
1064 $dbw =& wfGetDB( DB_MASTER );
1065 $dbw->delete( 'user_groups',
1066 array(
1067 'ug_user' => $this->getID(),
1068 'ug_group' => $group,
1069 ),
1070 'User::removeGroup' );
1071
1072 $this->mGroups = array_diff( $this->mGroups, array( $group ) );
1073 $this->mRights = User::getGroupPermissions( $this->getEffectiveGroups() );
1074
1075 $this->invalidateCache();
1076 $this->saveSettings();
1077 }
1078
1079
1080 /**
1081 * A more legible check for non-anonymousness.
1082 * Returns true if the user is not an anonymous visitor.
1083 *
1084 * @return bool
1085 */
1086 function isLoggedIn() {
1087 return( $this->getID() != 0 );
1088 }
1089
1090 /**
1091 * A more legible check for anonymousness.
1092 * Returns true if the user is an anonymous visitor.
1093 *
1094 * @return bool
1095 */
1096 function isAnon() {
1097 return !$this->isLoggedIn();
1098 }
1099
1100 /**
1101 * Check if a user is sysop
1102 * @deprecated
1103 */
1104 function isSysop() {
1105 return $this->isAllowed( 'protect' );
1106 }
1107
1108 /** @deprecated */
1109 function isDeveloper() {
1110 return $this->isAllowed( 'siteadmin' );
1111 }
1112
1113 /** @deprecated */
1114 function isBureaucrat() {
1115 return $this->isAllowed( 'makesysop' );
1116 }
1117
1118 /**
1119 * Whether the user is a bot
1120 * @todo need to be migrated to the new user level management sytem
1121 */
1122 function isBot() {
1123 $this->loadFromDatabase();
1124 return in_array( 'bot', $this->mRights );
1125 }
1126
1127 /**
1128 * Check if user is allowed to access a feature / make an action
1129 * @param string $action Action to be checked (see $wgAvailableRights in Defines.php for possible actions).
1130 * @return boolean True: action is allowed, False: action should not be allowed
1131 */
1132 function isAllowed($action='') {
1133 if ( $action === '' )
1134 // In the spirit of DWIM
1135 return true;
1136
1137 $this->loadFromDatabase();
1138 return in_array( $action , $this->mRights );
1139 }
1140
1141 /**
1142 * Load a skin if it doesn't exist or return it
1143 * @todo FIXME : need to check the old failback system [AV]
1144 */
1145 function &getSkin() {
1146 global $IP, $wgRequest;
1147 if ( ! isset( $this->mSkin ) ) {
1148 $fname = 'User::getSkin';
1149 wfProfileIn( $fname );
1150
1151 # get all skin names available
1152 $skinNames = Skin::getSkinNames();
1153
1154 # get the user skin
1155 $userSkin = $this->getOption( 'skin' );
1156 $userSkin = $wgRequest->getVal('useskin', $userSkin);
1157
1158 $this->mSkin =& Skin::newFromKey( $userSkin );
1159 wfProfileOut( $fname );
1160 }
1161 return $this->mSkin;
1162 }
1163
1164 /**#@+
1165 * @param string $title Article title to look at
1166 */
1167
1168 /**
1169 * Check watched status of an article
1170 * @return bool True if article is watched
1171 */
1172 function isWatched( $title ) {
1173 $wl = WatchedItem::fromUserTitle( $this, $title );
1174 return $wl->isWatched();
1175 }
1176
1177 /**
1178 * Watch an article
1179 */
1180 function addWatch( $title ) {
1181 $wl = WatchedItem::fromUserTitle( $this, $title );
1182 $wl->addWatch();
1183 $this->invalidateCache();
1184 }
1185
1186 /**
1187 * Stop watching an article
1188 */
1189 function removeWatch( $title ) {
1190 $wl = WatchedItem::fromUserTitle( $this, $title );
1191 $wl->removeWatch();
1192 $this->invalidateCache();
1193 }
1194
1195 /**
1196 * Clear the user's notification timestamp for the given title.
1197 * If e-notif e-mails are on, they will receive notification mails on
1198 * the next change of the page if it's watched etc.
1199 */
1200 function clearNotification( &$title ) {
1201 global $wgUser, $wgUseEnotif;
1202
1203 if ($title->getNamespace() == NS_USER_TALK &&
1204 $title->getText() == $this->getName() ) {
1205 $this->setNewtalk( false );
1206 }
1207
1208 if( !$wgUseEnotif ) {
1209 return;
1210 }
1211
1212 if( $this->isAnon() ) {
1213 // Nothing else to do...
1214 return;
1215 }
1216
1217 // Only update the timestamp if the page is being watched.
1218 // The query to find out if it is watched is cached both in memcached and per-invocation,
1219 // and when it does have to be executed, it can be on a slave
1220 // If this is the user's newtalk page, we always update the timestamp
1221 if ($title->getNamespace() == NS_USER_TALK &&
1222 $title->getText() == $wgUser->getName())
1223 {
1224 $watched = true;
1225 } elseif ( $this->getID() == $wgUser->getID() ) {
1226 $watched = $title->userIsWatching();
1227 } else {
1228 $watched = true;
1229 }
1230
1231 // If the page is watched by the user (or may be watched), update the timestamp on any
1232 // any matching rows
1233 if ( $watched ) {
1234 $dbw =& wfGetDB( DB_MASTER );
1235 $success = $dbw->update( 'watchlist',
1236 array( /* SET */
1237 'wl_notificationtimestamp' => NULL
1238 ), array( /* WHERE */
1239 'wl_title' => $title->getDBkey(),
1240 'wl_namespace' => $title->getNamespace(),
1241 'wl_user' => $this->getID()
1242 ), 'User::clearLastVisited'
1243 );
1244 }
1245 }
1246
1247 /**#@-*/
1248
1249 /**
1250 * Resets all of the given user's page-change notification timestamps.
1251 * If e-notif e-mails are on, they will receive notification mails on
1252 * the next change of any watched page.
1253 *
1254 * @param int $currentUser user ID number
1255 * @access public
1256 */
1257 function clearAllNotifications( $currentUser ) {
1258 global $wgUseEnotif;
1259 if ( !$wgUseEnotif ) {
1260 $this->setNewtalk( false );
1261 return;
1262 }
1263 if( $currentUser != 0 ) {
1264
1265 $dbw =& wfGetDB( DB_MASTER );
1266 $success = $dbw->update( 'watchlist',
1267 array( /* SET */
1268 'wl_notificationtimestamp' => 0
1269 ), array( /* WHERE */
1270 'wl_user' => $currentUser
1271 ), 'UserMailer::clearAll'
1272 );
1273
1274 # we also need to clear here the "you have new message" notification for the own user_talk page
1275 # This is cleared one page view later in Article::viewUpdates();
1276 }
1277 }
1278
1279 /**
1280 * @access private
1281 * @return string Encoding options
1282 */
1283 function encodeOptions() {
1284 $a = array();
1285 foreach ( $this->mOptions as $oname => $oval ) {
1286 array_push( $a, $oname.'='.$oval );
1287 }
1288 $s = implode( "\n", $a );
1289 return $s;
1290 }
1291
1292 /**
1293 * @access private
1294 */
1295 function decodeOptions( $str ) {
1296 $a = explode( "\n", $str );
1297 foreach ( $a as $s ) {
1298 if ( preg_match( "/^(.[^=]*)=(.*)$/", $s, $m ) ) {
1299 $this->mOptions[$m[1]] = $m[2];
1300 }
1301 }
1302 }
1303
1304 function setCookies() {
1305 global $wgCookieExpiration, $wgCookiePath, $wgCookieDomain, $wgDBname;
1306 if ( 0 == $this->mId ) return;
1307 $this->loadFromDatabase();
1308 $exp = time() + $wgCookieExpiration;
1309
1310 $_SESSION['wsUserID'] = $this->mId;
1311 setcookie( $wgDBname.'UserID', $this->mId, $exp, $wgCookiePath, $wgCookieDomain );
1312
1313 $_SESSION['wsUserName'] = $this->getName();
1314 setcookie( $wgDBname.'UserName', $this->getName(), $exp, $wgCookiePath, $wgCookieDomain );
1315
1316 $_SESSION['wsToken'] = $this->mToken;
1317 if ( 1 == $this->getOption( 'rememberpassword' ) ) {
1318 setcookie( $wgDBname.'Token', $this->mToken, $exp, $wgCookiePath, $wgCookieDomain );
1319 } else {
1320 setcookie( $wgDBname.'Token', '', time() - 3600 );
1321 }
1322 }
1323
1324 /**
1325 * Logout user
1326 * It will clean the session cookie
1327 */
1328 function logout() {
1329 global $wgCookiePath, $wgCookieDomain, $wgDBname;
1330 $this->loadDefaults();
1331 $this->setLoaded( true );
1332
1333 $_SESSION['wsUserID'] = 0;
1334
1335 setcookie( $wgDBname.'UserID', '', time() - 3600, $wgCookiePath, $wgCookieDomain );
1336 setcookie( $wgDBname.'Token', '', time() - 3600, $wgCookiePath, $wgCookieDomain );
1337
1338 # Remember when user logged out, to prevent seeing cached pages
1339 setcookie( $wgDBname.'LoggedOut', wfTimestampNow(), time() + 86400, $wgCookiePath, $wgCookieDomain );
1340 }
1341
1342 /**
1343 * Save object settings into database
1344 */
1345 function saveSettings() {
1346 global $wgMemc, $wgDBname, $wgUseEnotif;
1347 $fname = 'User::saveSettings';
1348
1349 if ( wfReadOnly() ) { return; }
1350 if ( 0 == $this->mId ) { return; }
1351
1352 $dbw =& wfGetDB( DB_MASTER );
1353 $dbw->update( 'user',
1354 array( /* SET */
1355 'user_name' => $this->mName,
1356 'user_password' => $this->mPassword,
1357 'user_newpassword' => $this->mNewpassword,
1358 'user_real_name' => $this->mRealName,
1359 'user_email' => $this->mEmail,
1360 'user_email_authenticated' => $dbw->timestampOrNull( $this->mEmailAuthenticated ),
1361 'user_options' => $this->encodeOptions(),
1362 'user_touched' => $dbw->timestamp($this->mTouched),
1363 'user_token' => $this->mToken
1364 ), array( /* WHERE */
1365 'user_id' => $this->mId
1366 ), $fname
1367 );
1368 $wgMemc->delete( "$wgDBname:user:id:$this->mId" );
1369 }
1370
1371
1372 /**
1373 * Checks if a user with the given name exists, returns the ID
1374 */
1375 function idForName() {
1376 $fname = 'User::idForName';
1377
1378 $gotid = 0;
1379 $s = trim( $this->getName() );
1380 if ( 0 == strcmp( '', $s ) ) return 0;
1381
1382 $dbr =& wfGetDB( DB_SLAVE );
1383 $id = $dbr->selectField( 'user', 'user_id', array( 'user_name' => $s ), $fname );
1384 if ( $id === false ) {
1385 $id = 0;
1386 }
1387 return $id;
1388 }
1389
1390 /**
1391 * Add user object to the database
1392 */
1393 function addToDatabase() {
1394 $fname = 'User::addToDatabase';
1395 $dbw =& wfGetDB( DB_MASTER );
1396 $seqVal = $dbw->nextSequenceValue( 'user_user_id_seq' );
1397 $dbw->insert( 'user',
1398 array(
1399 'user_id' => $seqVal,
1400 'user_name' => $this->mName,
1401 'user_password' => $this->mPassword,
1402 'user_newpassword' => $this->mNewpassword,
1403 'user_email' => $this->mEmail,
1404 'user_email_authenticated' => $dbw->timestampOrNull( $this->mEmailAuthenticated ),
1405 'user_real_name' => $this->mRealName,
1406 'user_options' => $this->encodeOptions(),
1407 'user_token' => $this->mToken,
1408 'user_registration' => $dbw->timestamp( $this->mRegistration ),
1409 ), $fname
1410 );
1411 $this->mId = $dbw->insertId();
1412 }
1413
1414 function spreadBlock() {
1415 # If the (non-anonymous) user is blocked, this function will block any IP address
1416 # that they successfully log on from.
1417 $fname = 'User::spreadBlock';
1418
1419 wfDebug( "User:spreadBlock()\n" );
1420 if ( $this->mId == 0 ) {
1421 return;
1422 }
1423
1424 $userblock = Block::newFromDB( '', $this->mId );
1425 if ( !$userblock->isValid() ) {
1426 return;
1427 }
1428
1429 # Check if this IP address is already blocked
1430 $ipblock = Block::newFromDB( wfGetIP() );
1431 if ( $ipblock->isValid() ) {
1432 # If the user is already blocked. Then check if the autoblock would
1433 # excede the user block. If it would excede, then do nothing, else
1434 # prolong block time
1435 if ($userblock->mExpiry &&
1436 ($userblock->mExpiry < Block::getAutoblockExpiry($ipblock->mTimestamp))) {
1437 return;
1438 }
1439 # Just update the timestamp
1440 $ipblock->updateTimestamp();
1441 return;
1442 }
1443
1444 # Make a new block object with the desired properties
1445 wfDebug( "Autoblocking {$this->mName}@" . wfGetIP() . "\n" );
1446 $ipblock->mAddress = wfGetIP();
1447 $ipblock->mUser = 0;
1448 $ipblock->mBy = $userblock->mBy;
1449 $ipblock->mReason = wfMsg( 'autoblocker', $this->getName(), $userblock->mReason );
1450 $ipblock->mTimestamp = wfTimestampNow();
1451 $ipblock->mAuto = 1;
1452 # If the user is already blocked with an expiry date, we don't
1453 # want to pile on top of that!
1454 if($userblock->mExpiry) {
1455 $ipblock->mExpiry = min ( $userblock->mExpiry, Block::getAutoblockExpiry( $ipblock->mTimestamp ));
1456 } else {
1457 $ipblock->mExpiry = Block::getAutoblockExpiry( $ipblock->mTimestamp );
1458 }
1459
1460 # Insert it
1461 $ipblock->insert();
1462
1463 }
1464
1465 /**
1466 * Generate a string which will be different for any combination of
1467 * user options which would produce different parser output.
1468 * This will be used as part of the hash key for the parser cache,
1469 * so users will the same options can share the same cached data
1470 * safely.
1471 *
1472 * Extensions which require it should install 'PageRenderingHash' hook,
1473 * which will give them a chance to modify this key based on their own
1474 * settings.
1475 *
1476 * @return string
1477 */
1478 function getPageRenderingHash() {
1479 global $wgContLang;
1480 if( $this->mHash ){
1481 return $this->mHash;
1482 }
1483
1484 // stubthreshold is only included below for completeness,
1485 // it will always be 0 when this function is called by parsercache.
1486
1487 $confstr = $this->getOption( 'math' );
1488 $confstr .= '!' . $this->getOption( 'stubthreshold' );
1489 $confstr .= '!' . $this->getOption( 'date' );
1490 $confstr .= '!' . ($this->getOption( 'numberheadings' ) ? '1' : '');
1491 $confstr .= '!' . $this->getOption( 'language' );
1492 $confstr .= '!' . $this->getOption( 'thumbsize' );
1493 // add in language specific options, if any
1494 $extra = $wgContLang->getExtraHashOptions();
1495 $confstr .= $extra;
1496
1497 // Give a chance for extensions to modify the hash, if they have
1498 // extra options or other effects on the parser cache.
1499 wfRunHooks( 'PageRenderingHash', array( &$confstr ) );
1500
1501 $this->mHash = $confstr;
1502 return $confstr;
1503 }
1504
1505 function isAllowedToCreateAccount() {
1506 return $this->isAllowed( 'createaccount' ) && !$this->isBlocked();
1507 }
1508
1509 /**
1510 * Set mDataLoaded, return previous value
1511 * Use this to prevent DB access in command-line scripts or similar situations
1512 */
1513 function setLoaded( $loaded ) {
1514 return wfSetVar( $this->mDataLoaded, $loaded );
1515 }
1516
1517 /**
1518 * Get this user's personal page title.
1519 *
1520 * @return Title
1521 * @access public
1522 */
1523 function getUserPage() {
1524 return Title::makeTitle( NS_USER, $this->getName() );
1525 }
1526
1527 /**
1528 * Get this user's talk page title.
1529 *
1530 * @return Title
1531 * @access public
1532 */
1533 function getTalkPage() {
1534 $title = $this->getUserPage();
1535 return $title->getTalkPage();
1536 }
1537
1538 /**
1539 * @static
1540 */
1541 function getMaxID() {
1542 static $res; // cache
1543
1544 if ( isset( $res ) )
1545 return $res;
1546 else {
1547 $dbr =& wfGetDB( DB_SLAVE );
1548 return $res = $dbr->selectField( 'user', 'max(user_id)', false, 'User::getMaxID' );
1549 }
1550 }
1551
1552 /**
1553 * Determine whether the user is a newbie. Newbies are either
1554 * anonymous IPs, or the most recently created accounts.
1555 * @return bool True if it is a newbie.
1556 */
1557 function isNewbie() {
1558 return !$this->isAllowed( 'autoconfirmed' );
1559 }
1560
1561 /**
1562 * Check to see if the given clear-text password is one of the accepted passwords
1563 * @param string $password User password.
1564 * @return bool True if the given password is correct otherwise False.
1565 */
1566 function checkPassword( $password ) {
1567 global $wgAuth, $wgMinimalPasswordLength;
1568 $this->loadFromDatabase();
1569
1570 // Even though we stop people from creating passwords that
1571 // are shorter than this, doesn't mean people wont be able
1572 // to. Certain authentication plugins do NOT want to save
1573 // domain passwords in a mysql database, so we should
1574 // check this (incase $wgAuth->strict() is false).
1575 if( strlen( $password ) < $wgMinimalPasswordLength ) {
1576 return false;
1577 }
1578
1579 if( $wgAuth->authenticate( $this->getName(), $password ) ) {
1580 return true;
1581 } elseif( $wgAuth->strict() ) {
1582 /* Auth plugin doesn't allow local authentication */
1583 return false;
1584 }
1585 $ep = $this->encryptPassword( $password );
1586 if ( 0 == strcmp( $ep, $this->mPassword ) ) {
1587 return true;
1588 } elseif ( ($this->mNewpassword != '') && (0 == strcmp( $ep, $this->mNewpassword )) ) {
1589 return true;
1590 } elseif ( function_exists( 'iconv' ) ) {
1591 # Some wikis were converted from ISO 8859-1 to UTF-8, the passwords can't be converted
1592 # Check for this with iconv
1593 $cp1252hash = $this->encryptPassword( iconv( 'UTF-8', 'WINDOWS-1252', $password ) );
1594 if ( 0 == strcmp( $cp1252hash, $this->mPassword ) ) {
1595 return true;
1596 }
1597 }
1598 return false;
1599 }
1600
1601 /**
1602 * Initialize (if necessary) and return a session token value
1603 * which can be used in edit forms to show that the user's
1604 * login credentials aren't being hijacked with a foreign form
1605 * submission.
1606 *
1607 * @param mixed $salt - Optional function-specific data for hash.
1608 * Use a string or an array of strings.
1609 * @return string
1610 * @access public
1611 */
1612 function editToken( $salt = '' ) {
1613 if( !isset( $_SESSION['wsEditToken'] ) ) {
1614 $token = $this->generateToken();
1615 $_SESSION['wsEditToken'] = $token;
1616 } else {
1617 $token = $_SESSION['wsEditToken'];
1618 }
1619 if( is_array( $salt ) ) {
1620 $salt = implode( '|', $salt );
1621 }
1622 return md5( $token . $salt );
1623 }
1624
1625 /**
1626 * Generate a hex-y looking random token for various uses.
1627 * Could be made more cryptographically sure if someone cares.
1628 * @return string
1629 */
1630 function generateToken( $salt = '' ) {
1631 $token = dechex( mt_rand() ) . dechex( mt_rand() );
1632 return md5( $token . $salt );
1633 }
1634
1635 /**
1636 * Check given value against the token value stored in the session.
1637 * A match should confirm that the form was submitted from the
1638 * user's own login session, not a form submission from a third-party
1639 * site.
1640 *
1641 * @param string $val - the input value to compare
1642 * @param string $salt - Optional function-specific data for hash
1643 * @return bool
1644 * @access public
1645 */
1646 function matchEditToken( $val, $salt = '' ) {
1647 global $wgMemc;
1648
1649 /*
1650 if ( !isset( $_SESSION['wsEditToken'] ) ) {
1651 $logfile = '/home/wikipedia/logs/session_debug/session.log';
1652 $mckey = memsess_key( session_id() );
1653 $uname = @posix_uname();
1654 $msg = "wsEditToken not set!\n" .
1655 'apache server=' . $uname['nodename'] . "\n" .
1656 'session_id = ' . session_id() . "\n" .
1657 '$_SESSION=' . var_export( $_SESSION, true ) . "\n" .
1658 '$_COOKIE=' . var_export( $_COOKIE, true ) . "\n" .
1659 "mc get($mckey) = " . var_export( $wgMemc->get( $mckey ), true ) . "\n\n\n";
1660
1661 @error_log( $msg, 3, $logfile );
1662 }
1663 */
1664 return ( $val == $this->editToken( $salt ) );
1665 }
1666
1667 /**
1668 * Generate a new e-mail confirmation token and send a confirmation
1669 * mail to the user's given address.
1670 *
1671 * @return mixed True on success, a WikiError object on failure.
1672 */
1673 function sendConfirmationMail() {
1674 global $wgContLang;
1675 $url = $this->confirmationTokenUrl( $expiration );
1676 return $this->sendMail( wfMsg( 'confirmemail_subject' ),
1677 wfMsg( 'confirmemail_body',
1678 wfGetIP(),
1679 $this->getName(),
1680 $url,
1681 $wgContLang->timeanddate( $expiration, false ) ) );
1682 }
1683
1684 /**
1685 * Send an e-mail to this user's account. Does not check for
1686 * confirmed status or validity.
1687 *
1688 * @param string $subject
1689 * @param string $body
1690 * @param strong $from Optional from address; default $wgPasswordSender will be used otherwise.
1691 * @return mixed True on success, a WikiError object on failure.
1692 */
1693 function sendMail( $subject, $body, $from = null ) {
1694 if( is_null( $from ) ) {
1695 global $wgPasswordSender;
1696 $from = $wgPasswordSender;
1697 }
1698
1699 require_once( 'UserMailer.php' );
1700 $to = new MailAddress( $this );
1701 $sender = new MailAddress( $from );
1702 $error = userMailer( $to, $sender, $subject, $body );
1703
1704 if( $error == '' ) {
1705 return true;
1706 } else {
1707 return new WikiError( $error );
1708 }
1709 }
1710
1711 /**
1712 * Generate, store, and return a new e-mail confirmation code.
1713 * A hash (unsalted since it's used as a key) is stored.
1714 * @param &$expiration mixed output: accepts the expiration time
1715 * @return string
1716 * @access private
1717 */
1718 function confirmationToken( &$expiration ) {
1719 $fname = 'User::confirmationToken';
1720
1721 $now = time();
1722 $expires = $now + 7 * 24 * 60 * 60;
1723 $expiration = wfTimestamp( TS_MW, $expires );
1724
1725 $token = $this->generateToken( $this->mId . $this->mEmail . $expires );
1726 $hash = md5( $token );
1727
1728 $dbw =& wfGetDB( DB_MASTER );
1729 $dbw->update( 'user',
1730 array( 'user_email_token' => $hash,
1731 'user_email_token_expires' => $dbw->timestamp( $expires ) ),
1732 array( 'user_id' => $this->mId ),
1733 $fname );
1734
1735 return $token;
1736 }
1737
1738 /**
1739 * Generate and store a new e-mail confirmation token, and return
1740 * the URL the user can use to confirm.
1741 * @param &$expiration mixed output: accepts the expiration time
1742 * @return string
1743 * @access private
1744 */
1745 function confirmationTokenUrl( &$expiration ) {
1746 $token = $this->confirmationToken( $expiration );
1747 $title = Title::makeTitle( NS_SPECIAL, 'Confirmemail/' . $token );
1748 return $title->getFullUrl();
1749 }
1750
1751 /**
1752 * Mark the e-mail address confirmed and save.
1753 */
1754 function confirmEmail() {
1755 $this->loadFromDatabase();
1756 $this->mEmailAuthenticated = wfTimestampNow();
1757 $this->saveSettings();
1758 return true;
1759 }
1760
1761 /**
1762 * Is this user allowed to send e-mails within limits of current
1763 * site configuration?
1764 * @return bool
1765 */
1766 function canSendEmail() {
1767 return $this->isEmailConfirmed();
1768 }
1769
1770 /**
1771 * Is this user allowed to receive e-mails within limits of current
1772 * site configuration?
1773 * @return bool
1774 */
1775 function canReceiveEmail() {
1776 return $this->canSendEmail() && !$this->getOption( 'disablemail' );
1777 }
1778
1779 /**
1780 * Is this user's e-mail address valid-looking and confirmed within
1781 * limits of the current site configuration?
1782 *
1783 * If $wgEmailAuthentication is on, this may require the user to have
1784 * confirmed their address by returning a code or using a password
1785 * sent to the address from the wiki.
1786 *
1787 * @return bool
1788 */
1789 function isEmailConfirmed() {
1790 global $wgEmailAuthentication;
1791 $this->loadFromDatabase();
1792 if( $this->isAnon() )
1793 return false;
1794 if( !$this->isValidEmailAddr( $this->mEmail ) )
1795 return false;
1796 if( $wgEmailAuthentication && !$this->getEmailAuthenticationTimestamp() )
1797 return false;
1798 return true;
1799 }
1800
1801 /**
1802 * @param array $groups list of groups
1803 * @return array list of permission key names for given groups combined
1804 * @static
1805 */
1806 function getGroupPermissions( $groups ) {
1807 global $wgGroupPermissions;
1808 $rights = array();
1809 foreach( $groups as $group ) {
1810 if( isset( $wgGroupPermissions[$group] ) ) {
1811 $rights = array_merge( $rights,
1812 array_keys( array_filter( $wgGroupPermissions[$group] ) ) );
1813 }
1814 }
1815 return $rights;
1816 }
1817
1818 /**
1819 * @param string $group key name
1820 * @return string localized descriptive name, if provided
1821 * @static
1822 */
1823 function getGroupName( $group ) {
1824 $key = "group-$group-name";
1825 $name = wfMsg( $key );
1826 if( $name == '' || $name == "&lt;$key&gt;" ) {
1827 return $group;
1828 } else {
1829 return $name;
1830 }
1831 }
1832
1833 /**
1834 * Return the set of defined explicit groups.
1835 * The * and 'user' groups are not included.
1836 * @return array
1837 * @static
1838 */
1839 function getAllGroups() {
1840 global $wgGroupPermissions;
1841 return array_diff(
1842 array_keys( $wgGroupPermissions ),
1843 array( '*', 'user', 'autoconfirmed' ) );
1844 }
1845
1846 }
1847
1848 ?>