Completing code housekeeping stuff for rest of includes/ directory: removing unused...
[lhc/web/wiklou.git] / includes / SpecialPreferences.php
1 <?php
2 /**
3 * Hold things related to displaying and saving user preferences.
4 * @package MediaWiki
5 * @subpackage SpecialPage
6 */
7
8 /**
9 * Entry point that create the "Preferences" object
10 */
11 function wfSpecialPreferences() {
12 global $wgRequest;
13
14 $form = new PreferencesForm( $wgRequest );
15 $form->execute();
16 }
17
18 /**
19 * Preferences form handling
20 * This object will show the preferences form and can save it as well.
21 * @package MediaWiki
22 * @subpackage SpecialPage
23 */
24 class PreferencesForm {
25 var $mQuickbar, $mOldpass, $mNewpass, $mRetypePass, $mStubs;
26 var $mRows, $mCols, $mSkin, $mMath, $mDate, $mUserEmail, $mEmailFlag, $mNick;
27 var $mUserLanguage, $mUserVariant;
28 var $mSearch, $mRecent, $mHourDiff, $mSearchLines, $mSearchChars, $mAction;
29 var $mReset, $mPosted, $mToggles, $mSearchNs, $mRealName, $mImageSize;
30 var $mUnderline, $mWatchlistEdits;
31
32 /**
33 * Constructor
34 * Load some values
35 */
36 function PreferencesForm( &$request ) {
37 global $wgContLang, $wgUser, $wgAllowRealName;
38
39 $this->mQuickbar = $request->getVal( 'wpQuickbar' );
40 $this->mOldpass = $request->getVal( 'wpOldpass' );
41 $this->mNewpass = $request->getVal( 'wpNewpass' );
42 $this->mRetypePass =$request->getVal( 'wpRetypePass' );
43 $this->mStubs = $request->getVal( 'wpStubs' );
44 $this->mRows = $request->getVal( 'wpRows' );
45 $this->mCols = $request->getVal( 'wpCols' );
46 $this->mSkin = $request->getVal( 'wpSkin' );
47 $this->mMath = $request->getVal( 'wpMath' );
48 $this->mDate = $request->getVal( 'wpDate' );
49 $this->mUserEmail = $request->getVal( 'wpUserEmail' );
50 $this->mRealName = $wgAllowRealName ? $request->getVal( 'wpRealName' ) : '';
51 $this->mEmailFlag = $request->getCheck( 'wpEmailFlag' ) ? 0 : 1;
52 $this->mNick = $request->getVal( 'wpNick' );
53 $this->mUserLanguage = $request->getVal( 'wpUserLanguage' );
54 $this->mUserVariant = $request->getVal( 'wpUserVariant' );
55 $this->mSearch = $request->getVal( 'wpSearch' );
56 $this->mRecent = $request->getVal( 'wpRecent' );
57 $this->mHourDiff = $request->getVal( 'wpHourDiff' );
58 $this->mSearchLines = $request->getVal( 'wpSearchLines' );
59 $this->mSearchChars = $request->getVal( 'wpSearchChars' );
60 $this->mImageSize = $request->getVal( 'wpImageSize' );
61 $this->mThumbSize = $request->getInt( 'wpThumbSize' );
62 $this->mUnderline = $request->getInt( 'wpOpunderline' );
63 $this->mAction = $request->getVal( 'action' );
64 $this->mReset = $request->getCheck( 'wpReset' );
65 $this->mPosted = $request->wasPosted();
66 $this->mSuccess = $request->getCheck( 'success' );
67 $this->mWatchlistDays = $request->getVal( 'wpWatchlistDays' );
68 $this->mWatchlistEdits = $request->getVal( 'wpWatchlistEdits' );
69
70 $this->mSaveprefs = $request->getCheck( 'wpSaveprefs' ) &&
71 $this->mPosted &&
72 $wgUser->matchEditToken( $request->getVal( 'wpEditToken' ) );
73
74 # User toggles (the big ugly unsorted list of checkboxes)
75 $this->mToggles = array();
76 if ( $this->mPosted ) {
77 $togs = User::getToggles();
78 foreach ( $togs as $tname ) {
79 $this->mToggles[$tname] = $request->getCheck( "wpOp$tname" ) ? 1 : 0;
80 }
81 }
82
83 $this->mUsedToggles = array();
84
85 # Search namespace options
86 # Note: namespaces don't necessarily have consecutive keys
87 $this->mSearchNs = array();
88 if ( $this->mPosted ) {
89 $namespaces = $wgContLang->getNamespaces();
90 foreach ( $namespaces as $i => $namespace ) {
91 if ( $i >= 0 ) {
92 $this->mSearchNs[$i] = $request->getCheck( "wpNs$i" ) ? 1 : 0;
93 }
94 }
95 }
96
97 # Validate language
98 if ( !preg_match( '/^[a-z\-]*$/', $this->mUserLanguage ) ) {
99 $this->mUserLanguage = 'nolanguage';
100 }
101 }
102
103 function execute() {
104 global $wgUser, $wgOut;
105
106 if ( $wgUser->isAnon() ) {
107 $wgOut->showErrorPage( 'prefsnologin', 'prefsnologintext' );
108 return;
109 }
110 if ( wfReadOnly() ) {
111 $wgOut->readOnlyPage();
112 return;
113 }
114 if ( $this->mReset ) {
115 $this->resetPrefs();
116 $this->mainPrefsForm( 'reset', wfMsg( 'prefsreset' ) );
117 } else if ( $this->mSaveprefs ) {
118 $this->savePreferences();
119 } else {
120 $this->resetPrefs();
121 $this->mainPrefsForm( '' );
122 }
123 }
124 /**
125 * @access private
126 */
127 function validateInt( &$val, $min=0, $max=0x7fffffff ) {
128 $val = intval($val);
129 $val = min($val, $max);
130 $val = max($val, $min);
131 return $val;
132 }
133
134 /**
135 * @access private
136 */
137 function validateFloat( &$val, $min, $max=0x7fffffff ) {
138 $val = floatval( $val );
139 $val = min( $val, $max );
140 $val = max( $val, $min );
141 return( $val );
142 }
143
144 /**
145 * @access private
146 */
147 function validateIntOrNull( &$val, $min=0, $max=0x7fffffff ) {
148 $val = trim($val);
149 if($val === '') {
150 return $val;
151 } else {
152 return $this->validateInt( $val, $min, $max );
153 }
154 }
155
156 /**
157 * @access private
158 */
159 function validateDate( $val ) {
160 global $wgLang, $wgContLang;
161 if ( $val !== false && (
162 in_array( $val, (array)$wgLang->getDatePreferences() ) ||
163 in_array( $val, (array)$wgContLang->getDatePreferences() ) ) )
164 {
165 return $val;
166 } else {
167 return $wgLang->getDefaultDateFormat();
168 }
169 }
170
171 /**
172 * Used to validate the user inputed timezone before saving it as
173 * 'timeciorrection', will return '00:00' if fed bogus data.
174 * Note: It's not a 100% correct implementation timezone-wise, it will
175 * accept stuff like '14:30',
176 * @access private
177 * @param string $s the user input
178 * @return string
179 */
180 function validateTimeZone( $s ) {
181 if ( $s !== '' ) {
182 if ( strpos( $s, ':' ) ) {
183 # HH:MM
184 $array = explode( ':' , $s );
185 $hour = intval( $array[0] );
186 $minute = intval( $array[1] );
187 } else {
188 $minute = intval( $s * 60 );
189 $hour = intval( $minute / 60 );
190 $minute = abs( $minute ) % 60;
191 }
192 # Max is +14:00 and min is -12:00, see:
193 # http://en.wikipedia.org/wiki/Timezone
194 $hour = min( $hour, 14 );
195 $hour = max( $hour, -12 );
196 $minute = min( $minute, 59 );
197 $minute = max( $minute, 0 );
198 $s = sprintf( "%02d:%02d", $hour, $minute );
199 }
200 return $s;
201 }
202
203 /**
204 * @access private
205 */
206 function savePreferences() {
207 global $wgUser, $wgOut, $wgParser;
208 global $wgEnableUserEmail, $wgEnableEmail;
209 global $wgEmailAuthentication, $wgMinimalPasswordLength;
210 global $wgAuth;
211
212
213 if ( '' != $this->mNewpass && $wgAuth->allowPasswordChange() ) {
214 if ( $this->mNewpass != $this->mRetypePass ) {
215 $this->mainPrefsForm( 'error', wfMsg( 'badretype' ) );
216 return;
217 }
218
219 if ( strlen( $this->mNewpass ) < $wgMinimalPasswordLength ) {
220 $this->mainPrefsForm( 'error', wfMsg( 'passwordtooshort', $wgMinimalPasswordLength ) );
221 return;
222 }
223
224 if (!$wgUser->checkPassword( $this->mOldpass )) {
225 $this->mainPrefsForm( 'error', wfMsg( 'wrongpassword' ) );
226 return;
227 }
228 if (!$wgAuth->setPassword( $wgUser, $this->mNewpass )) {
229 $this->mainPrefsForm( 'error', wfMsg( 'externaldberror' ) );
230 return;
231 }
232 $wgUser->setPassword( $this->mNewpass );
233 $this->mNewpass = $this->mOldpass = $this->mRetypePass = '';
234
235 }
236 $wgUser->setRealName( $this->mRealName );
237
238 if( $wgUser->getOption( 'language' ) !== $this->mUserLanguage ) {
239 $needRedirect = true;
240 } else {
241 $needRedirect = false;
242 }
243
244 # Validate the signature and clean it up as needed
245 if( $this->mToggles['fancysig'] ) {
246 if( Parser::validateSig( $this->mNick ) !== false ) {
247 $this->mNick = $wgParser->cleanSig( $this->mNick );
248 } else {
249 $this->mainPrefsForm( 'error', wfMsg( 'badsig' ) );
250 }
251 } else {
252 // When no fancy sig used, make sure ~{3,5} get removed.
253 $this->mNick = $wgParser->cleanSigInSig( $this->mNick );
254 }
255
256 $wgUser->setOption( 'language', $this->mUserLanguage );
257 $wgUser->setOption( 'variant', $this->mUserVariant );
258 $wgUser->setOption( 'nickname', $this->mNick );
259 $wgUser->setOption( 'quickbar', $this->mQuickbar );
260 $wgUser->setOption( 'skin', $this->mSkin );
261 global $wgUseTeX;
262 if( $wgUseTeX ) {
263 $wgUser->setOption( 'math', $this->mMath );
264 }
265 $wgUser->setOption( 'date', $this->validateDate( $this->mDate ) );
266 $wgUser->setOption( 'searchlimit', $this->validateIntOrNull( $this->mSearch ) );
267 $wgUser->setOption( 'contextlines', $this->validateIntOrNull( $this->mSearchLines ) );
268 $wgUser->setOption( 'contextchars', $this->validateIntOrNull( $this->mSearchChars ) );
269 $wgUser->setOption( 'rclimit', $this->validateIntOrNull( $this->mRecent ) );
270 $wgUser->setOption( 'wllimit', $this->validateIntOrNull( $this->mWatchlistEdits, 0, 1000 ) );
271 $wgUser->setOption( 'rows', $this->validateInt( $this->mRows, 4, 1000 ) );
272 $wgUser->setOption( 'cols', $this->validateInt( $this->mCols, 4, 1000 ) );
273 $wgUser->setOption( 'stubthreshold', $this->validateIntOrNull( $this->mStubs ) );
274 $wgUser->setOption( 'timecorrection', $this->validateTimeZone( $this->mHourDiff, -12, 14 ) );
275 $wgUser->setOption( 'imagesize', $this->mImageSize );
276 $wgUser->setOption( 'thumbsize', $this->mThumbSize );
277 $wgUser->setOption( 'underline', $this->validateInt($this->mUnderline, 0, 2) );
278 $wgUser->setOption( 'watchlistdays', $this->validateFloat( $this->mWatchlistDays, 0, 7 ) );
279
280 # Set search namespace options
281 foreach( $this->mSearchNs as $i => $value ) {
282 $wgUser->setOption( "searchNs{$i}", $value );
283 }
284
285 if( $wgEnableEmail && $wgEnableUserEmail ) {
286 $wgUser->setOption( 'disablemail', $this->mEmailFlag );
287 }
288
289 # Set user toggles
290 foreach ( $this->mToggles as $tname => $tvalue ) {
291 $wgUser->setOption( $tname, $tvalue );
292 }
293 if (!$wgAuth->updateExternalDB($wgUser)) {
294 $this->mainPrefsForm( wfMsg( 'externaldberror' ) );
295 return;
296 }
297 $wgUser->setCookies();
298 $wgUser->saveSettings();
299
300 $error = false;
301 if( $wgEnableEmail ) {
302 $newadr = $this->mUserEmail;
303 $oldadr = $wgUser->getEmail();
304 if( ($newadr != '') && ($newadr != $oldadr) ) {
305 # the user has supplied a new email address on the login page
306 if( $wgUser->isValidEmailAddr( $newadr ) ) {
307 $wgUser->mEmail = $newadr; # new behaviour: set this new emailaddr from login-page into user database record
308 $wgUser->mEmailAuthenticated = null; # but flag as "dirty" = unauthenticated
309 $wgUser->saveSettings();
310 if ($wgEmailAuthentication) {
311 # Mail a temporary password to the dirty address.
312 # User can come back through the confirmation URL to re-enable email.
313 $result = $wgUser->sendConfirmationMail();
314 if( WikiError::isError( $result ) ) {
315 $error = wfMsg( 'mailerror', htmlspecialchars( $result->getMessage() ) );
316 } else {
317 $error = wfMsg( 'eauthentsent', $wgUser->getName() );
318 }
319 }
320 } else {
321 $error = wfMsg( 'invalidemailaddress' );
322 }
323 } else {
324 $wgUser->setEmail( $this->mUserEmail );
325 $wgUser->setCookies();
326 $wgUser->saveSettings();
327 }
328 }
329
330 if( $needRedirect && $error === false ) {
331 $title =& SpecialPage::getTitleFor( "Preferences" );
332 $wgOut->redirect($title->getFullURL('success'));
333 return;
334 }
335
336 $wgOut->setParserOptions( ParserOptions::newFromUser( $wgUser ) );
337 $po = ParserOptions::newFromUser( $wgUser );
338 $this->mainPrefsForm( $error === false ? 'success' : 'error', $error);
339 }
340
341 /**
342 * @access private
343 */
344 function resetPrefs() {
345 global $wgUser, $wgLang, $wgContLang, $wgAllowRealName;
346
347 $this->mOldpass = $this->mNewpass = $this->mRetypePass = '';
348 $this->mUserEmail = $wgUser->getEmail();
349 $this->mUserEmailAuthenticationtimestamp = $wgUser->getEmailAuthenticationtimestamp();
350 $this->mRealName = ($wgAllowRealName) ? $wgUser->getRealName() : '';
351 $this->mUserLanguage = $wgUser->getOption( 'language' );
352 if( empty( $this->mUserLanguage ) ) {
353 # Quick hack for conversions, where this value is blank
354 global $wgContLanguageCode;
355 $this->mUserLanguage = $wgContLanguageCode;
356 }
357 $this->mUserVariant = $wgUser->getOption( 'variant');
358 $this->mEmailFlag = $wgUser->getOption( 'disablemail' ) == 1 ? 1 : 0;
359 $this->mNick = $wgUser->getOption( 'nickname' );
360
361 $this->mQuickbar = $wgUser->getOption( 'quickbar' );
362 $this->mSkin = Skin::normalizeKey( $wgUser->getOption( 'skin' ) );
363 $this->mMath = $wgUser->getOption( 'math' );
364 $this->mDate = $wgUser->getDatePreference();
365 $this->mRows = $wgUser->getOption( 'rows' );
366 $this->mCols = $wgUser->getOption( 'cols' );
367 $this->mStubs = $wgUser->getOption( 'stubthreshold' );
368 $this->mHourDiff = $wgUser->getOption( 'timecorrection' );
369 $this->mSearch = $wgUser->getOption( 'searchlimit' );
370 $this->mSearchLines = $wgUser->getOption( 'contextlines' );
371 $this->mSearchChars = $wgUser->getOption( 'contextchars' );
372 $this->mImageSize = $wgUser->getOption( 'imagesize' );
373 $this->mThumbSize = $wgUser->getOption( 'thumbsize' );
374 $this->mRecent = $wgUser->getOption( 'rclimit' );
375 $this->mWatchlistEdits = $wgUser->getOption( 'wllimit' );
376 $this->mUnderline = $wgUser->getOption( 'underline' );
377 $this->mWatchlistDays = $wgUser->getOption( 'watchlistdays' );
378
379 $togs = User::getToggles();
380 foreach ( $togs as $tname ) {
381 $this->mToggles[$tname] = $wgUser->getOption( $tname );
382 }
383
384 $namespaces = $wgContLang->getNamespaces();
385 foreach ( $namespaces as $i => $namespace ) {
386 if ( $i >= NS_MAIN ) {
387 $this->mSearchNs[$i] = $wgUser->getOption( 'searchNs'.$i );
388 }
389 }
390 }
391
392 /**
393 * @access private
394 */
395 function namespacesCheckboxes() {
396 global $wgContLang;
397
398 # Determine namespace checkboxes
399 $namespaces = $wgContLang->getNamespaces();
400 $r1 = null;
401
402 foreach ( $namespaces as $i => $name ) {
403 if ($i < 0)
404 continue;
405 $checked = $this->mSearchNs[$i] ? "checked='checked'" : '';
406 $name = str_replace( '_', ' ', $namespaces[$i] );
407
408 if ( empty($name) )
409 $name = wfMsg( 'blanknamespace' );
410
411 $r1 .= "<input type='checkbox' value='1' name='wpNs$i' id='wpNs$i' {$checked}/> <label for='wpNs$i'>{$name}</label><br />\n";
412 }
413 return $r1;
414 }
415
416
417 function getToggle( $tname, $trailer = false, $disabled = false ) {
418 global $wgUser, $wgLang;
419
420 $this->mUsedToggles[$tname] = true;
421 $ttext = $wgLang->getUserToggle( $tname );
422
423 $checked = $wgUser->getOption( $tname ) == 1 ? ' checked="checked"' : '';
424 $disabled = $disabled ? ' disabled="disabled"' : '';
425 $trailer = $trailer ? $trailer : '';
426 return "<div class='toggle'><input type='checkbox' value='1' id=\"$tname\" name=\"wpOp$tname\"$checked$disabled />" .
427 " <span class='toggletext'><label for=\"$tname\">$ttext</label>$trailer</span></div>\n";
428 }
429
430 function getToggles( $items ) {
431 $out = "";
432 foreach( $items as $item ) {
433 if( $item === false )
434 continue;
435 if( is_array( $item ) ) {
436 list( $key, $trailer ) = $item;
437 } else {
438 $key = $item;
439 $trailer = false;
440 }
441 $out .= $this->getToggle( $key, $trailer );
442 }
443 return $out;
444 }
445
446 function addRow($td1, $td2) {
447 return "<tr><td align='right'>$td1</td><td align='left'>$td2</td></tr>";
448 }
449
450 /**
451 * @access private
452 */
453 function mainPrefsForm( $status , $message = '' ) {
454 global $wgUser, $wgOut, $wgLang, $wgContLang;
455 global $wgAllowRealName, $wgImageLimits, $wgThumbLimits;
456 global $wgDisableLangConversion;
457 global $wgEnotifWatchlist, $wgEnotifUserTalk,$wgEnotifMinorEdits;
458 global $wgRCShowWatchingUsers, $wgEnotifRevealEditorAddress;
459 global $wgEnableEmail, $wgEnableUserEmail, $wgEmailAuthentication;
460 global $wgContLanguageCode, $wgDefaultSkin, $wgSkipSkins, $wgAuth;
461
462 $wgOut->setPageTitle( wfMsg( 'preferences' ) );
463 $wgOut->setArticleRelated( false );
464 $wgOut->setRobotpolicy( 'noindex,nofollow' );
465
466 if ( $this->mSuccess || 'success' == $status ) {
467 $wgOut->addWikitext( '<div class="successbox"><strong>'. wfMsg( 'savedprefs' ) . '</strong></div>' );
468 } else if ( 'error' == $status ) {
469 $wgOut->addWikitext( '<div class="errorbox"><strong>' . $message . '</strong></div>' );
470 } else if ( '' != $status ) {
471 $wgOut->addWikitext( $message . "\n----" );
472 }
473
474 $qbs = $wgLang->getQuickbarSettings();
475 $skinNames = $wgLang->getSkinNames();
476 $mathopts = $wgLang->getMathNames();
477 $dateopts = $wgLang->getDatePreferences();
478 $togs = User::getToggles();
479
480 $titleObj = SpecialPage::getTitleFor( 'Preferences' );
481 $action = $titleObj->escapeLocalURL();
482
483 # Pre-expire some toggles so they won't show if disabled
484 $this->mUsedToggles[ 'shownumberswatching' ] = true;
485 $this->mUsedToggles[ 'showupdated' ] = true;
486 $this->mUsedToggles[ 'enotifwatchlistpages' ] = true;
487 $this->mUsedToggles[ 'enotifusertalkpages' ] = true;
488 $this->mUsedToggles[ 'enotifminoredits' ] = true;
489 $this->mUsedToggles[ 'enotifrevealaddr' ] = true;
490 $this->mUsedToggles[ 'uselivepreview' ] = true;
491
492 # Enotif
493 # <FIXME>
494 $this->mUserEmail = htmlspecialchars( $this->mUserEmail );
495 $this->mRealName = htmlspecialchars( $this->mRealName );
496 $rawNick = $this->mNick;
497 $this->mNick = htmlspecialchars( $this->mNick );
498 if ( !$this->mEmailFlag ) { $emfc = 'checked="checked"'; }
499 else { $emfc = ''; }
500
501
502 if ($wgEmailAuthentication && ($this->mUserEmail != '') ) {
503 if( $wgUser->getEmailAuthenticationTimestamp() ) {
504 $emailauthenticated = wfMsg('emailauthenticated',$wgLang->timeanddate($wgUser->getEmailAuthenticationTimestamp(), true ) ).'<br />';
505 $disableEmailPrefs = false;
506 } else {
507 $disableEmailPrefs = true;
508 $skin = $wgUser->getSkin();
509 $emailauthenticated = wfMsg('emailnotauthenticated').'<br />' .
510 $skin->makeKnownLinkObj( SpecialPage::getTitleFor( 'Confirmemail' ),
511 wfMsg( 'emailconfirmlink' ) );
512 }
513 } else {
514 $emailauthenticated = '';
515 $disableEmailPrefs = false;
516 }
517
518 if ($this->mUserEmail == '') {
519 $emailauthenticated = wfMsg( 'noemailprefs' );
520 }
521
522 $ps = $this->namespacesCheckboxes();
523
524 $enotifwatchlistpages = ($wgEnotifWatchlist) ? $this->getToggle( 'enotifwatchlistpages', false, $disableEmailPrefs ) : '';
525 $enotifusertalkpages = ($wgEnotifUserTalk) ? $this->getToggle( 'enotifusertalkpages', false, $disableEmailPrefs ) : '';
526 $enotifminoredits = ($wgEnotifWatchlist && $wgEnotifMinorEdits) ? $this->getToggle( 'enotifminoredits', false, $disableEmailPrefs ) : '';
527 $enotifrevealaddr = (($wgEnotifWatchlist || $wgEnotifUserTalk) && $wgEnotifRevealEditorAddress) ? $this->getToggle( 'enotifrevealaddr', false, $disableEmailPrefs ) : '';
528
529 # </FIXME>
530
531 $wgOut->addHTML( "<form action=\"$action\" method='post'>" );
532 $wgOut->addHTML( "<div id='preferences'>" );
533
534 # User data
535 #
536
537 $wgOut->addHTML( "<fieldset>\n<legend>" . wfMsg('prefs-personal') . "</legend>\n<table>\n");
538
539 $wgOut->addHTML(
540 $this->addRow(
541 wfMsg( 'username'),
542 $wgUser->getName()
543 )
544 );
545
546 $wgOut->addHTML(
547 $this->addRow(
548 wfMsg( 'uid' ),
549 $wgUser->getID()
550 )
551 );
552
553
554 if ($wgAllowRealName) {
555 $wgOut->addHTML(
556 $this->addRow(
557 '<label for="wpRealName">' . wfMsg('yourrealname') . '</label>',
558 "<input type='text' name='wpRealName' id='wpRealName' value=\"{$this->mRealName}\" size='25' />"
559 )
560 );
561 }
562 if ($wgEnableEmail) {
563 $wgOut->addHTML(
564 $this->addRow(
565 '<label for="wpUserEmail">' . wfMsg( 'youremail' ) . '</label>',
566 "<input type='text' name='wpUserEmail' id='wpUserEmail' value=\"{$this->mUserEmail}\" size='25' />"
567 )
568 );
569 }
570
571 global $wgParser;
572 if( !empty( $this->mToggles['fancysig'] ) &&
573 false === $wgParser->validateSig( $rawNick ) ) {
574 $invalidSig = $this->addRow(
575 '&nbsp;',
576 '<span class="error">' . wfMsgHtml( 'badsig' ) . '<span>'
577 );
578 } else {
579 $invalidSig = '';
580 }
581
582 $wgOut->addHTML(
583 $this->addRow(
584 '<label for="wpNick">' . wfMsg( 'yournick' ) . '</label>',
585 "<input type='text' name='wpNick' id='wpNick' value=\"{$this->mNick}\" size='25' />"
586 ) .
587 $invalidSig .
588 # FIXME: The <input> part should be where the &nbsp; is, getToggle() needs
589 # to be changed to out return its output in two parts. -รฆvar
590 $this->addRow(
591 '&nbsp;',
592 $this->getToggle( 'fancysig' )
593 )
594 );
595
596 /**
597 * Make sure the site language is in the list; a custom language code
598 * might not have a defined name...
599 */
600 $languages = $wgLang->getLanguageNames( true );
601 if( !array_key_exists( $wgContLanguageCode, $languages ) ) {
602 $languages[$wgContLanguageCode] = $wgContLanguageCode;
603 }
604 ksort( $languages );
605
606 /**
607 * If a bogus value is set, default to the content language.
608 * Otherwise, no default is selected and the user ends up
609 * with an Afrikaans interface since it's first in the list.
610 */
611 $selectedLang = isset( $languages[$this->mUserLanguage] ) ? $this->mUserLanguage : $wgContLanguageCode;
612 $options = "\n";
613 foreach( $languages as $code => $name ) {
614 $selected = ($code == $selectedLang);
615 $options .= Xml::option( "$code - $name", $code, $selected ) . "\n";
616 }
617 $wgOut->addHTML(
618 $this->addRow(
619 '<label for="wpUserLanguage">' . wfMsg('yourlanguage') . '</label>',
620 "<select name='wpUserLanguage' id='wpUserLanguage'>$options</select>"
621 )
622 );
623
624 /* see if there are multiple language variants to choose from*/
625 if(!$wgDisableLangConversion) {
626 $variants = $wgContLang->getVariants();
627 $variantArray = array();
628
629 foreach($variants as $v) {
630 $v = str_replace( '_', '-', strtolower($v));
631 if( array_key_exists( $v, $languages ) ) {
632 // If it doesn't have a name, we'll pretend it doesn't exist
633 $variantArray[$v] = $languages[$v];
634 }
635 }
636
637 $options = "\n";
638 foreach( $variantArray as $code => $name ) {
639 $selected = ($code == $this->mUserVariant);
640 $options .= Xml::option( "$code - $name", $code, $selected ) . "\n";
641 }
642
643 if(count($variantArray) > 1) {
644 $wgOut->addHtml(
645 $this->addRow( wfMsg( 'yourvariant' ),
646 "<select name='wpUserVariant'>$options</select>" )
647 );
648 }
649 }
650 $wgOut->addHTML('</table>');
651
652 # Password
653 if( $wgAuth->allowPasswordChange() ) {
654 $this->mOldpass = htmlspecialchars( $this->mOldpass );
655 $this->mNewpass = htmlspecialchars( $this->mNewpass );
656 $this->mRetypePass = htmlspecialchars( $this->mRetypePass );
657
658 $wgOut->addHTML( '<fieldset><legend>' . wfMsg( 'changepassword' ) . '</legend><table>');
659 $wgOut->addHTML(
660 $this->addRow(
661 '<label for="wpOldpass">' . wfMsg( 'oldpassword' ) . '</label>',
662 "<input type='password' name='wpOldpass' id='wpOldpass' value=\"{$this->mOldpass}\" size='20' />"
663 ) .
664 $this->addRow(
665 '<label for="wpNewpass">' . wfMsg( 'newpassword' ) . '</label>',
666 "<input type='password' name='wpNewpass' id='wpNewpass' value=\"{$this->mNewpass}\" size='20' />"
667 ) .
668 $this->addRow(
669 '<label for="wpRetypePass">' . wfMsg( 'retypenew' ) . '</label>',
670 "<input type='password' name='wpRetypePass' id='wpRetypePass' value=\"{$this->mRetypePass}\" size='20' />"
671 ) .
672 "</table>\n" .
673 $this->getToggle( "rememberpassword" ) . "</fieldset>\n\n" );
674 }
675
676 # <FIXME>
677 # Enotif
678 if ($wgEnableEmail) {
679 $wgOut->addHTML( '<fieldset><legend>' . wfMsg( 'email' ) . '</legend>' );
680 $wgOut->addHTML(
681 $emailauthenticated.
682 $enotifrevealaddr.
683 $enotifwatchlistpages.
684 $enotifusertalkpages.
685 $enotifminoredits );
686 if ($wgEnableUserEmail) {
687 $emf = wfMsg( 'allowemail' );
688 $disabled = $disableEmailPrefs ? ' disabled="disabled"' : '';
689 $wgOut->addHTML(
690 "<div><input type='checkbox' $emfc $disabled value='1' name='wpEmailFlag' id='wpEmailFlag' /> <label for='wpEmailFlag'>$emf</label></div>" );
691 }
692
693 $wgOut->addHTML( '</fieldset>' );
694 }
695 # </FIXME>
696
697 # Show little "help" tips for the real name and email address options
698 if( $wgAllowRealName || $wgEnableEmail ) {
699 if( $wgAllowRealName )
700 $tips[] = wfMsg( 'prefs-help-realname' );
701 if( $wgEnableEmail )
702 $tips[] = wfMsg( 'prefs-help-email' );
703 $wgOut->addHtml( '<div class="prefsectiontip">' . implode( '<br />', $tips ) . '</div>' );
704 }
705
706 $wgOut->addHTML( '</fieldset>' );
707
708 # Quickbar
709 #
710 if ($this->mSkin == 'cologneblue' || $this->mSkin == 'standard') {
711 $wgOut->addHtml( "<fieldset>\n<legend>" . wfMsg( 'qbsettings' ) . "</legend>\n" );
712 for ( $i = 0; $i < count( $qbs ); ++$i ) {
713 if ( $i == $this->mQuickbar ) { $checked = ' checked="checked"'; }
714 else { $checked = ""; }
715 $wgOut->addHTML( "<div><label><input type='radio' name='wpQuickbar' value=\"$i\"$checked />{$qbs[$i]}</label></div>\n" );
716 }
717 $wgOut->addHtml( "</fieldset>\n\n" );
718 } else {
719 # Need to output a hidden option even if the relevant skin is not in use,
720 # otherwise the preference will get reset to 0 on submit
721 $wgOut->addHtml( wfHidden( 'wpQuickbar', $this->mQuickbar ) );
722 }
723
724 # Skin
725 #
726 $wgOut->addHTML( "<fieldset>\n<legend>\n" . wfMsg('skin') . "</legend>\n" );
727 $mptitle = Title::newMainPage();
728 $previewtext = wfMsg('skinpreview');
729 # Only show members of Skin::getSkinNames() rather than
730 # $skinNames (skins is all skin names from Language.php)
731 $validSkinNames = Skin::getSkinNames();
732 # Sort by UI skin name. First though need to update validSkinNames as sometimes
733 # the skinkey & UI skinname differ (e.g. "standard" skinkey is "Classic" in the UI).
734 foreach ($validSkinNames as $skinkey => & $skinname ) {
735 if ( isset( $skinNames[$skinkey] ) ) {
736 $skinname = $skinNames[$skinkey];
737 }
738 }
739 asort($validSkinNames);
740 foreach ($validSkinNames as $skinkey => $sn ) {
741 if ( in_array( $skinkey, $wgSkipSkins ) ) {
742 continue;
743 }
744 $checked = $skinkey == $this->mSkin ? ' checked="checked"' : '';
745
746 $mplink = htmlspecialchars($mptitle->getLocalURL("useskin=$skinkey"));
747 $previewlink = "<a target='_blank' href=\"$mplink\">$previewtext</a>";
748 if( $skinkey == $wgDefaultSkin )
749 $sn .= ' (' . wfMsg( 'default' ) . ')';
750 $wgOut->addHTML( "<input type='radio' name='wpSkin' id=\"wpSkin$skinkey\" value=\"$skinkey\"$checked /> <label for=\"wpSkin$skinkey\">{$sn}</label> $previewlink<br />\n" );
751 }
752 $wgOut->addHTML( "</fieldset>\n\n" );
753
754 # Math
755 #
756 global $wgUseTeX;
757 if( $wgUseTeX ) {
758 $wgOut->addHTML( "<fieldset>\n<legend>" . wfMsg('math') . '</legend>' );
759 foreach ( $mathopts as $k => $v ) {
760 $checked = $k == $this->mMath ? ' checked="checked"' : '';
761 $wgOut->addHTML( "<div><label><input type='radio' name='wpMath' value=\"$k\"$checked /> ".wfMsg($v)."</label></div>\n" );
762 }
763 $wgOut->addHTML( "</fieldset>\n\n" );
764 }
765
766 # Files
767 #
768 $wgOut->addHTML(
769 "<fieldset>\n" . Xml::element( 'legend', null, wfMsg( 'files' ) ) . "\n"
770 );
771
772 $imageLimitOptions = null;
773 foreach ( $wgImageLimits as $index => $limits ) {
774 $selected = ($index == $this->mImageSize);
775 $imageLimitOptions .= Xml::option( "{$limits[0]}ร—{$limits[1]}" .
776 wfMsg('unit-pixel'), $index, $selected );
777 }
778
779 $imageSizeId = 'wpImageSize';
780 $wgOut->addHTML(
781 "<div>" . Xml::label( wfMsg('imagemaxsize'), $imageSizeId ) . " " .
782 Xml::openElement( 'select', array( 'name' => $imageSizeId, 'id' => $imageSizeId ) ) .
783 $imageLimitOptions .
784 Xml::closeElement( 'select' ) . "</div>\n"
785 );
786
787 $imageThumbOptions = null;
788 foreach ( $wgThumbLimits as $index => $size ) {
789 $selected = ($index == $this->mThumbSize);
790 $imageThumbOptions .= Xml::option($size . wfMsg('unit-pixel'), $index,
791 $selected);
792 }
793
794 $thumbSizeId = 'wpThumbSize';
795 $wgOut->addHTML(
796 "<div>" . Xml::label( wfMsg('thumbsize'), $thumbSizeId ) . " " .
797 Xml::openElement( 'select', array( 'name' => $thumbSizeId, 'id' => $thumbSizeId ) ) .
798 $imageThumbOptions .
799 Xml::closeElement( 'select' ) . "</div>\n"
800 );
801
802 $wgOut->addHTML( "</fieldset>\n\n" );
803
804 # Date format
805 #
806 # Date/Time
807 #
808
809 $wgOut->addHTML( "<fieldset>\n<legend>" . wfMsg( 'datetime' ) . "</legend>\n" );
810
811 if ($dateopts) {
812 $wgOut->addHTML( "<fieldset>\n<legend>" . wfMsg( 'dateformat' ) . "</legend>\n" );
813 $idCnt = 0;
814 $epoch = '20010115161234'; # Wikipedia day
815 foreach( $dateopts as $key ) {
816 if( $key == 'default' ) {
817 $formatted = wfMsgHtml( 'datedefault' );
818 } else {
819 $formatted = htmlspecialchars( $wgLang->timeanddate( $epoch, false, $key ) );
820 }
821 ($key == $this->mDate) ? $checked = ' checked="checked"' : $checked = '';
822 $wgOut->addHTML( "<div><input type='radio' name=\"wpDate\" id=\"wpDate$idCnt\" ".
823 "value=\"$key\"$checked /> <label for=\"wpDate$idCnt\">$formatted</label></div>\n" );
824 $idCnt++;
825 }
826 $wgOut->addHTML( "</fieldset>\n" );
827 }
828
829 $nowlocal = $wgLang->time( $now = wfTimestampNow(), true );
830 $nowserver = $wgLang->time( $now, false );
831
832 $wgOut->addHTML( '<fieldset><legend>' . wfMsg( 'timezonelegend' ). '</legend><table>' .
833 $this->addRow( wfMsg( 'servertime' ), $nowserver ) .
834 $this->addRow( wfMsg( 'localtime' ), $nowlocal ) .
835 $this->addRow(
836 '<label for="wpHourDiff">' . wfMsg( 'timezoneoffset' ) . '</label>',
837 "<input type='text' name='wpHourDiff' id='wpHourDiff' value=\"" . htmlspecialchars( $this->mHourDiff ) . "\" size='6' />"
838 ) . "<tr><td colspan='2'>
839 <input type='button' value=\"" . wfMsg( 'guesstimezone' ) ."\"
840 onclick='javascript:guessTimezone()' id='guesstimezonebutton' style='display:none;' />
841 </td></tr></table><div class='prefsectiontip'>ยน" . wfMsg( 'timezonetext' ) . "</div></fieldset>
842 </fieldset>\n\n" );
843
844 # Editing
845 #
846 global $wgLivePreview, $wgUseRCPatrol;
847 $wgOut->addHTML( '<fieldset><legend>' . wfMsg( 'textboxsize' ) . '</legend>
848 <div>' .
849 wfInputLabel( wfMsg( 'rows' ), 'wpRows', 'wpRows', 3, $this->mRows ) .
850 ' ' .
851 wfInputLabel( wfMsg( 'columns' ), 'wpCols', 'wpCols', 3, $this->mCols ) .
852 "</div>" .
853 $this->getToggles( array(
854 'editsection',
855 'editsectiononrightclick',
856 'editondblclick',
857 'editwidth',
858 'showtoolbar',
859 'previewonfirst',
860 'previewontop',
861 'watchcreations',
862 'watchdefault',
863 'minordefault',
864 'externaleditor',
865 'externaldiff',
866 $wgLivePreview ? 'uselivepreview' : false,
867 $wgUser->isAllowed( 'patrol' ) && $wgUseRCPatrol ? 'autopatrol' : false,
868 'forceeditsummary',
869 ) ) . '</fieldset>'
870 );
871 $this->mUsedToggles['autopatrol'] = true; # Don't show this up for users who can't; the handler below is dumb and doesn't know it
872
873 $wgOut->addHTML( '<fieldset><legend>' . htmlspecialchars(wfMsg('prefs-rc')) . '</legend>' .
874 wfInputLabel( wfMsg( 'recentchangescount' ),
875 'wpRecent', 'wpRecent', 3, $this->mRecent ) .
876 $this->getToggles( array(
877 'hideminor',
878 $wgRCShowWatchingUsers ? 'shownumberswatching' : false,
879 'usenewrc' )
880 ) . '</fieldset>'
881 );
882
883 # Watchlist
884 $wgOut->addHTML( '<fieldset><legend>' . wfMsgHtml( 'prefs-watchlist' ) . '</legend>' );
885
886 $wgOut->addHTML( wfInputLabel( wfMsg( 'prefs-watchlist-days' ),
887 'wpWatchlistDays', 'wpWatchlistDays', 3, $this->mWatchlistDays ) );
888 $wgOut->addHTML( '<br /><br />' ); # Spacing
889 $wgOut->addHTML( $this->getToggles( array( 'watchlisthideown', 'watchlisthidebots', 'extendwatchlist' ) ) );
890 $wgOut->addHTML( wfInputLabel( wfMsg( 'prefs-watchlist-edits' ),
891 'wpWatchlistEdits', 'wpWatchlistEdits', 3, $this->mWatchlistEdits ) );
892
893 $wgOut->addHTML( '</fieldset>' );
894
895 # Search
896 $wgOut->addHTML( '<fieldset><legend>' . wfMsg( 'searchresultshead' ) . '</legend><table>' .
897 $this->addRow(
898 wfLabel( wfMsg( 'resultsperpage' ), 'wpSearch' ),
899 wfInput( 'wpSearch', 4, $this->mSearch, array( 'id' => 'wpSearch' ) )
900 ) .
901 $this->addRow(
902 wfLabel( wfMsg( 'contextlines' ), 'wpSearchLines' ),
903 wfInput( 'wpSearchLines', 4, $this->mSearchLines, array( 'id' => 'wpSearchLines' ) )
904 ) .
905 $this->addRow(
906 wfLabel( wfMsg( 'contextchars' ), 'wpSearchChars' ),
907 wfInput( 'wpSearchChars', 4, $this->mSearchChars, array( 'id' => 'wpSearchChars' ) )
908 ) .
909 "</table><fieldset><legend>" . wfMsg( 'defaultns' ) . "</legend>$ps</fieldset></fieldset>" );
910
911 # Misc
912 #
913 $wgOut->addHTML('<fieldset><legend>' . wfMsg('prefs-misc') . '</legend>');
914 $wgOut->addHTML( wfInputLabel( wfMsg( 'stubthreshold' ),
915 'wpStubs', 'wpStubs', 6, $this->mStubs ) );
916 $msgUnderline = htmlspecialchars( wfMsg ( 'tog-underline' ) );
917 $msgUnderlinenever = htmlspecialchars( wfMsg ( 'underline-never' ) );
918 $msgUnderlinealways = htmlspecialchars( wfMsg ( 'underline-always' ) );
919 $msgUnderlinedefault = htmlspecialchars( wfMsg ( 'underline-default' ) );
920 $uopt = $wgUser->getOption("underline");
921 $s0 = $uopt == 0 ? ' selected="selected"' : '';
922 $s1 = $uopt == 1 ? ' selected="selected"' : '';
923 $s2 = $uopt == 2 ? ' selected="selected"' : '';
924 $wgOut->addHTML("
925 <div class='toggle'><label for='wpOpunderline'>$msgUnderline</label>
926 <select name='wpOpunderline' id='wpOpunderline'>
927 <option value=\"0\"$s0>$msgUnderlinenever</option>
928 <option value=\"1\"$s1>$msgUnderlinealways</option>
929 <option value=\"2\"$s2>$msgUnderlinedefault</option>
930 </select>
931 </div>
932 ");
933 foreach ( $togs as $tname ) {
934 if( !array_key_exists( $tname, $this->mUsedToggles ) ) {
935 $wgOut->addHTML( $this->getToggle( $tname ) );
936 }
937 }
938 $wgOut->addHTML( '</fieldset>' );
939
940 $token = $wgUser->editToken();
941 $wgOut->addHTML( "
942 <div id='prefsubmit'>
943 <div>
944 <input type='submit' name='wpSaveprefs' class='btnSavePrefs' value=\"" . wfMsgHtml( 'saveprefs' ) . "\" accesskey=\"".
945 wfMsgHtml('accesskey-save')."\" title=\"".wfMsgHtml('tooltip-save')."\" />
946 <input type='submit' name='wpReset' value=\"" . wfMsgHtml( 'resetprefs' ) . "\" />
947 </div>
948
949 </div>
950
951 <input type='hidden' name='wpEditToken' value='{$token}' />
952 </div></form>\n" );
953
954 $wgOut->addWikiText( '<div class="prefcache">' . wfMsg('clearyourcache') . '</div>' );
955
956 }
957 }
958 ?>