Merge "Fix phpdoc of wfArrayToCgi"
[lhc/web/wiklou.git] / includes / Preferences.php
1 <?php
2 /**
3 * Form to edit user preferences.
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 */
22
23 /**
24 * We're now using the HTMLForm object with some customisation to generate the
25 * Preferences form. This object handles generic submission, CSRF protection,
26 * layout and other logic in a reusable manner. We subclass it as a PreferencesForm
27 * to make some minor customisations.
28 *
29 * In order to generate the form, the HTMLForm object needs an array structure
30 * detailing the form fields available, and that's what this class is for. Each
31 * element of the array is a basic property-list, including the type of field,
32 * the label it is to be given in the form, callbacks for validation and
33 * 'filtering', and other pertinent information. Note that the 'default' field
34 * is named for generic forms, and does not represent the preference's default
35 * (which is stored in $wgDefaultUserOptions), but the default for the form
36 * field, which should be whatever the user has set for that preference. There
37 * is no need to override it unless you have some special storage logic (for
38 * instance, those not presently stored as options, but which are best set from
39 * the user preferences view).
40 *
41 * Field types are implemented as subclasses of the generic HTMLFormField
42 * object, and typically implement at least getInputHTML, which generates the
43 * HTML for the input field to be placed in the table.
44 *
45 * Once fields have been retrieved and validated, submission logic is handed
46 * over to the tryUISubmit static method of this class.
47 */
48 class Preferences {
49 /** @var array */
50 protected static $defaultPreferences = null;
51
52 /** @var array */
53 protected static $saveFilters = array(
54 'timecorrection' => array( 'Preferences', 'filterTimezoneInput' ),
55 'cols' => array( 'Preferences', 'filterIntval' ),
56 'rows' => array( 'Preferences', 'filterIntval' ),
57 'rclimit' => array( 'Preferences', 'filterIntval' ),
58 'wllimit' => array( 'Preferences', 'filterIntval' ),
59 'searchlimit' => array( 'Preferences', 'filterIntval' ),
60 );
61
62 // Stuff that shouldn't be saved as a preference.
63 private static $saveBlacklist = array(
64 'realname',
65 'emailaddress',
66 );
67
68 /**
69 * @return array
70 */
71 static function getSaveBlacklist() {
72 return self::$saveBlacklist;
73 }
74
75 /**
76 * @throws MWException
77 * @param User $user
78 * @param IContextSource $context
79 * @return array|null
80 */
81 static function getPreferences( $user, IContextSource $context ) {
82 if ( self::$defaultPreferences ) {
83 return self::$defaultPreferences;
84 }
85
86 $defaultPreferences = array();
87
88 self::profilePreferences( $user, $context, $defaultPreferences );
89 self::skinPreferences( $user, $context, $defaultPreferences );
90 self::datetimePreferences( $user, $context, $defaultPreferences );
91 self::filesPreferences( $user, $context, $defaultPreferences );
92 self::renderingPreferences( $user, $context, $defaultPreferences );
93 self::editingPreferences( $user, $context, $defaultPreferences );
94 self::rcPreferences( $user, $context, $defaultPreferences );
95 self::watchlistPreferences( $user, $context, $defaultPreferences );
96 self::searchPreferences( $user, $context, $defaultPreferences );
97 self::miscPreferences( $user, $context, $defaultPreferences );
98
99 Hooks::run( 'GetPreferences', array( $user, &$defaultPreferences ) );
100
101 self::loadPreferenceValues( $user, $context, $defaultPreferences );
102 self::$defaultPreferences = $defaultPreferences;
103 return $defaultPreferences;
104 }
105
106 /**
107 * Loads existing values for a given array of preferences
108 * @throws MWException
109 * @param User $user
110 * @param IContextSource $context
111 * @param array $defaultPreferences Array to load values for
112 * @return array|null
113 */
114 static function loadPreferenceValues( $user, $context, &$defaultPreferences ) {
115 # # Remove preferences that wikis don't want to use
116 foreach ( $context->getConfig()->get( 'HiddenPrefs' ) as $pref ) {
117 if ( isset( $defaultPreferences[$pref] ) ) {
118 unset( $defaultPreferences[$pref] );
119 }
120 }
121
122 # # Make sure that form fields have their parent set. See bug 41337.
123 $dummyForm = new HTMLForm( array(), $context );
124
125 $disable = !$user->isAllowed( 'editmyoptions' );
126
127 $defaultOptions = User::getDefaultOptions();
128 # # Prod in defaults from the user
129 foreach ( $defaultPreferences as $name => &$info ) {
130 $prefFromUser = self::getOptionFromUser( $name, $info, $user );
131 if ( $disable && !in_array( $name, self::$saveBlacklist ) ) {
132 $info['disabled'] = 'disabled';
133 }
134 $field = HTMLForm::loadInputFromParameters( $name, $info, $dummyForm ); // For validation
135 $globalDefault = isset( $defaultOptions[$name] )
136 ? $defaultOptions[$name]
137 : null;
138
139 // If it validates, set it as the default
140 if ( isset( $info['default'] ) ) {
141 // Already set, no problem
142 continue;
143 } elseif ( !is_null( $prefFromUser ) && // Make sure we're not just pulling nothing
144 $field->validate( $prefFromUser, $user->getOptions() ) === true ) {
145 $info['default'] = $prefFromUser;
146 } elseif ( $field->validate( $globalDefault, $user->getOptions() ) === true ) {
147 $info['default'] = $globalDefault;
148 } else {
149 throw new MWException( "Global default '$globalDefault' is invalid for field $name" );
150 }
151 }
152
153 return $defaultPreferences;
154 }
155
156 /**
157 * Pull option from a user account. Handles stuff like array-type preferences.
158 *
159 * @param string $name
160 * @param array $info
161 * @param User $user
162 * @return array|string
163 */
164 static function getOptionFromUser( $name, $info, $user ) {
165 $val = $user->getOption( $name );
166
167 // Handling for multiselect preferences
168 if ( ( isset( $info['type'] ) && $info['type'] == 'multiselect' ) ||
169 ( isset( $info['class'] ) && $info['class'] == 'HTMLMultiSelectField' ) ) {
170 $options = HTMLFormField::flattenOptions( $info['options'] );
171 $prefix = isset( $info['prefix'] ) ? $info['prefix'] : $name;
172 $val = array();
173
174 foreach ( $options as $value ) {
175 if ( $user->getOption( "$prefix$value" ) ) {
176 $val[] = $value;
177 }
178 }
179 }
180
181 // Handling for checkmatrix preferences
182 if ( ( isset( $info['type'] ) && $info['type'] == 'checkmatrix' ) ||
183 ( isset( $info['class'] ) && $info['class'] == 'HTMLCheckMatrix' ) ) {
184 $columns = HTMLFormField::flattenOptions( $info['columns'] );
185 $rows = HTMLFormField::flattenOptions( $info['rows'] );
186 $prefix = isset( $info['prefix'] ) ? $info['prefix'] : $name;
187 $val = array();
188
189 foreach ( $columns as $column ) {
190 foreach ( $rows as $row ) {
191 if ( $user->getOption( "$prefix$column-$row" ) ) {
192 $val[] = "$column-$row";
193 }
194 }
195 }
196 }
197
198 return $val;
199 }
200
201 /**
202 * @param User $user
203 * @param IContextSource $context
204 * @param array $defaultPreferences
205 * @return void
206 */
207 static function profilePreferences( $user, IContextSource $context, &$defaultPreferences ) {
208 global $wgAuth, $wgContLang, $wgParser;
209
210 $config = $context->getConfig();
211 // retrieving user name for GENDER and misc.
212 $userName = $user->getName();
213
214 # # User info #####################################
215 // Information panel
216 $defaultPreferences['username'] = array(
217 'type' => 'info',
218 'label-message' => array( 'username', $userName ),
219 'default' => $userName,
220 'section' => 'personal/info',
221 );
222
223 # Get groups to which the user belongs
224 $userEffectiveGroups = $user->getEffectiveGroups();
225 $userGroups = $userMembers = array();
226 foreach ( $userEffectiveGroups as $ueg ) {
227 if ( $ueg == '*' ) {
228 // Skip the default * group, seems useless here
229 continue;
230 }
231 $groupName = User::getGroupName( $ueg );
232 $userGroups[] = User::makeGroupLinkHTML( $ueg, $groupName );
233
234 $memberName = User::getGroupMember( $ueg, $userName );
235 $userMembers[] = User::makeGroupLinkHTML( $ueg, $memberName );
236 }
237 asort( $userGroups );
238 asort( $userMembers );
239
240 $lang = $context->getLanguage();
241
242 $defaultPreferences['usergroups'] = array(
243 'type' => 'info',
244 'label' => $context->msg( 'prefs-memberingroups' )->numParams(
245 count( $userGroups ) )->params( $userName )->parse(),
246 'default' => $context->msg( 'prefs-memberingroups-type' )
247 ->rawParams( $lang->commaList( $userGroups ), $lang->commaList( $userMembers ) )
248 ->escaped(),
249 'raw' => true,
250 'section' => 'personal/info',
251 );
252
253 $editCount = Linker::link( SpecialPage::getTitleFor( "Contributions", $userName ),
254 $lang->formatNum( $user->getEditCount() ) );
255
256 $defaultPreferences['editcount'] = array(
257 'type' => 'info',
258 'raw' => true,
259 'label-message' => 'prefs-edits',
260 'default' => $editCount,
261 'section' => 'personal/info',
262 );
263
264 if ( $user->getRegistration() ) {
265 $displayUser = $context->getUser();
266 $userRegistration = $user->getRegistration();
267 $defaultPreferences['registrationdate'] = array(
268 'type' => 'info',
269 'label-message' => 'prefs-registration',
270 'default' => $context->msg(
271 'prefs-registration-date-time',
272 $lang->userTimeAndDate( $userRegistration, $displayUser ),
273 $lang->userDate( $userRegistration, $displayUser ),
274 $lang->userTime( $userRegistration, $displayUser )
275 )->parse(),
276 'section' => 'personal/info',
277 );
278 }
279
280 $canViewPrivateInfo = $user->isAllowed( 'viewmyprivateinfo' );
281 $canEditPrivateInfo = $user->isAllowed( 'editmyprivateinfo' );
282
283 // Actually changeable stuff
284 $defaultPreferences['realname'] = array(
285 // (not really "private", but still shouldn't be edited without permission)
286 'type' => $canEditPrivateInfo && $wgAuth->allowPropChange( 'realname' ) ? 'text' : 'info',
287 'default' => $user->getRealName(),
288 'section' => 'personal/info',
289 'label-message' => 'yourrealname',
290 'help-message' => 'prefs-help-realname',
291 );
292
293 if ( $canEditPrivateInfo && $wgAuth->allowPasswordChange() ) {
294 $link = Linker::link( SpecialPage::getTitleFor( 'ChangePassword' ),
295 $context->msg( 'prefs-resetpass' )->escaped(), array(),
296 array( 'returnto' => SpecialPage::getTitleFor( 'Preferences' )->getPrefixedText() ) );
297
298 $defaultPreferences['password'] = array(
299 'type' => 'info',
300 'raw' => true,
301 'default' => $link,
302 'label-message' => 'yourpassword',
303 'section' => 'personal/info',
304 );
305 }
306 // Only show prefershttps if secure login is turned on
307 if ( $config->get( 'SecureLogin' ) && wfCanIPUseHTTPS( $context->getRequest()->getIP() ) ) {
308 $defaultPreferences['prefershttps'] = array(
309 'type' => 'toggle',
310 'label-message' => 'tog-prefershttps',
311 'help-message' => 'prefs-help-prefershttps',
312 'section' => 'personal/info'
313 );
314 }
315
316 // Language
317 $languages = Language::fetchLanguageNames( null, 'mw' );
318 $languageCode = $config->get( 'LanguageCode' );
319 if ( !array_key_exists( $languageCode, $languages ) ) {
320 $languages[$languageCode] = $languageCode;
321 }
322 ksort( $languages );
323
324 $options = array();
325 foreach ( $languages as $code => $name ) {
326 $display = wfBCP47( $code ) . ' - ' . $name;
327 $options[$display] = $code;
328 }
329 $defaultPreferences['language'] = array(
330 'type' => 'select',
331 'section' => 'personal/i18n',
332 'options' => $options,
333 'label-message' => 'yourlanguage',
334 );
335
336 $defaultPreferences['gender'] = array(
337 'type' => 'radio',
338 'section' => 'personal/i18n',
339 'options' => array(
340 $context->msg( 'parentheses' )
341 ->params( $context->msg( 'gender-unknown' )->plain() )
342 ->escaped() => 'unknown',
343 $context->msg( 'gender-female' )->escaped() => 'female',
344 $context->msg( 'gender-male' )->escaped() => 'male',
345 ),
346 'label-message' => 'yourgender',
347 'help-message' => 'prefs-help-gender',
348 );
349
350 // see if there are multiple language variants to choose from
351 if ( !$config->get( 'DisableLangConversion' ) ) {
352 foreach ( LanguageConverter::$languagesWithVariants as $langCode ) {
353 if ( $langCode == $wgContLang->getCode() ) {
354 $variants = $wgContLang->getVariants();
355
356 if ( count( $variants ) <= 1 ) {
357 continue;
358 }
359
360 $variantArray = array();
361 foreach ( $variants as $v ) {
362 $v = str_replace( '_', '-', strtolower( $v ) );
363 $variantArray[$v] = $lang->getVariantname( $v, false );
364 }
365
366 $options = array();
367 foreach ( $variantArray as $code => $name ) {
368 $display = wfBCP47( $code ) . ' - ' . $name;
369 $options[$display] = $code;
370 }
371
372 $defaultPreferences['variant'] = array(
373 'label-message' => 'yourvariant',
374 'type' => 'select',
375 'options' => $options,
376 'section' => 'personal/i18n',
377 'help-message' => 'prefs-help-variant',
378 );
379 } else {
380 $defaultPreferences["variant-$langCode"] = array(
381 'type' => 'api',
382 );
383 }
384 }
385 }
386
387 // Stuff from Language::getExtraUserToggles()
388 // FIXME is this dead code? $extraUserToggles doesn't seem to be defined for any language
389 $toggles = $wgContLang->getExtraUserToggles();
390
391 foreach ( $toggles as $toggle ) {
392 $defaultPreferences[$toggle] = array(
393 'type' => 'toggle',
394 'section' => 'personal/i18n',
395 'label-message' => "tog-$toggle",
396 );
397 }
398
399 // show a preview of the old signature first
400 $oldsigWikiText = $wgParser->preSaveTransform(
401 '~~~',
402 $context->getTitle(),
403 $user,
404 ParserOptions::newFromContext( $context )
405 );
406 $oldsigHTML = $context->getOutput()->parseInline( $oldsigWikiText, true, true );
407 $defaultPreferences['oldsig'] = array(
408 'type' => 'info',
409 'raw' => true,
410 'label-message' => 'tog-oldsig',
411 'default' => $oldsigHTML,
412 'section' => 'personal/signature',
413 );
414 $defaultPreferences['nickname'] = array(
415 'type' => $wgAuth->allowPropChange( 'nickname' ) ? 'text' : 'info',
416 'maxlength' => $config->get( 'MaxSigChars' ),
417 'label-message' => 'yournick',
418 'validation-callback' => array( 'Preferences', 'validateSignature' ),
419 'section' => 'personal/signature',
420 'filter-callback' => array( 'Preferences', 'cleanSignature' ),
421 );
422 $defaultPreferences['fancysig'] = array(
423 'type' => 'toggle',
424 'label-message' => 'tog-fancysig',
425 // show general help about signature at the bottom of the section
426 'help-message' => 'prefs-help-signature',
427 'section' => 'personal/signature'
428 );
429
430 # # Email stuff
431
432 if ( $config->get( 'EnableEmail' ) ) {
433 if ( $canViewPrivateInfo ) {
434 $helpMessages[] = $config->get( 'EmailConfirmToEdit' )
435 ? 'prefs-help-email-required'
436 : 'prefs-help-email';
437
438 if ( $config->get( 'EnableUserEmail' ) ) {
439 // additional messages when users can send email to each other
440 $helpMessages[] = 'prefs-help-email-others';
441 }
442
443 $emailAddress = $user->getEmail() ? htmlspecialchars( $user->getEmail() ) : '';
444 if ( $canEditPrivateInfo && $wgAuth->allowPropChange( 'emailaddress' ) ) {
445 $link = Linker::link(
446 SpecialPage::getTitleFor( 'ChangeEmail' ),
447 $context->msg( $user->getEmail() ? 'prefs-changeemail' : 'prefs-setemail' )->escaped(),
448 array(),
449 array( 'returnto' => SpecialPage::getTitleFor( 'Preferences' )->getPrefixedText() ) );
450
451 $emailAddress .= $emailAddress == '' ? $link : (
452 $context->msg( 'word-separator' )->escaped()
453 . $context->msg( 'parentheses' )->rawParams( $link )->escaped()
454 );
455 }
456
457 $defaultPreferences['emailaddress'] = array(
458 'type' => 'info',
459 'raw' => true,
460 'default' => $emailAddress,
461 'label-message' => 'youremail',
462 'section' => 'personal/email',
463 'help-messages' => $helpMessages,
464 # 'cssclass' chosen below
465 );
466 }
467
468 $disableEmailPrefs = false;
469
470 if ( $config->get( 'EmailAuthentication' ) ) {
471 $emailauthenticationclass = 'mw-email-not-authenticated';
472 if ( $user->getEmail() ) {
473 if ( $user->getEmailAuthenticationTimestamp() ) {
474 // date and time are separate parameters to facilitate localisation.
475 // $time is kept for backward compat reasons.
476 // 'emailauthenticated' is also used in SpecialConfirmemail.php
477 $displayUser = $context->getUser();
478 $emailTimestamp = $user->getEmailAuthenticationTimestamp();
479 $time = $lang->userTimeAndDate( $emailTimestamp, $displayUser );
480 $d = $lang->userDate( $emailTimestamp, $displayUser );
481 $t = $lang->userTime( $emailTimestamp, $displayUser );
482 $emailauthenticated = $context->msg( 'emailauthenticated',
483 $time, $d, $t )->parse() . '<br />';
484 $disableEmailPrefs = false;
485 $emailauthenticationclass = 'mw-email-authenticated';
486 } else {
487 $disableEmailPrefs = true;
488 $emailauthenticated = $context->msg( 'emailnotauthenticated' )->parse() . '<br />' .
489 Linker::linkKnown(
490 SpecialPage::getTitleFor( 'Confirmemail' ),
491 $context->msg( 'emailconfirmlink' )->escaped()
492 ) . '<br />';
493 $emailauthenticationclass = "mw-email-not-authenticated";
494 }
495 } else {
496 $disableEmailPrefs = true;
497 $emailauthenticated = $context->msg( 'noemailprefs' )->escaped();
498 $emailauthenticationclass = 'mw-email-none';
499 }
500
501 if ( $canViewPrivateInfo ) {
502 $defaultPreferences['emailauthentication'] = array(
503 'type' => 'info',
504 'raw' => true,
505 'section' => 'personal/email',
506 'label-message' => 'prefs-emailconfirm-label',
507 'default' => $emailauthenticated,
508 # Apply the same CSS class used on the input to the message:
509 'cssclass' => $emailauthenticationclass,
510 );
511 $defaultPreferences['emailaddress']['cssclass'] = $emailauthenticationclass;
512 }
513 }
514
515 if ( $config->get( 'EnableUserEmail' ) && $user->isAllowed( 'sendemail' ) ) {
516 $defaultPreferences['disablemail'] = array(
517 'type' => 'toggle',
518 'invert' => true,
519 'section' => 'personal/email',
520 'label-message' => 'allowemail',
521 'disabled' => $disableEmailPrefs,
522 );
523 $defaultPreferences['ccmeonemails'] = array(
524 'type' => 'toggle',
525 'section' => 'personal/email',
526 'label-message' => 'tog-ccmeonemails',
527 'disabled' => $disableEmailPrefs,
528 );
529 }
530
531 if ( $config->get( 'EnotifWatchlist' ) ) {
532 $defaultPreferences['enotifwatchlistpages'] = array(
533 'type' => 'toggle',
534 'section' => 'personal/email',
535 'label-message' => 'tog-enotifwatchlistpages',
536 'disabled' => $disableEmailPrefs,
537 );
538 }
539 if ( $config->get( 'EnotifUserTalk' ) ) {
540 $defaultPreferences['enotifusertalkpages'] = array(
541 'type' => 'toggle',
542 'section' => 'personal/email',
543 'label-message' => 'tog-enotifusertalkpages',
544 'disabled' => $disableEmailPrefs,
545 );
546 }
547 if ( $config->get( 'EnotifUserTalk' ) || $config->get( 'EnotifWatchlist' ) ) {
548 $defaultPreferences['enotifminoredits'] = array(
549 'type' => 'toggle',
550 'section' => 'personal/email',
551 'label-message' => 'tog-enotifminoredits',
552 'disabled' => $disableEmailPrefs,
553 );
554
555 if ( $config->get( 'EnotifRevealEditorAddress' ) ) {
556 $defaultPreferences['enotifrevealaddr'] = array(
557 'type' => 'toggle',
558 'section' => 'personal/email',
559 'label-message' => 'tog-enotifrevealaddr',
560 'disabled' => $disableEmailPrefs,
561 );
562 }
563 }
564 }
565 }
566
567 /**
568 * @param User $user
569 * @param IContextSource $context
570 * @param array $defaultPreferences
571 * @return void
572 */
573 static function skinPreferences( $user, IContextSource $context, &$defaultPreferences ) {
574 # # Skin #####################################
575
576 // Skin selector, if there is at least one valid skin
577 $skinOptions = self::generateSkinOptions( $user, $context );
578 if ( $skinOptions ) {
579 $defaultPreferences['skin'] = array(
580 'type' => 'radio',
581 'options' => $skinOptions,
582 'label' => '&#160;',
583 'section' => 'rendering/skin',
584 );
585 }
586
587 $config = $context->getConfig();
588 $allowUserCss = $config->get( 'AllowUserCss' );
589 $allowUserJs = $config->get( 'AllowUserJs' );
590 # Create links to user CSS/JS pages for all skins
591 # This code is basically copied from generateSkinOptions(). It'd
592 # be nice to somehow merge this back in there to avoid redundancy.
593 if ( $allowUserCss || $allowUserJs ) {
594 $linkTools = array();
595 $userName = $user->getName();
596
597 if ( $allowUserCss ) {
598 $cssPage = Title::makeTitleSafe( NS_USER, $userName . '/common.css' );
599 $linkTools[] = Linker::link( $cssPage, $context->msg( 'prefs-custom-css' )->escaped() );
600 }
601
602 if ( $allowUserJs ) {
603 $jsPage = Title::makeTitleSafe( NS_USER, $userName . '/common.js' );
604 $linkTools[] = Linker::link( $jsPage, $context->msg( 'prefs-custom-js' )->escaped() );
605 }
606
607 $defaultPreferences['commoncssjs'] = array(
608 'type' => 'info',
609 'raw' => true,
610 'default' => $context->getLanguage()->pipeList( $linkTools ),
611 'label-message' => 'prefs-common-css-js',
612 'section' => 'rendering/skin',
613 );
614 }
615 }
616
617 /**
618 * @param User $user
619 * @param IContextSource $context
620 * @param array $defaultPreferences
621 */
622 static function filesPreferences( $user, IContextSource $context, &$defaultPreferences ) {
623 # # Files #####################################
624 $defaultPreferences['imagesize'] = array(
625 'type' => 'select',
626 'options' => self::getImageSizes( $context ),
627 'label-message' => 'imagemaxsize',
628 'section' => 'rendering/files',
629 );
630 $defaultPreferences['thumbsize'] = array(
631 'type' => 'select',
632 'options' => self::getThumbSizes( $context ),
633 'label-message' => 'thumbsize',
634 'section' => 'rendering/files',
635 );
636 }
637
638 /**
639 * @param User $user
640 * @param IContextSource $context
641 * @param array $defaultPreferences
642 * @return void
643 */
644 static function datetimePreferences( $user, IContextSource $context, &$defaultPreferences ) {
645 # # Date and time #####################################
646 $dateOptions = self::getDateOptions( $context );
647 if ( $dateOptions ) {
648 $defaultPreferences['date'] = array(
649 'type' => 'radio',
650 'options' => $dateOptions,
651 'label' => '&#160;',
652 'section' => 'rendering/dateformat',
653 );
654 }
655
656 // Info
657 $now = wfTimestampNow();
658 $lang = $context->getLanguage();
659 $nowlocal = Xml::element( 'span', array( 'id' => 'wpLocalTime' ),
660 $lang->userTime( $now, $user ) );
661 $nowserver = $lang->userTime( $now, $user,
662 array( 'format' => false, 'timecorrection' => false ) ) .
663 Html::hidden( 'wpServerTime', (int)substr( $now, 8, 2 ) * 60 + (int)substr( $now, 10, 2 ) );
664
665 $defaultPreferences['nowserver'] = array(
666 'type' => 'info',
667 'raw' => 1,
668 'label-message' => 'servertime',
669 'default' => $nowserver,
670 'section' => 'rendering/timeoffset',
671 );
672
673 $defaultPreferences['nowlocal'] = array(
674 'type' => 'info',
675 'raw' => 1,
676 'label-message' => 'localtime',
677 'default' => $nowlocal,
678 'section' => 'rendering/timeoffset',
679 );
680
681 // Grab existing pref.
682 $tzOffset = $user->getOption( 'timecorrection' );
683 $tz = explode( '|', $tzOffset, 3 );
684
685 $tzOptions = self::getTimezoneOptions( $context );
686
687 $tzSetting = $tzOffset;
688 if ( count( $tz ) > 1 && $tz[0] == 'Offset' ) {
689 $minDiff = $tz[1];
690 $tzSetting = sprintf( '%+03d:%02d', floor( $minDiff / 60 ), abs( $minDiff ) % 60 );
691 } elseif ( count( $tz ) > 1 && $tz[0] == 'ZoneInfo' &&
692 !in_array( $tzOffset, HTMLFormField::flattenOptions( $tzOptions ) )
693 ) {
694 # Timezone offset can vary with DST
695 $userTZ = timezone_open( $tz[2] );
696 if ( $userTZ !== false ) {
697 $minDiff = floor( timezone_offset_get( $userTZ, date_create( 'now' ) ) / 60 );
698 $tzSetting = "ZoneInfo|$minDiff|{$tz[2]}";
699 }
700 }
701
702 $defaultPreferences['timecorrection'] = array(
703 'class' => 'HTMLSelectOrOtherField',
704 'label-message' => 'timezonelegend',
705 'options' => $tzOptions,
706 'default' => $tzSetting,
707 'size' => 20,
708 'section' => 'rendering/timeoffset',
709 );
710 }
711
712 /**
713 * @param User $user
714 * @param IContextSource $context
715 * @param array $defaultPreferences
716 */
717 static function renderingPreferences( $user, IContextSource $context, &$defaultPreferences ) {
718 # # Diffs ####################################
719 $defaultPreferences['diffonly'] = array(
720 'type' => 'toggle',
721 'section' => 'rendering/diffs',
722 'label-message' => 'tog-diffonly',
723 );
724 $defaultPreferences['norollbackdiff'] = array(
725 'type' => 'toggle',
726 'section' => 'rendering/diffs',
727 'label-message' => 'tog-norollbackdiff',
728 );
729
730 # # Page Rendering ##############################
731 if ( $context->getConfig()->get( 'AllowUserCssPrefs' ) ) {
732 $defaultPreferences['underline'] = array(
733 'type' => 'select',
734 'options' => array(
735 $context->msg( 'underline-never' )->text() => 0,
736 $context->msg( 'underline-always' )->text() => 1,
737 $context->msg( 'underline-default' )->text() => 2,
738 ),
739 'label-message' => 'tog-underline',
740 'section' => 'rendering/advancedrendering',
741 );
742 }
743
744 $stubThresholdValues = array( 50, 100, 500, 1000, 2000, 5000, 10000 );
745 $stubThresholdOptions = array( $context->msg( 'stub-threshold-disabled' )->text() => 0 );
746 foreach ( $stubThresholdValues as $value ) {
747 $stubThresholdOptions[$context->msg( 'size-bytes', $value )->text()] = $value;
748 }
749
750 $defaultPreferences['stubthreshold'] = array(
751 'type' => 'select',
752 'section' => 'rendering/advancedrendering',
753 'options' => $stubThresholdOptions,
754 // This is not a raw HTML message; label-raw is needed for the manual <a></a>
755 'label-raw' => $context->msg( 'stub-threshold' )->rawParams(
756 '<a href="#" class="stub">' .
757 $context->msg( 'stub-threshold-sample-link' )->parse() .
758 '</a>' )->parse(),
759 );
760
761 $defaultPreferences['showhiddencats'] = array(
762 'type' => 'toggle',
763 'section' => 'rendering/advancedrendering',
764 'label-message' => 'tog-showhiddencats'
765 );
766
767 $defaultPreferences['numberheadings'] = array(
768 'type' => 'toggle',
769 'section' => 'rendering/advancedrendering',
770 'label-message' => 'tog-numberheadings',
771 );
772 }
773
774 /**
775 * @param User $user
776 * @param IContextSource $context
777 * @param array $defaultPreferences
778 */
779 static function editingPreferences( $user, IContextSource $context, &$defaultPreferences ) {
780 # # Editing #####################################
781 $defaultPreferences['editsectiononrightclick'] = array(
782 'type' => 'toggle',
783 'section' => 'editing/advancedediting',
784 'label-message' => 'tog-editsectiononrightclick',
785 );
786 $defaultPreferences['editondblclick'] = array(
787 'type' => 'toggle',
788 'section' => 'editing/advancedediting',
789 'label-message' => 'tog-editondblclick',
790 );
791
792 if ( $context->getConfig()->get( 'AllowUserCssPrefs' ) ) {
793 $defaultPreferences['editfont'] = array(
794 'type' => 'select',
795 'section' => 'editing/editor',
796 'label-message' => 'editfont-style',
797 'options' => array(
798 $context->msg( 'editfont-default' )->text() => 'default',
799 $context->msg( 'editfont-monospace' )->text() => 'monospace',
800 $context->msg( 'editfont-sansserif' )->text() => 'sans-serif',
801 $context->msg( 'editfont-serif' )->text() => 'serif',
802 )
803 );
804 }
805 $defaultPreferences['cols'] = array(
806 'type' => 'int',
807 'label-message' => 'columns',
808 'section' => 'editing/editor',
809 'min' => 4,
810 'max' => 1000,
811 );
812 $defaultPreferences['rows'] = array(
813 'type' => 'int',
814 'label-message' => 'rows',
815 'section' => 'editing/editor',
816 'min' => 4,
817 'max' => 1000,
818 );
819 if ( $user->isAllowed( 'minoredit' ) ) {
820 $defaultPreferences['minordefault'] = array(
821 'type' => 'toggle',
822 'section' => 'editing/editor',
823 'label-message' => 'tog-minordefault',
824 );
825 }
826 $defaultPreferences['forceeditsummary'] = array(
827 'type' => 'toggle',
828 'section' => 'editing/editor',
829 'label-message' => 'tog-forceeditsummary',
830 );
831 $defaultPreferences['useeditwarning'] = array(
832 'type' => 'toggle',
833 'section' => 'editing/editor',
834 'label-message' => 'tog-useeditwarning',
835 );
836 $defaultPreferences['showtoolbar'] = array(
837 'type' => 'toggle',
838 'section' => 'editing/editor',
839 'label-message' => 'tog-showtoolbar',
840 );
841
842 $defaultPreferences['previewonfirst'] = array(
843 'type' => 'toggle',
844 'section' => 'editing/preview',
845 'label-message' => 'tog-previewonfirst',
846 );
847 $defaultPreferences['previewontop'] = array(
848 'type' => 'toggle',
849 'section' => 'editing/preview',
850 'label-message' => 'tog-previewontop',
851 );
852 $defaultPreferences['uselivepreview'] = array(
853 'type' => 'toggle',
854 'section' => 'editing/preview',
855 'label-message' => 'tog-uselivepreview',
856 );
857
858 }
859
860 /**
861 * @param User $user
862 * @param IContextSource $context
863 * @param array $defaultPreferences
864 */
865 static function rcPreferences( $user, IContextSource $context, &$defaultPreferences ) {
866 $config = $context->getConfig();
867 $rcMaxAge = $config->get( 'RCMaxAge' );
868 # # RecentChanges #####################################
869 $defaultPreferences['rcdays'] = array(
870 'type' => 'float',
871 'label-message' => 'recentchangesdays',
872 'section' => 'rc/displayrc',
873 'min' => 1,
874 'max' => ceil( $rcMaxAge / ( 3600 * 24 ) ),
875 'help' => $context->msg( 'recentchangesdays-max' )->numParams(
876 ceil( $rcMaxAge / ( 3600 * 24 ) ) )->escaped()
877 );
878 $defaultPreferences['rclimit'] = array(
879 'type' => 'int',
880 'label-message' => 'recentchangescount',
881 'help-message' => 'prefs-help-recentchangescount',
882 'section' => 'rc/displayrc',
883 );
884 $defaultPreferences['usenewrc'] = array(
885 'type' => 'toggle',
886 'label-message' => 'tog-usenewrc',
887 'section' => 'rc/advancedrc',
888 );
889 $defaultPreferences['hideminor'] = array(
890 'type' => 'toggle',
891 'label-message' => 'tog-hideminor',
892 'section' => 'rc/advancedrc',
893 );
894
895 if ( $config->get( 'RCWatchCategoryMembership' ) ) {
896 $defaultPreferences['hidecategorization'] = array(
897 'type' => 'toggle',
898 'label-message' => 'tog-hidecategorization',
899 'section' => 'rc/advancedrc',
900 );
901 }
902
903 if ( $user->useRCPatrol() ) {
904 $defaultPreferences['hidepatrolled'] = array(
905 'type' => 'toggle',
906 'section' => 'rc/advancedrc',
907 'label-message' => 'tog-hidepatrolled',
908 );
909 }
910
911 if ( $user->useNPPatrol() ) {
912 $defaultPreferences['newpageshidepatrolled'] = array(
913 'type' => 'toggle',
914 'section' => 'rc/advancedrc',
915 'label-message' => 'tog-newpageshidepatrolled',
916 );
917 }
918
919 if ( $config->get( 'RCShowWatchingUsers' ) ) {
920 $defaultPreferences['shownumberswatching'] = array(
921 'type' => 'toggle',
922 'section' => 'rc/advancedrc',
923 'label-message' => 'tog-shownumberswatching',
924 );
925 }
926 }
927
928 /**
929 * @param User $user
930 * @param IContextSource $context
931 * @param array $defaultPreferences
932 */
933 static function watchlistPreferences( $user, IContextSource $context, &$defaultPreferences ) {
934 $config = $context->getConfig();
935 $watchlistdaysMax = ceil( $config->get( 'RCMaxAge' ) / ( 3600 * 24 ) );
936
937 # # Watchlist #####################################
938 if ( $user->isAllowed( 'editmywatchlist' ) ) {
939 $editWatchlistLinks = array();
940 $editWatchlistModes = array(
941 'edit' => array( 'EditWatchlist', false ),
942 'raw' => array( 'EditWatchlist', 'raw' ),
943 'clear' => array( 'EditWatchlist', 'clear' ),
944 );
945 foreach ( $editWatchlistModes as $editWatchlistMode => $mode ) {
946 // Messages: prefs-editwatchlist-edit, prefs-editwatchlist-raw, prefs-editwatchlist-clear
947 $editWatchlistLinks[] = Linker::linkKnown(
948 SpecialPage::getTitleFor( $mode[0], $mode[1] ),
949 $context->msg( "prefs-editwatchlist-{$editWatchlistMode}" )->parse()
950 );
951 }
952
953 $defaultPreferences['editwatchlist'] = array(
954 'type' => 'info',
955 'raw' => true,
956 'default' => $context->getLanguage()->pipeList( $editWatchlistLinks ),
957 'label-message' => 'prefs-editwatchlist-label',
958 'section' => 'watchlist/editwatchlist',
959 );
960 }
961
962 $defaultPreferences['watchlistdays'] = array(
963 'type' => 'float',
964 'min' => 0,
965 'max' => $watchlistdaysMax,
966 'section' => 'watchlist/displaywatchlist',
967 'help' => $context->msg( 'prefs-watchlist-days-max' )->numParams(
968 $watchlistdaysMax )->escaped(),
969 'label-message' => 'prefs-watchlist-days',
970 );
971 $defaultPreferences['wllimit'] = array(
972 'type' => 'int',
973 'min' => 0,
974 'max' => 1000,
975 'label-message' => 'prefs-watchlist-edits',
976 'help' => $context->msg( 'prefs-watchlist-edits-max' )->escaped(),
977 'section' => 'watchlist/displaywatchlist',
978 );
979 $defaultPreferences['extendwatchlist'] = array(
980 'type' => 'toggle',
981 'section' => 'watchlist/advancedwatchlist',
982 'label-message' => 'tog-extendwatchlist',
983 );
984 $defaultPreferences['watchlisthideminor'] = array(
985 'type' => 'toggle',
986 'section' => 'watchlist/advancedwatchlist',
987 'label-message' => 'tog-watchlisthideminor',
988 );
989 $defaultPreferences['watchlisthidebots'] = array(
990 'type' => 'toggle',
991 'section' => 'watchlist/advancedwatchlist',
992 'label-message' => 'tog-watchlisthidebots',
993 );
994 $defaultPreferences['watchlisthideown'] = array(
995 'type' => 'toggle',
996 'section' => 'watchlist/advancedwatchlist',
997 'label-message' => 'tog-watchlisthideown',
998 );
999 $defaultPreferences['watchlisthideanons'] = array(
1000 'type' => 'toggle',
1001 'section' => 'watchlist/advancedwatchlist',
1002 'label-message' => 'tog-watchlisthideanons',
1003 );
1004 $defaultPreferences['watchlisthideliu'] = array(
1005 'type' => 'toggle',
1006 'section' => 'watchlist/advancedwatchlist',
1007 'label-message' => 'tog-watchlisthideliu',
1008 );
1009 $defaultPreferences['watchlistreloadautomatically'] = array(
1010 'type' => 'toggle',
1011 'section' => 'watchlist/advancedwatchlist',
1012 'label-message' => 'tog-watchlistreloadautomatically',
1013 );
1014
1015 if ( $config->get( 'RCWatchCategoryMembership' ) ) {
1016 $defaultPreferences['watchlisthidecategorization'] = array(
1017 'type' => 'toggle',
1018 'section' => 'watchlist/advancedwatchlist',
1019 'label-message' => 'tog-watchlisthidecategorization',
1020 );
1021 }
1022
1023 if ( $user->useRCPatrol() ) {
1024 $defaultPreferences['watchlisthidepatrolled'] = array(
1025 'type' => 'toggle',
1026 'section' => 'watchlist/advancedwatchlist',
1027 'label-message' => 'tog-watchlisthidepatrolled',
1028 );
1029 }
1030
1031 $watchTypes = array(
1032 'edit' => 'watchdefault',
1033 'move' => 'watchmoves',
1034 'delete' => 'watchdeletion'
1035 );
1036
1037 // Kinda hacky
1038 if ( $user->isAllowed( 'createpage' ) || $user->isAllowed( 'createtalk' ) ) {
1039 $watchTypes['read'] = 'watchcreations';
1040 }
1041
1042 if ( $user->isAllowed( 'rollback' ) ) {
1043 $watchTypes['rollback'] = 'watchrollback';
1044 }
1045
1046 foreach ( $watchTypes as $action => $pref ) {
1047 if ( $user->isAllowed( $action ) ) {
1048 // Messages:
1049 // tog-watchdefault, tog-watchmoves, tog-watchdeletion, tog-watchcreations
1050 // tog-watchrollback
1051 $defaultPreferences[$pref] = array(
1052 'type' => 'toggle',
1053 'section' => 'watchlist/advancedwatchlist',
1054 'label-message' => "tog-$pref",
1055 );
1056 }
1057 }
1058
1059 if ( $config->get( 'EnableAPI' ) ) {
1060 $defaultPreferences['watchlisttoken'] = array(
1061 'type' => 'api',
1062 );
1063 $defaultPreferences['watchlisttoken-info'] = array(
1064 'type' => 'info',
1065 'section' => 'watchlist/tokenwatchlist',
1066 'label-message' => 'prefs-watchlist-token',
1067 'default' => $user->getTokenFromOption( 'watchlisttoken' ),
1068 'help-message' => 'prefs-help-watchlist-token2',
1069 );
1070 }
1071 }
1072
1073 /**
1074 * @param User $user
1075 * @param IContextSource $context
1076 * @param array $defaultPreferences
1077 */
1078 static function searchPreferences( $user, IContextSource $context, &$defaultPreferences ) {
1079 foreach ( MWNamespace::getValidNamespaces() as $n ) {
1080 $defaultPreferences['searchNs' . $n] = array(
1081 'type' => 'api',
1082 );
1083 }
1084 }
1085
1086 /**
1087 * Dummy, kept for backwards-compatibility.
1088 */
1089 static function miscPreferences( $user, IContextSource $context, &$defaultPreferences ) {
1090 }
1091
1092 /**
1093 * @param User $user The User object
1094 * @param IContextSource $context
1095 * @return array Text/links to display as key; $skinkey as value
1096 */
1097 static function generateSkinOptions( $user, IContextSource $context ) {
1098 $ret = array();
1099
1100 $mptitle = Title::newMainPage();
1101 $previewtext = $context->msg( 'skin-preview' )->escaped();
1102
1103 # Only show skins that aren't disabled in $wgSkipSkins
1104 $validSkinNames = Skin::getAllowedSkins();
1105
1106 # Sort by UI skin name. First though need to update validSkinNames as sometimes
1107 # the skinkey & UI skinname differ (e.g. "standard" skinkey is "Classic" in the UI).
1108 foreach ( $validSkinNames as $skinkey => &$skinname ) {
1109 $msg = $context->msg( "skinname-{$skinkey}" );
1110 if ( $msg->exists() ) {
1111 $skinname = htmlspecialchars( $msg->text() );
1112 }
1113 }
1114 asort( $validSkinNames );
1115
1116 $config = $context->getConfig();
1117 $defaultSkin = $config->get( 'DefaultSkin' );
1118 $allowUserCss = $config->get( 'AllowUserCss' );
1119 $allowUserJs = $config->get( 'AllowUserJs' );
1120
1121 $foundDefault = false;
1122 foreach ( $validSkinNames as $skinkey => $sn ) {
1123 $linkTools = array();
1124
1125 # Mark the default skin
1126 if ( strcasecmp( $skinkey, $defaultSkin ) === 0 ) {
1127 $linkTools[] = $context->msg( 'default' )->escaped();
1128 $foundDefault = true;
1129 }
1130
1131 # Create preview link
1132 $mplink = htmlspecialchars( $mptitle->getLocalURL( array( 'useskin' => $skinkey ) ) );
1133 $linkTools[] = "<a target='_blank' href=\"$mplink\">$previewtext</a>";
1134
1135 # Create links to user CSS/JS pages
1136 if ( $allowUserCss ) {
1137 $cssPage = Title::makeTitleSafe( NS_USER, $user->getName() . '/' . $skinkey . '.css' );
1138 $linkTools[] = Linker::link( $cssPage, $context->msg( 'prefs-custom-css' )->escaped() );
1139 }
1140
1141 if ( $allowUserJs ) {
1142 $jsPage = Title::makeTitleSafe( NS_USER, $user->getName() . '/' . $skinkey . '.js' );
1143 $linkTools[] = Linker::link( $jsPage, $context->msg( 'prefs-custom-js' )->escaped() );
1144 }
1145
1146 $display = $sn . ' ' . $context->msg( 'parentheses' )
1147 ->rawParams( $context->getLanguage()->pipeList( $linkTools ) )
1148 ->escaped();
1149 $ret[$display] = $skinkey;
1150 }
1151
1152 if ( !$foundDefault ) {
1153 // If the default skin is not available, things are going to break horribly because the
1154 // default value for skin selector will not be a valid value. Let's just not show it then.
1155 return array();
1156 }
1157
1158 return $ret;
1159 }
1160
1161 /**
1162 * @param IContextSource $context
1163 * @return array
1164 */
1165 static function getDateOptions( IContextSource $context ) {
1166 $lang = $context->getLanguage();
1167 $dateopts = $lang->getDatePreferences();
1168
1169 $ret = array();
1170
1171 if ( $dateopts ) {
1172 if ( !in_array( 'default', $dateopts ) ) {
1173 $dateopts[] = 'default'; // Make sure default is always valid
1174 // Bug 19237
1175 }
1176
1177 // FIXME KLUGE: site default might not be valid for user language
1178 global $wgDefaultUserOptions;
1179 if ( !in_array( $wgDefaultUserOptions['date'], $dateopts ) ) {
1180 $wgDefaultUserOptions['date'] = 'default';
1181 }
1182
1183 $epoch = wfTimestampNow();
1184 foreach ( $dateopts as $key ) {
1185 if ( $key == 'default' ) {
1186 $formatted = $context->msg( 'datedefault' )->escaped();
1187 } else {
1188 $formatted = htmlspecialchars( $lang->timeanddate( $epoch, false, $key ) );
1189 }
1190 $ret[$formatted] = $key;
1191 }
1192 }
1193 return $ret;
1194 }
1195
1196 /**
1197 * @param IContextSource $context
1198 * @return array
1199 */
1200 static function getImageSizes( IContextSource $context ) {
1201 $ret = array();
1202 $pixels = $context->msg( 'unit-pixel' )->text();
1203
1204 foreach ( $context->getConfig()->get( 'ImageLimits' ) as $index => $limits ) {
1205 $display = "{$limits[0]}×{$limits[1]}" . $pixels;
1206 $ret[$display] = $index;
1207 }
1208
1209 return $ret;
1210 }
1211
1212 /**
1213 * @param IContextSource $context
1214 * @return array
1215 */
1216 static function getThumbSizes( IContextSource $context ) {
1217 $ret = array();
1218 $pixels = $context->msg( 'unit-pixel' )->text();
1219
1220 foreach ( $context->getConfig()->get( 'ThumbLimits' ) as $index => $size ) {
1221 $display = $size . $pixels;
1222 $ret[$display] = $index;
1223 }
1224
1225 return $ret;
1226 }
1227
1228 /**
1229 * @param string $signature
1230 * @param array $alldata
1231 * @param HTMLForm $form
1232 * @return bool|string
1233 */
1234 static function validateSignature( $signature, $alldata, $form ) {
1235 global $wgParser;
1236 $maxSigChars = $form->getConfig()->get( 'MaxSigChars' );
1237 if ( mb_strlen( $signature ) > $maxSigChars ) {
1238 return Xml::element( 'span', array( 'class' => 'error' ),
1239 $form->msg( 'badsiglength' )->numParams( $maxSigChars )->text() );
1240 } elseif ( isset( $alldata['fancysig'] ) &&
1241 $alldata['fancysig'] &&
1242 $wgParser->validateSig( $signature ) === false
1243 ) {
1244 return Xml::element(
1245 'span',
1246 array( 'class' => 'error' ),
1247 $form->msg( 'badsig' )->text()
1248 );
1249 } else {
1250 return true;
1251 }
1252 }
1253
1254 /**
1255 * @param string $signature
1256 * @param array $alldata
1257 * @param HTMLForm $form
1258 * @return string
1259 */
1260 static function cleanSignature( $signature, $alldata, $form ) {
1261 if ( isset( $alldata['fancysig'] ) && $alldata['fancysig'] ) {
1262 global $wgParser;
1263 $signature = $wgParser->cleanSig( $signature );
1264 } else {
1265 // When no fancy sig used, make sure ~{3,5} get removed.
1266 $signature = Parser::cleanSigInSig( $signature );
1267 }
1268
1269 return $signature;
1270 }
1271
1272 /**
1273 * @param User $user
1274 * @param IContextSource $context
1275 * @param string $formClass
1276 * @param array $remove Array of items to remove
1277 * @return HtmlForm
1278 */
1279 static function getFormObject(
1280 $user,
1281 IContextSource $context,
1282 $formClass = 'PreferencesForm',
1283 array $remove = array()
1284 ) {
1285 $formDescriptor = Preferences::getPreferences( $user, $context );
1286 if ( count( $remove ) ) {
1287 $removeKeys = array_flip( $remove );
1288 $formDescriptor = array_diff_key( $formDescriptor, $removeKeys );
1289 }
1290
1291 // Remove type=api preferences. They are not intended for rendering in the form.
1292 foreach ( $formDescriptor as $name => $info ) {
1293 if ( isset( $info['type'] ) && $info['type'] === 'api' ) {
1294 unset( $formDescriptor[$name] );
1295 }
1296 }
1297
1298 /**
1299 * @var $htmlForm PreferencesForm
1300 */
1301 $htmlForm = new $formClass( $formDescriptor, $context, 'prefs' );
1302
1303 $htmlForm->setModifiedUser( $user );
1304 $htmlForm->setId( 'mw-prefs-form' );
1305 $htmlForm->setSubmitText( $context->msg( 'saveprefs' )->text() );
1306 # Used message keys: 'accesskey-preferences-save', 'tooltip-preferences-save'
1307 $htmlForm->setSubmitTooltip( 'preferences-save' );
1308 $htmlForm->setSubmitID( 'prefsubmit' );
1309 $htmlForm->setSubmitCallback( array( 'Preferences', 'tryFormSubmit' ) );
1310
1311 return $htmlForm;
1312 }
1313
1314 /**
1315 * @param IContextSource $context
1316 * @return array
1317 */
1318 static function getTimezoneOptions( IContextSource $context ) {
1319 $opt = array();
1320
1321 $localTZoffset = $context->getConfig()->get( 'LocalTZoffset' );
1322 $timeZoneList = self::getTimeZoneList( $context->getLanguage() );
1323
1324 $timestamp = MWTimestamp::getLocalInstance();
1325 // Check that the LocalTZoffset is the same as the local time zone offset
1326 if ( $localTZoffset == $timestamp->format( 'Z' ) / 60 ) {
1327 $timezoneName = $timestamp->getTimezone()->getName();
1328 // Localize timezone
1329 if ( isset( $timeZoneList[$timezoneName] ) ) {
1330 $timezoneName = $timeZoneList[$timezoneName]['name'];
1331 }
1332 $server_tz_msg = $context->msg(
1333 'timezoneuseserverdefault',
1334 $timezoneName
1335 )->text();
1336 } else {
1337 $tzstring = sprintf(
1338 '%+03d:%02d',
1339 floor( $localTZoffset / 60 ),
1340 abs( $localTZoffset ) % 60
1341 );
1342 $server_tz_msg = $context->msg( 'timezoneuseserverdefault', $tzstring )->text();
1343 }
1344 $opt[$server_tz_msg] = "System|$localTZoffset";
1345 $opt[$context->msg( 'timezoneuseoffset' )->text()] = 'other';
1346 $opt[$context->msg( 'guesstimezone' )->text()] = 'guess';
1347
1348 foreach ( $timeZoneList as $timeZoneInfo ) {
1349 $region = $timeZoneInfo['region'];
1350 if ( !isset( $opt[$region] ) ) {
1351 $opt[$region] = array();
1352 }
1353 $opt[$region][$timeZoneInfo['name']] = $timeZoneInfo['timecorrection'];
1354 }
1355 return $opt;
1356 }
1357
1358 /**
1359 * @param string $value
1360 * @param array $alldata
1361 * @return int
1362 */
1363 static function filterIntval( $value, $alldata ) {
1364 return intval( $value );
1365 }
1366
1367 /**
1368 * @param string $tz
1369 * @param array $alldata
1370 * @return string
1371 */
1372 static function filterTimezoneInput( $tz, $alldata ) {
1373 $data = explode( '|', $tz, 3 );
1374 switch ( $data[0] ) {
1375 case 'ZoneInfo':
1376 case 'System':
1377 return $tz;
1378 default:
1379 $data = explode( ':', $tz, 2 );
1380 if ( count( $data ) == 2 ) {
1381 $data[0] = intval( $data[0] );
1382 $data[1] = intval( $data[1] );
1383 $minDiff = abs( $data[0] ) * 60 + $data[1];
1384 if ( $data[0] < 0 ) {
1385 $minDiff = - $minDiff;
1386 }
1387 } else {
1388 $minDiff = intval( $data[0] ) * 60;
1389 }
1390
1391 # Max is +14:00 and min is -12:00, see:
1392 # https://en.wikipedia.org/wiki/Timezone
1393 $minDiff = min( $minDiff, 840 ); # 14:00
1394 $minDiff = max( $minDiff, - 720 ); # -12:00
1395 return 'Offset|' . $minDiff;
1396 }
1397 }
1398
1399 /**
1400 * Handle the form submission if everything validated properly
1401 *
1402 * @param array $formData
1403 * @param PreferencesForm $form
1404 * @return bool|Status|string
1405 */
1406 static function tryFormSubmit( $formData, $form ) {
1407 global $wgAuth;
1408
1409 $user = $form->getModifiedUser();
1410 $hiddenPrefs = $form->getConfig()->get( 'HiddenPrefs' );
1411 $result = true;
1412
1413 if ( !$user->isAllowedAny( 'editmyprivateinfo', 'editmyoptions' ) ) {
1414 return Status::newFatal( 'mypreferencesprotected' );
1415 }
1416
1417 // Filter input
1418 foreach ( array_keys( $formData ) as $name ) {
1419 if ( isset( self::$saveFilters[$name] ) ) {
1420 $formData[$name] =
1421 call_user_func( self::$saveFilters[$name], $formData[$name], $formData );
1422 }
1423 }
1424
1425 // Fortunately, the realname field is MUCH simpler
1426 // (not really "private", but still shouldn't be edited without permission)
1427 if ( !in_array( 'realname', $hiddenPrefs )
1428 && $user->isAllowed( 'editmyprivateinfo' )
1429 && array_key_exists( 'realname', $formData )
1430 ) {
1431 $realName = $formData['realname'];
1432 $user->setRealName( $realName );
1433 }
1434
1435 if ( $user->isAllowed( 'editmyoptions' ) ) {
1436 foreach ( self::$saveBlacklist as $b ) {
1437 unset( $formData[$b] );
1438 }
1439
1440 # If users have saved a value for a preference which has subsequently been disabled
1441 # via $wgHiddenPrefs, we don't want to destroy that setting in case the preference
1442 # is subsequently re-enabled
1443 foreach ( $hiddenPrefs as $pref ) {
1444 # If the user has not set a non-default value here, the default will be returned
1445 # and subsequently discarded
1446 $formData[$pref] = $user->getOption( $pref, null, true );
1447 }
1448
1449 // Keep old preferences from interfering due to back-compat code, etc.
1450 $user->resetOptions( 'unused', $form->getContext() );
1451
1452 foreach ( $formData as $key => $value ) {
1453 $user->setOption( $key, $value );
1454 }
1455
1456 Hooks::run( 'PreferencesFormPreSave', array( $formData, $form, $user, &$result ) );
1457 }
1458
1459 $wgAuth->updateExternalDB( $user );
1460 $user->saveSettings();
1461
1462 return $result;
1463 }
1464
1465 /**
1466 * @param array $formData
1467 * @param PreferencesForm $form
1468 * @return Status
1469 */
1470 public static function tryUISubmit( $formData, $form ) {
1471 $res = self::tryFormSubmit( $formData, $form );
1472
1473 if ( $res ) {
1474 $urlOptions = array( 'success' => 1 );
1475
1476 if ( $res === 'eauth' ) {
1477 $urlOptions['eauth'] = 1;
1478 }
1479
1480 $urlOptions += $form->getExtraSuccessRedirectParameters();
1481
1482 $url = $form->getTitle()->getFullURL( $urlOptions );
1483
1484 $form->getContext()->getOutput()->redirect( $url );
1485 }
1486
1487 return Status::newGood();
1488 }
1489
1490 /**
1491 * Get a list of all time zones
1492 * @param Language $language Language used for the localized names
1493 * @return array A list of all time zones. The system name of the time zone is used as key and
1494 * the value is an array which contains localized name, the timecorrection value used for
1495 * preferences and the region
1496 * @since 1.26
1497 */
1498 public static function getTimeZoneList( Language $language ) {
1499 $identifiers = DateTimeZone::listIdentifiers();
1500 if ( $identifiers === false ) {
1501 return array();
1502 }
1503 sort( $identifiers );
1504
1505 $tzRegions = array(
1506 'Africa' => wfMessage( 'timezoneregion-africa' )->inLanguage( $language )->text(),
1507 'America' => wfMessage( 'timezoneregion-america' )->inLanguage( $language )->text(),
1508 'Antarctica' => wfMessage( 'timezoneregion-antarctica' )->inLanguage( $language )->text(),
1509 'Arctic' => wfMessage( 'timezoneregion-arctic' )->inLanguage( $language )->text(),
1510 'Asia' => wfMessage( 'timezoneregion-asia' )->inLanguage( $language )->text(),
1511 'Atlantic' => wfMessage( 'timezoneregion-atlantic' )->inLanguage( $language )->text(),
1512 'Australia' => wfMessage( 'timezoneregion-australia' )->inLanguage( $language )->text(),
1513 'Europe' => wfMessage( 'timezoneregion-europe' )->inLanguage( $language )->text(),
1514 'Indian' => wfMessage( 'timezoneregion-indian' )->inLanguage( $language )->text(),
1515 'Pacific' => wfMessage( 'timezoneregion-pacific' )->inLanguage( $language )->text(),
1516 );
1517 asort( $tzRegions );
1518
1519 $timeZoneList = array();
1520
1521 $now = new DateTime();
1522
1523 foreach ( $identifiers as $identifier ) {
1524 $parts = explode( '/', $identifier, 2 );
1525
1526 // DateTimeZone::listIdentifiers() returns a number of
1527 // backwards-compatibility entries. This filters them out of the
1528 // list presented to the user.
1529 if ( count( $parts ) !== 2 || !array_key_exists( $parts[0], $tzRegions ) ) {
1530 continue;
1531 }
1532
1533 // Localize region
1534 $parts[0] = $tzRegions[$parts[0]];
1535
1536 $dateTimeZone = new DateTimeZone( $identifier );
1537 $minDiff = floor( $dateTimeZone->getOffset( $now ) / 60 );
1538
1539 $display = str_replace( '_', ' ', $parts[0] . '/' . $parts[1] );
1540 $value = "ZoneInfo|$minDiff|$identifier";
1541
1542 $timeZoneList[$identifier] = array(
1543 'name' => $display,
1544 'timecorrection' => $value,
1545 'region' => $parts[0],
1546 );
1547 }
1548
1549 return $timeZoneList;
1550 }
1551 }
1552
1553 /** Some tweaks to allow js prefs to work */
1554 class PreferencesForm extends HTMLForm {
1555 // Override default value from HTMLForm
1556 protected $mSubSectionBeforeFields = false;
1557
1558 private $modifiedUser;
1559
1560 /**
1561 * @param User $user
1562 */
1563 public function setModifiedUser( $user ) {
1564 $this->modifiedUser = $user;
1565 }
1566
1567 /**
1568 * @return User
1569 */
1570 public function getModifiedUser() {
1571 if ( $this->modifiedUser === null ) {
1572 return $this->getUser();
1573 } else {
1574 return $this->modifiedUser;
1575 }
1576 }
1577
1578 /**
1579 * Get extra parameters for the query string when redirecting after
1580 * successful save.
1581 *
1582 * @return array()
1583 */
1584 public function getExtraSuccessRedirectParameters() {
1585 return array();
1586 }
1587
1588 /**
1589 * @param string $html
1590 * @return string
1591 */
1592 function wrapForm( $html ) {
1593 $html = Xml::tags( 'div', array( 'id' => 'preferences' ), $html );
1594
1595 return parent::wrapForm( $html );
1596 }
1597
1598 /**
1599 * @return string
1600 */
1601 function getButtons() {
1602
1603 $attrs = array( 'id' => 'mw-prefs-restoreprefs' );
1604
1605 if ( !$this->getModifiedUser()->isAllowedAny( 'editmyprivateinfo', 'editmyoptions' ) ) {
1606 return '';
1607 }
1608
1609 $html = parent::getButtons();
1610
1611 if ( $this->getModifiedUser()->isAllowed( 'editmyoptions' ) ) {
1612 $t = SpecialPage::getTitleFor( 'Preferences', 'reset' );
1613
1614 $html .= "\n" . Linker::link( $t, $this->msg( 'restoreprefs' )->escaped(),
1615 Html::buttonAttributes( $attrs, array( 'mw-ui-quiet' ) ) );
1616
1617 $html = Xml::tags( 'div', array( 'class' => 'mw-prefs-buttons' ), $html );
1618 }
1619
1620 return $html;
1621 }
1622
1623 /**
1624 * Separate multi-option preferences into multiple preferences, since we
1625 * have to store them separately
1626 * @param array $data
1627 * @return array
1628 */
1629 function filterDataForSubmit( $data ) {
1630 foreach ( $this->mFlatFields as $fieldname => $field ) {
1631 if ( $field instanceof HTMLNestedFilterable ) {
1632 $info = $field->mParams;
1633 $prefix = isset( $info['prefix'] ) ? $info['prefix'] : $fieldname;
1634 foreach ( $field->filterDataForSubmit( $data[$fieldname] ) as $key => $value ) {
1635 $data["$prefix$key"] = $value;
1636 }
1637 unset( $data[$fieldname] );
1638 }
1639 }
1640
1641 return $data;
1642 }
1643
1644 /**
1645 * Get the whole body of the form.
1646 * @return string
1647 */
1648 function getBody() {
1649 return $this->displaySection( $this->mFieldTree, '', 'mw-prefsection-' );
1650 }
1651
1652 /**
1653 * Get the "<legend>" for a given section key. Normally this is the
1654 * prefs-$key message but we'll allow extensions to override it.
1655 * @param string $key
1656 * @return string
1657 */
1658 function getLegend( $key ) {
1659 $legend = parent::getLegend( $key );
1660 Hooks::run( 'PreferencesGetLegend', array( $this, $key, &$legend ) );
1661 return $legend;
1662 }
1663
1664 /**
1665 * Get the keys of each top level preference section.
1666 * @return array of section keys
1667 */
1668 function getPreferenceSections() {
1669 return array_keys( array_filter( $this->mFieldTree, 'is_array' ) );
1670 }
1671 }