Use splat operator in signature, not func_get_args
[lhc/web/wiklou.git] / includes / htmlform / HTMLForm.php
1 <?php
2
3 /**
4 * HTML form generation and submission handling.
5 *
6 * This program is free software; you can redistribute it and/or modify
7 * it under the terms of the GNU General Public License as published by
8 * the Free Software Foundation; either version 2 of the License, or
9 * (at your option) any later version.
10 *
11 * This program is distributed in the hope that it will be useful,
12 * but WITHOUT ANY WARRANTY; without even the implied warranty of
13 * MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the
14 * GNU General Public License for more details.
15 *
16 * You should have received a copy of the GNU General Public License along
17 * with this program; if not, write to the Free Software Foundation, Inc.,
18 * 51 Franklin Street, Fifth Floor, Boston, MA 02110-1301, USA.
19 * http://www.gnu.org/copyleft/gpl.html
20 *
21 * @file
22 */
23
24 /**
25 * Object handling generic submission, CSRF protection, layout and
26 * other logic for UI forms in a reusable manner.
27 *
28 * In order to generate the form, the HTMLForm object takes an array
29 * structure detailing the form fields available. Each element of the
30 * array is a basic property-list, including the type of field, the
31 * label it is to be given in the form, callbacks for validation and
32 * 'filtering', and other pertinent information.
33 *
34 * Field types are implemented as subclasses of the generic HTMLFormField
35 * object, and typically implement at least getInputHTML, which generates
36 * the HTML for the input field to be placed in the table.
37 *
38 * You can find extensive documentation on the www.mediawiki.org wiki:
39 * - https://www.mediawiki.org/wiki/HTMLForm
40 * - https://www.mediawiki.org/wiki/HTMLForm/tutorial
41 *
42 * The constructor input is an associative array of $fieldname => $info,
43 * where $info is an Associative Array with any of the following:
44 *
45 * 'class' -- the subclass of HTMLFormField that will be used
46 * to create the object. *NOT* the CSS class!
47 * 'type' -- roughly translates into the <select> type attribute.
48 * if 'class' is not specified, this is used as a map
49 * through HTMLForm::$typeMappings to get the class name.
50 * 'default' -- default value when the form is displayed
51 * 'nodata' -- if set (to any value, which casts to true), the data
52 * for this field will not be loaded from the actual request. Instead,
53 * always the default data is set as the value of this field.
54 * 'id' -- HTML id attribute
55 * 'cssclass' -- CSS class
56 * 'csshelpclass' -- CSS class used to style help text
57 * 'dir' -- Direction of the element.
58 * 'options' -- associative array mapping raw text labels to values.
59 * Some field types support multi-level arrays.
60 * Overwrites 'options-message'.
61 * 'options-messages' -- associative array mapping message keys to values.
62 * Some field types support multi-level arrays.
63 * Overwrites 'options' and 'options-message'.
64 * 'options-message' -- message key or object to be parsed to extract the list of
65 * options (like 'ipbreason-dropdown').
66 * 'label-message' -- message key or object for a message to use as the label.
67 * can be an array of msg key and then parameters to
68 * the message.
69 * 'label' -- alternatively, a raw text message. Overridden by
70 * label-message
71 * 'help' -- message text for a message to use as a help text.
72 * 'help-message' -- message key or object for a message to use as a help text.
73 * can be an array of msg key and then parameters to
74 * the message.
75 * Overwrites 'help-messages' and 'help'.
76 * 'help-messages' -- array of message keys/objects. As above, each item can
77 * be an array of msg key and then parameters.
78 * Overwrites 'help'.
79 * 'help-inline' -- Whether help text (defined using options above) will be shown
80 * inline after the input field, rather than in a popup.
81 * Defaults to true. Only used by OOUI form fields.
82 * 'required' -- passed through to the object, indicating that it
83 * is a required field.
84 * 'size' -- the length of text fields
85 * 'filter-callback' -- a function name to give you the chance to
86 * massage the inputted value before it's processed.
87 * @see HTMLFormField::filter()
88 * 'validation-callback' -- a function name to give you the chance
89 * to impose extra validation on the field input.
90 * @see HTMLFormField::validate()
91 * 'name' -- By default, the 'name' attribute of the input field
92 * is "wp{$fieldname}". If you want a different name
93 * (eg one without the "wp" prefix), specify it here and
94 * it will be used without modification.
95 * 'hide-if' -- expression given as an array stating when the field
96 * should be hidden. The first array value has to be the
97 * expression's logic operator. Supported expressions:
98 * 'NOT'
99 * [ 'NOT', array $expression ]
100 * To hide a field if a given expression is not true.
101 * '==='
102 * [ '===', string $fieldName, string $value ]
103 * To hide a field if another field identified by
104 * $field has the value $value.
105 * '!=='
106 * [ '!==', string $fieldName, string $value ]
107 * Same as [ 'NOT', [ '===', $fieldName, $value ]
108 * 'OR', 'AND', 'NOR', 'NAND'
109 * [ 'XXX', array $expression1, ..., array $expressionN ]
110 * To hide a field if one or more (OR), all (AND),
111 * neither (NOR) or not all (NAND) given expressions
112 * are evaluated as true.
113 * The expressions will be given to a JavaScript frontend
114 * module which will continually update the field's
115 * visibility.
116 *
117 * Since 1.20, you can chain mutators to ease the form generation:
118 * @par Example:
119 * @code
120 * $form = new HTMLForm( $someFields );
121 * $form->setMethod( 'get' )
122 * ->setWrapperLegendMsg( 'message-key' )
123 * ->prepareForm()
124 * ->displayForm( '' );
125 * @endcode
126 * Note that you will have prepareForm and displayForm at the end. Other
127 * methods call done after that would simply not be part of the form :(
128 *
129 * @todo Document 'section' / 'subsection' stuff
130 */
131 class HTMLForm extends ContextSource {
132 // A mapping of 'type' inputs onto standard HTMLFormField subclasses
133 public static $typeMappings = [
134 'api' => HTMLApiField::class,
135 'text' => HTMLTextField::class,
136 'textwithbutton' => HTMLTextFieldWithButton::class,
137 'textarea' => HTMLTextAreaField::class,
138 'select' => HTMLSelectField::class,
139 'combobox' => HTMLComboboxField::class,
140 'radio' => HTMLRadioField::class,
141 'multiselect' => HTMLMultiSelectField::class,
142 'limitselect' => HTMLSelectLimitField::class,
143 'check' => HTMLCheckField::class,
144 'toggle' => HTMLCheckField::class,
145 'int' => HTMLIntField::class,
146 'float' => HTMLFloatField::class,
147 'info' => HTMLInfoField::class,
148 'selectorother' => HTMLSelectOrOtherField::class,
149 'selectandother' => HTMLSelectAndOtherField::class,
150 'namespaceselect' => HTMLSelectNamespace::class,
151 'namespaceselectwithbutton' => HTMLSelectNamespaceWithButton::class,
152 'tagfilter' => HTMLTagFilter::class,
153 'sizefilter' => HTMLSizeFilterField::class,
154 'submit' => HTMLSubmitField::class,
155 'hidden' => HTMLHiddenField::class,
156 'edittools' => HTMLEditTools::class,
157 'checkmatrix' => HTMLCheckMatrix::class,
158 'cloner' => HTMLFormFieldCloner::class,
159 'autocompleteselect' => HTMLAutoCompleteSelectField::class,
160 'language' => HTMLSelectLanguageField::class,
161 'date' => HTMLDateTimeField::class,
162 'time' => HTMLDateTimeField::class,
163 'datetime' => HTMLDateTimeField::class,
164 'expiry' => HTMLExpiryField::class,
165 // HTMLTextField will output the correct type="" attribute automagically.
166 // There are about four zillion other HTML5 input types, like range, but
167 // we don't use those at the moment, so no point in adding all of them.
168 'email' => HTMLTextField::class,
169 'password' => HTMLTextField::class,
170 'url' => HTMLTextField::class,
171 'title' => HTMLTitleTextField::class,
172 'user' => HTMLUserTextField::class,
173 'usersmultiselect' => HTMLUsersMultiselectField::class,
174 'titlesmultiselect' => HTMLTitlesMultiselectField::class,
175 'namespacesmultiselect' => HTMLNamespacesMultiselectField::class,
176 ];
177
178 public $mFieldData;
179
180 protected $mMessagePrefix;
181
182 /** @var HTMLFormField[] */
183 protected $mFlatFields = [];
184 protected $mFieldTree = [];
185 protected $mShowReset = false;
186 protected $mShowSubmit = true;
187 /** @var string[] */
188 protected $mSubmitFlags = [ 'primary', 'progressive' ];
189 protected $mShowCancel = false;
190 protected $mCancelTarget;
191
192 protected $mSubmitCallback;
193 protected $mValidationErrorMessage;
194
195 protected $mPre = '';
196 protected $mHeader = '';
197 protected $mFooter = '';
198 protected $mSectionHeaders = [];
199 protected $mSectionFooters = [];
200 protected $mPost = '';
201 protected $mId;
202 protected $mName;
203 protected $mTableId = '';
204
205 protected $mSubmitID;
206 protected $mSubmitName;
207 protected $mSubmitText;
208 protected $mSubmitTooltip;
209
210 protected $mFormIdentifier;
211 protected $mTitle;
212 protected $mMethod = 'post';
213 protected $mWasSubmitted = false;
214
215 /**
216 * Form action URL. false means we will use the URL to set Title
217 * @since 1.19
218 * @var bool|string
219 */
220 protected $mAction = false;
221
222 /**
223 * Whether the form can be collapsed
224 * @since 1.34
225 * @var bool
226 */
227 protected $mCollapsible = false;
228
229 /**
230 * Whether the form is collapsed by default
231 * @since 1.34
232 * @var bool
233 */
234 protected $mCollapsed = false;
235
236 /**
237 * Form attribute autocomplete. A typical value is "off". null does not set the attribute
238 * @since 1.27
239 * @var string|null
240 */
241 protected $mAutocomplete = null;
242
243 protected $mUseMultipart = false;
244 protected $mHiddenFields = [];
245 /**
246 * @var array[]
247 * @phan-var array<array{name:string,value:string,label-message?:string,label?:string,label-raw?:string,id?:string,attribs?:array,flags?:string|string[],framed?:bool}>
248 */
249 protected $mButtons = [];
250
251 protected $mWrapperLegend = false;
252 protected $mWrapperAttributes = [];
253
254 /**
255 * Salt for the edit token.
256 * @var string|array
257 */
258 protected $mTokenSalt = '';
259
260 /**
261 * If true, sections that contain both fields and subsections will
262 * render their subsections before their fields.
263 *
264 * Subclasses may set this to false to render subsections after fields
265 * instead.
266 */
267 protected $mSubSectionBeforeFields = true;
268
269 /**
270 * Format in which to display form. For viable options,
271 * @see $availableDisplayFormats
272 * @var string
273 */
274 protected $displayFormat = 'table';
275
276 /**
277 * Available formats in which to display the form
278 * @var array
279 */
280 protected $availableDisplayFormats = [
281 'table',
282 'div',
283 'raw',
284 'inline',
285 ];
286
287 /**
288 * Available formats in which to display the form
289 * @var array
290 */
291 protected $availableSubclassDisplayFormats = [
292 'vform',
293 'ooui',
294 ];
295
296 /**
297 * Construct a HTMLForm object for given display type. May return a HTMLForm subclass.
298 *
299 * @param string $displayFormat
300 * @param mixed ...$arguments Additional arguments to pass to the constructor.
301 * @return HTMLForm
302 */
303 public static function factory( $displayFormat, ...$arguments ) {
304 switch ( $displayFormat ) {
305 case 'vform':
306 return new VFormHTMLForm( ...$arguments );
307 case 'ooui':
308 return new OOUIHTMLForm( ...$arguments );
309 default:
310 $form = new self( ...$arguments );
311 $form->setDisplayFormat( $displayFormat );
312 return $form;
313 }
314 }
315
316 /**
317 * Build a new HTMLForm from an array of field attributes
318 *
319 * @param array $descriptor Array of Field constructs, as described
320 * in the class documentation
321 * @param IContextSource|null $context Available since 1.18, will become compulsory in 1.18.
322 * Obviates the need to call $form->setTitle()
323 * @param string $messagePrefix A prefix to go in front of default messages
324 */
325 public function __construct( $descriptor, /*IContextSource*/ $context = null,
326 $messagePrefix = ''
327 ) {
328 if ( $context instanceof IContextSource ) {
329 $this->setContext( $context );
330 $this->mTitle = false; // We don't need them to set a title
331 $this->mMessagePrefix = $messagePrefix;
332 } elseif ( $context === null && $messagePrefix !== '' ) {
333 $this->mMessagePrefix = $messagePrefix;
334 } elseif ( is_string( $context ) && $messagePrefix === '' ) {
335 // B/C since 1.18
336 // it's actually $messagePrefix
337 $this->mMessagePrefix = $context;
338 }
339
340 // Evil hack for mobile :(
341 if (
342 !$this->getConfig()->get( 'HTMLFormAllowTableFormat' )
343 && $this->displayFormat === 'table'
344 ) {
345 $this->displayFormat = 'div';
346 }
347
348 $this->addFields( $descriptor );
349 }
350
351 /**
352 * Add fields to the form
353 *
354 * @since 1.34
355 *
356 * @param array $descriptor Array of Field constructs, as described
357 * in the class documentation
358 * @return HTMLForm
359 */
360 public function addFields( $descriptor ) {
361 $loadedDescriptor = [];
362
363 foreach ( $descriptor as $fieldname => $info ) {
364
365 $section = $info['section'] ?? '';
366
367 if ( isset( $info['type'] ) && $info['type'] === 'file' ) {
368 $this->mUseMultipart = true;
369 }
370
371 $field = static::loadInputFromParameters( $fieldname, $info, $this );
372
373 $setSection =& $loadedDescriptor;
374 if ( $section ) {
375 foreach ( explode( '/', $section ) as $newName ) {
376 if ( !isset( $setSection[$newName] ) ) {
377 $setSection[$newName] = [];
378 }
379
380 $setSection =& $setSection[$newName];
381 }
382 }
383
384 $setSection[$fieldname] = $field;
385 $this->mFlatFields[$fieldname] = $field;
386 }
387
388 $this->mFieldTree = array_merge( $this->mFieldTree, $loadedDescriptor );
389
390 return $this;
391 }
392
393 /**
394 * @param string $fieldname
395 * @return bool
396 */
397 public function hasField( $fieldname ) {
398 return isset( $this->mFlatFields[$fieldname] );
399 }
400
401 /**
402 * @param string $fieldname
403 * @return HTMLFormField
404 * @throws DomainException on invalid field name
405 */
406 public function getField( $fieldname ) {
407 if ( !$this->hasField( $fieldname ) ) {
408 throw new DomainException( __METHOD__ . ': no field named ' . $fieldname );
409 }
410 return $this->mFlatFields[$fieldname];
411 }
412
413 /**
414 * Set format in which to display the form
415 *
416 * @param string $format The name of the format to use, must be one of
417 * $this->availableDisplayFormats
418 *
419 * @throws MWException
420 * @since 1.20
421 * @return HTMLForm $this for chaining calls (since 1.20)
422 */
423 public function setDisplayFormat( $format ) {
424 if (
425 in_array( $format, $this->availableSubclassDisplayFormats, true ) ||
426 in_array( $this->displayFormat, $this->availableSubclassDisplayFormats, true )
427 ) {
428 throw new MWException( 'Cannot change display format after creation, ' .
429 'use HTMLForm::factory() instead' );
430 }
431
432 if ( !in_array( $format, $this->availableDisplayFormats, true ) ) {
433 throw new MWException( 'Display format must be one of ' .
434 print_r(
435 array_merge(
436 $this->availableDisplayFormats,
437 $this->availableSubclassDisplayFormats
438 ),
439 true
440 ) );
441 }
442
443 // Evil hack for mobile :(
444 if ( !$this->getConfig()->get( 'HTMLFormAllowTableFormat' ) && $format === 'table' ) {
445 $format = 'div';
446 }
447
448 $this->displayFormat = $format;
449
450 return $this;
451 }
452
453 /**
454 * Getter for displayFormat
455 * @since 1.20
456 * @return string
457 */
458 public function getDisplayFormat() {
459 return $this->displayFormat;
460 }
461
462 /**
463 * Get the HTMLFormField subclass for this descriptor.
464 *
465 * The descriptor can be passed either 'class' which is the name of
466 * a HTMLFormField subclass, or a shorter 'type' which is an alias.
467 * This makes sure the 'class' is always set, and also is returned by
468 * this function for ease.
469 *
470 * @since 1.23
471 *
472 * @param string $fieldname Name of the field
473 * @param array &$descriptor Input Descriptor, as described
474 * in the class documentation
475 *
476 * @throws MWException
477 * @return string Name of a HTMLFormField subclass
478 */
479 public static function getClassFromDescriptor( $fieldname, &$descriptor ) {
480 if ( isset( $descriptor['class'] ) ) {
481 $class = $descriptor['class'];
482 } elseif ( isset( $descriptor['type'] ) ) {
483 $class = static::$typeMappings[$descriptor['type']];
484 $descriptor['class'] = $class;
485 } else {
486 $class = null;
487 }
488
489 if ( !$class ) {
490 throw new MWException( "Descriptor with no class for $fieldname: "
491 . print_r( $descriptor, true ) );
492 }
493
494 return $class;
495 }
496
497 /**
498 * Initialise a new Object for the field
499 *
500 * @param string $fieldname Name of the field
501 * @param array $descriptor Input Descriptor, as described
502 * in the class documentation
503 * @param HTMLForm|null $parent Parent instance of HTMLForm
504 *
505 * @throws MWException
506 * @return HTMLFormField Instance of a subclass of HTMLFormField
507 */
508 public static function loadInputFromParameters( $fieldname, $descriptor,
509 HTMLForm $parent = null
510 ) {
511 $class = static::getClassFromDescriptor( $fieldname, $descriptor );
512
513 $descriptor['fieldname'] = $fieldname;
514 if ( $parent ) {
515 $descriptor['parent'] = $parent;
516 }
517
518 # @todo This will throw a fatal error whenever someone try to use
519 # 'class' to feed a CSS class instead of 'cssclass'. Would be
520 # great to avoid the fatal error and show a nice error.
521 return new $class( $descriptor );
522 }
523
524 /**
525 * Prepare form for submission.
526 *
527 * @warning When doing method chaining, that should be the very last
528 * method call before displayForm().
529 *
530 * @throws MWException
531 * @return HTMLForm $this for chaining calls (since 1.20)
532 */
533 public function prepareForm() {
534 # Check if we have the info we need
535 if ( !$this->mTitle instanceof Title && $this->mTitle !== false ) {
536 throw new MWException( 'You must call setTitle() on an HTMLForm' );
537 }
538
539 # Load data from the request.
540 if (
541 $this->mFormIdentifier === null ||
542 $this->getRequest()->getVal( 'wpFormIdentifier' ) === $this->mFormIdentifier
543 ) {
544 $this->loadData();
545 } else {
546 $this->mFieldData = [];
547 }
548
549 return $this;
550 }
551
552 /**
553 * Try submitting, with edit token check first
554 * @return Status|bool
555 */
556 public function tryAuthorizedSubmit() {
557 $result = false;
558
559 if ( $this->mFormIdentifier === null ) {
560 $identOkay = true;
561 } else {
562 $identOkay = $this->getRequest()->getVal( 'wpFormIdentifier' ) === $this->mFormIdentifier;
563 }
564
565 $tokenOkay = false;
566 if ( $this->getMethod() !== 'post' ) {
567 $tokenOkay = true; // no session check needed
568 } elseif ( $this->getRequest()->wasPosted() ) {
569 $editToken = $this->getRequest()->getVal( 'wpEditToken' );
570 if ( $this->getUser()->isLoggedIn() || $editToken !== null ) {
571 // Session tokens for logged-out users have no security value.
572 // However, if the user gave one, check it in order to give a nice
573 // "session expired" error instead of "permission denied" or such.
574 $tokenOkay = $this->getUser()->matchEditToken( $editToken, $this->mTokenSalt );
575 } else {
576 $tokenOkay = true;
577 }
578 }
579
580 if ( $tokenOkay && $identOkay ) {
581 $this->mWasSubmitted = true;
582 $result = $this->trySubmit();
583 }
584
585 return $result;
586 }
587
588 /**
589 * The here's-one-I-made-earlier option: do the submission if
590 * posted, or display the form with or without funky validation
591 * errors
592 * @return bool|Status Whether submission was successful.
593 */
594 public function show() {
595 $this->prepareForm();
596
597 $result = $this->tryAuthorizedSubmit();
598 if ( $result === true || ( $result instanceof Status && $result->isGood() ) ) {
599 return $result;
600 }
601
602 $this->displayForm( $result );
603
604 return false;
605 }
606
607 /**
608 * Same as self::show with the difference, that the form will be
609 * added to the output, no matter, if the validation was good or not.
610 * @return bool|Status Whether submission was successful.
611 */
612 public function showAlways() {
613 $this->prepareForm();
614
615 $result = $this->tryAuthorizedSubmit();
616
617 $this->displayForm( $result );
618
619 return $result;
620 }
621
622 /**
623 * Validate all the fields, and call the submission callback
624 * function if everything is kosher.
625 * @throws MWException
626 * @return bool|string|array|Status
627 * - Bool true or a good Status object indicates success,
628 * - Bool false indicates no submission was attempted,
629 * - Anything else indicates failure. The value may be a fatal Status
630 * object, an HTML string, or an array of arrays (message keys and
631 * params) or strings (message keys)
632 */
633 public function trySubmit() {
634 $valid = true;
635 $hoistedErrors = Status::newGood();
636 if ( $this->mValidationErrorMessage ) {
637 foreach ( $this->mValidationErrorMessage as $error ) {
638 $hoistedErrors->fatal( ...$error );
639 }
640 } else {
641 $hoistedErrors->fatal( 'htmlform-invalid-input' );
642 }
643
644 $this->mWasSubmitted = true;
645
646 # Check for cancelled submission
647 foreach ( $this->mFlatFields as $fieldname => $field ) {
648 if ( !array_key_exists( $fieldname, $this->mFieldData ) ) {
649 continue;
650 }
651 if ( $field->cancelSubmit( $this->mFieldData[$fieldname], $this->mFieldData ) ) {
652 $this->mWasSubmitted = false;
653 return false;
654 }
655 }
656
657 # Check for validation
658 foreach ( $this->mFlatFields as $fieldname => $field ) {
659 if ( !array_key_exists( $fieldname, $this->mFieldData ) ) {
660 continue;
661 }
662 if ( $field->isHidden( $this->mFieldData ) ) {
663 continue;
664 }
665 $res = $field->validate( $this->mFieldData[$fieldname], $this->mFieldData );
666 if ( $res !== true ) {
667 $valid = false;
668 if ( $res !== false && !$field->canDisplayErrors() ) {
669 if ( is_string( $res ) ) {
670 $hoistedErrors->fatal( 'rawmessage', $res );
671 } else {
672 $hoistedErrors->fatal( $res );
673 }
674 }
675 }
676 }
677
678 if ( !$valid ) {
679 return $hoistedErrors;
680 }
681
682 $callback = $this->mSubmitCallback;
683 if ( !is_callable( $callback ) ) {
684 throw new MWException( 'HTMLForm: no submit callback provided. Use ' .
685 'setSubmitCallback() to set one.' );
686 }
687
688 $data = $this->filterDataForSubmit( $this->mFieldData );
689
690 $res = call_user_func( $callback, $data, $this );
691 if ( $res === false ) {
692 $this->mWasSubmitted = false;
693 }
694
695 return $res;
696 }
697
698 /**
699 * Test whether the form was considered to have been submitted or not, i.e.
700 * whether the last call to tryAuthorizedSubmit or trySubmit returned
701 * non-false.
702 *
703 * This will return false until HTMLForm::tryAuthorizedSubmit or
704 * HTMLForm::trySubmit is called.
705 *
706 * @since 1.23
707 * @return bool
708 */
709 public function wasSubmitted() {
710 return $this->mWasSubmitted;
711 }
712
713 /**
714 * Set a callback to a function to do something with the form
715 * once it's been successfully validated.
716 *
717 * @param callable $cb The function will be passed the output from
718 * HTMLForm::filterDataForSubmit and this HTMLForm object, and must
719 * return as documented for HTMLForm::trySubmit
720 *
721 * @return HTMLForm $this for chaining calls (since 1.20)
722 */
723 public function setSubmitCallback( $cb ) {
724 $this->mSubmitCallback = $cb;
725
726 return $this;
727 }
728
729 /**
730 * Set a message to display on a validation error.
731 *
732 * @param array $msg Array of valid inputs to wfMessage()
733 * (so each entry must itself be an array of arguments)
734 *
735 * @return HTMLForm $this for chaining calls (since 1.20)
736 */
737 public function setValidationErrorMessage( $msg ) {
738 $this->mValidationErrorMessage = $msg;
739
740 return $this;
741 }
742
743 /**
744 * Set the introductory message, overwriting any existing message.
745 *
746 * @param string $msg Complete text of message to display
747 *
748 * @return HTMLForm $this for chaining calls (since 1.20)
749 */
750 public function setIntro( $msg ) {
751 $this->setPreText( $msg );
752
753 return $this;
754 }
755
756 /**
757 * Set the introductory message HTML, overwriting any existing message.
758 * @since 1.19
759 *
760 * @param string $msg Complete HTML of message to display
761 *
762 * @return HTMLForm $this for chaining calls (since 1.20)
763 */
764 public function setPreText( $msg ) {
765 $this->mPre = $msg;
766
767 return $this;
768 }
769
770 /**
771 * Add HTML to introductory message.
772 *
773 * @param string $msg Complete HTML of message to display
774 *
775 * @return HTMLForm $this for chaining calls (since 1.20)
776 */
777 public function addPreText( $msg ) {
778 $this->mPre .= $msg;
779
780 return $this;
781 }
782
783 /**
784 * Get the introductory message HTML.
785 *
786 * @since 1.32
787 *
788 * @return string
789 */
790 public function getPreText() {
791 return $this->mPre;
792 }
793
794 /**
795 * Add HTML to the header, inside the form.
796 *
797 * @param string $msg Additional HTML to display in header
798 * @param string|null $section The section to add the header to
799 *
800 * @return HTMLForm $this for chaining calls (since 1.20)
801 */
802 public function addHeaderText( $msg, $section = null ) {
803 if ( $section === null ) {
804 $this->mHeader .= $msg;
805 } else {
806 if ( !isset( $this->mSectionHeaders[$section] ) ) {
807 $this->mSectionHeaders[$section] = '';
808 }
809 $this->mSectionHeaders[$section] .= $msg;
810 }
811
812 return $this;
813 }
814
815 /**
816 * Set header text, inside the form.
817 * @since 1.19
818 *
819 * @param string $msg Complete HTML of header to display
820 * @param string|null $section The section to add the header to
821 *
822 * @return HTMLForm $this for chaining calls (since 1.20)
823 */
824 public function setHeaderText( $msg, $section = null ) {
825 if ( $section === null ) {
826 $this->mHeader = $msg;
827 } else {
828 $this->mSectionHeaders[$section] = $msg;
829 }
830
831 return $this;
832 }
833
834 /**
835 * Get header text.
836 *
837 * @param string|null $section The section to get the header text for
838 * @since 1.26
839 * @return string HTML
840 */
841 public function getHeaderText( $section = null ) {
842 if ( $section === null ) {
843 return $this->mHeader;
844 } else {
845 return $this->mSectionHeaders[$section] ?? '';
846 }
847 }
848
849 /**
850 * Add footer text, inside the form.
851 *
852 * @param string $msg Complete text of message to display
853 * @param string|null $section The section to add the footer text to
854 *
855 * @return HTMLForm $this for chaining calls (since 1.20)
856 */
857 public function addFooterText( $msg, $section = null ) {
858 if ( $section === null ) {
859 $this->mFooter .= $msg;
860 } else {
861 if ( !isset( $this->mSectionFooters[$section] ) ) {
862 $this->mSectionFooters[$section] = '';
863 }
864 $this->mSectionFooters[$section] .= $msg;
865 }
866
867 return $this;
868 }
869
870 /**
871 * Set footer text, inside the form.
872 * @since 1.19
873 *
874 * @param string $msg Complete text of message to display
875 * @param string|null $section The section to add the footer text to
876 *
877 * @return HTMLForm $this for chaining calls (since 1.20)
878 */
879 public function setFooterText( $msg, $section = null ) {
880 if ( $section === null ) {
881 $this->mFooter = $msg;
882 } else {
883 $this->mSectionFooters[$section] = $msg;
884 }
885
886 return $this;
887 }
888
889 /**
890 * Get footer text.
891 *
892 * @param string|null $section The section to get the footer text for
893 * @since 1.26
894 * @return string
895 */
896 public function getFooterText( $section = null ) {
897 if ( $section === null ) {
898 return $this->mFooter;
899 } else {
900 return $this->mSectionFooters[$section] ?? '';
901 }
902 }
903
904 /**
905 * Add text to the end of the display.
906 *
907 * @param string $msg Complete text of message to display
908 *
909 * @return HTMLForm $this for chaining calls (since 1.20)
910 */
911 public function addPostText( $msg ) {
912 $this->mPost .= $msg;
913
914 return $this;
915 }
916
917 /**
918 * Set text at the end of the display.
919 *
920 * @param string $msg Complete text of message to display
921 *
922 * @return HTMLForm $this for chaining calls (since 1.20)
923 */
924 public function setPostText( $msg ) {
925 $this->mPost = $msg;
926
927 return $this;
928 }
929
930 /**
931 * Add a hidden field to the output
932 *
933 * @param string $name Field name. This will be used exactly as entered
934 * @param string $value Field value
935 * @param array $attribs
936 *
937 * @return HTMLForm $this for chaining calls (since 1.20)
938 */
939 public function addHiddenField( $name, $value, array $attribs = [] ) {
940 $attribs += [ 'name' => $name ];
941 $this->mHiddenFields[] = [ $value, $attribs ];
942
943 return $this;
944 }
945
946 /**
947 * Add an array of hidden fields to the output
948 *
949 * @since 1.22
950 *
951 * @param array $fields Associative array of fields to add;
952 * mapping names to their values
953 *
954 * @return HTMLForm $this for chaining calls
955 */
956 public function addHiddenFields( array $fields ) {
957 foreach ( $fields as $name => $value ) {
958 $this->mHiddenFields[] = [ $value, [ 'name' => $name ] ];
959 }
960
961 return $this;
962 }
963
964 /**
965 * Add a button to the form
966 *
967 * @since 1.27 takes an array as shown. Earlier versions accepted
968 * 'name', 'value', 'id', and 'attribs' as separate parameters in that
969 * order.
970 * @note Custom labels ('label', 'label-message', 'label-raw') are not
971 * supported for IE6 and IE7 due to bugs in those browsers. If detected,
972 * they will be served buttons using 'value' as the button label.
973 * @param array $data Data to define the button:
974 * - name: (string) Button name.
975 * - value: (string) Button value.
976 * - label-message: (string, optional) Button label message key to use
977 * instead of 'value'. Overrides 'label' and 'label-raw'.
978 * - label: (string, optional) Button label text to use instead of
979 * 'value'. Overrides 'label-raw'.
980 * - label-raw: (string, optional) Button label HTML to use instead of
981 * 'value'.
982 * - id: (string, optional) DOM id for the button.
983 * - attribs: (array, optional) Additional HTML attributes.
984 * - flags: (string|string[], optional) OOUI flags.
985 * - framed: (boolean=true, optional) OOUI framed attribute.
986 * @codingStandardsIgnoreStart
987 * @phan-param array{name:string,value:string,label-message?:string,label?:string,label-raw?:string,id?:string,attribs?:array,flags?:string|string[],framed?:bool} $data
988 * @codingStandardsIgnoreEnd
989 * @return HTMLForm $this for chaining calls (since 1.20)
990 */
991 public function addButton( $data ) {
992 if ( !is_array( $data ) ) {
993 $args = func_get_args();
994 if ( count( $args ) < 2 || count( $args ) > 4 ) {
995 throw new InvalidArgumentException(
996 'Incorrect number of arguments for deprecated calling style'
997 );
998 }
999 $data = [
1000 'name' => $args[0],
1001 'value' => $args[1],
1002 'id' => $args[2] ?? null,
1003 'attribs' => $args[3] ?? null,
1004 ];
1005 } else {
1006 if ( !isset( $data['name'] ) ) {
1007 throw new InvalidArgumentException( 'A name is required' );
1008 }
1009 if ( !isset( $data['value'] ) ) {
1010 throw new InvalidArgumentException( 'A value is required' );
1011 }
1012 }
1013 $this->mButtons[] = $data + [
1014 'id' => null,
1015 'attribs' => null,
1016 'flags' => null,
1017 'framed' => true,
1018 ];
1019
1020 return $this;
1021 }
1022
1023 /**
1024 * Set the salt for the edit token.
1025 *
1026 * Only useful when the method is "post".
1027 *
1028 * @since 1.24
1029 * @param string|array $salt Salt to use
1030 * @return HTMLForm $this For chaining calls
1031 */
1032 public function setTokenSalt( $salt ) {
1033 $this->mTokenSalt = $salt;
1034
1035 return $this;
1036 }
1037
1038 /**
1039 * Display the form (sending to the context's OutputPage object), with an
1040 * appropriate error message or stack of messages, and any validation errors, etc.
1041 *
1042 * @warning You should call prepareForm() before calling this function.
1043 * Moreover, when doing method chaining this should be the very last method
1044 * call just after prepareForm().
1045 *
1046 * @param bool|string|array|Status $submitResult Output from HTMLForm::trySubmit()
1047 *
1048 * @return void Nothing, should be last call
1049 */
1050 public function displayForm( $submitResult ) {
1051 $this->getOutput()->addHTML( $this->getHTML( $submitResult ) );
1052 }
1053
1054 /**
1055 * Returns the raw HTML generated by the form
1056 *
1057 * @param bool|string|array|Status $submitResult Output from HTMLForm::trySubmit()
1058 *
1059 * @return string HTML
1060 * @return-taint escaped
1061 */
1062 public function getHTML( $submitResult ) {
1063 # For good measure (it is the default)
1064 $this->getOutput()->preventClickjacking();
1065 $this->getOutput()->addModules( 'mediawiki.htmlform' );
1066 $this->getOutput()->addModuleStyles( 'mediawiki.htmlform.styles' );
1067
1068 $html = ''
1069 . $this->getErrorsOrWarnings( $submitResult, 'error' )
1070 . $this->getErrorsOrWarnings( $submitResult, 'warning' )
1071 . $this->getHeaderText()
1072 . $this->getBody()
1073 . $this->getHiddenFields()
1074 . $this->getButtons()
1075 . $this->getFooterText();
1076
1077 $html = $this->wrapForm( $html );
1078
1079 return '' . $this->mPre . $html . $this->mPost;
1080 }
1081
1082 /**
1083 * Enable collapsible mode, and set whether the form is collapsed by default.
1084 *
1085 * @since 1.34
1086 * @param bool $collapsedByDefault Whether the form is collapsed by default (optional).
1087 * @return HTMLForm $this for chaining calls
1088 */
1089 public function setCollapsibleOptions( $collapsedByDefault = false ) {
1090 $this->mCollapsible = true;
1091 $this->mCollapsed = $collapsedByDefault;
1092 return $this;
1093 }
1094
1095 /**
1096 * Get HTML attributes for the `<form>` tag.
1097 * @return array
1098 */
1099 protected function getFormAttributes() {
1100 # Use multipart/form-data
1101 $encType = $this->mUseMultipart
1102 ? 'multipart/form-data'
1103 : 'application/x-www-form-urlencoded';
1104 # Attributes
1105 $attribs = [
1106 'class' => 'mw-htmlform',
1107 'action' => $this->getAction(),
1108 'method' => $this->getMethod(),
1109 'enctype' => $encType,
1110 ];
1111 if ( $this->mId ) {
1112 $attribs['id'] = $this->mId;
1113 }
1114 if ( is_string( $this->mAutocomplete ) ) {
1115 $attribs['autocomplete'] = $this->mAutocomplete;
1116 }
1117 if ( $this->mName ) {
1118 $attribs['name'] = $this->mName;
1119 }
1120 if ( $this->needsJSForHtml5FormValidation() ) {
1121 $attribs['novalidate'] = true;
1122 }
1123 return $attribs;
1124 }
1125
1126 /**
1127 * Wrap the form innards in an actual "<form>" element
1128 *
1129 * @param string $html HTML contents to wrap.
1130 *
1131 * @return string Wrapped HTML.
1132 */
1133 public function wrapForm( $html ) {
1134 # Include a <fieldset> wrapper for style, if requested.
1135 if ( $this->mWrapperLegend !== false ) {
1136 $legend = is_string( $this->mWrapperLegend ) ? $this->mWrapperLegend : false;
1137 $html = Xml::fieldset( $legend, $html, $this->mWrapperAttributes );
1138 }
1139
1140 return Html::rawElement(
1141 'form',
1142 $this->getFormAttributes(),
1143 $html
1144 );
1145 }
1146
1147 /**
1148 * Get the hidden fields that should go inside the form.
1149 * @return string HTML.
1150 */
1151 public function getHiddenFields() {
1152 $html = '';
1153 if ( $this->mFormIdentifier !== null ) {
1154 $html .= Html::hidden(
1155 'wpFormIdentifier',
1156 $this->mFormIdentifier
1157 ) . "\n";
1158 }
1159 if ( $this->getMethod() === 'post' ) {
1160 $html .= Html::hidden(
1161 'wpEditToken',
1162 $this->getUser()->getEditToken( $this->mTokenSalt ),
1163 [ 'id' => 'wpEditToken' ]
1164 ) . "\n";
1165 $html .= Html::hidden( 'title', $this->getTitle()->getPrefixedText() ) . "\n";
1166 }
1167
1168 $articlePath = $this->getConfig()->get( 'ArticlePath' );
1169 if ( strpos( $articlePath, '?' ) !== false && $this->getMethod() === 'get' ) {
1170 $html .= Html::hidden( 'title', $this->getTitle()->getPrefixedText() ) . "\n";
1171 }
1172
1173 foreach ( $this->mHiddenFields as $data ) {
1174 list( $value, $attribs ) = $data;
1175 $html .= Html::hidden( $attribs['name'], $value, $attribs ) . "\n";
1176 }
1177
1178 return $html;
1179 }
1180
1181 /**
1182 * Get the submit and (potentially) reset buttons.
1183 * @return string HTML.
1184 */
1185 public function getButtons() {
1186 $buttons = '';
1187 $useMediaWikiUIEverywhere = $this->getConfig()->get( 'UseMediaWikiUIEverywhere' );
1188
1189 if ( $this->mShowSubmit ) {
1190 $attribs = [];
1191
1192 if ( isset( $this->mSubmitID ) ) {
1193 $attribs['id'] = $this->mSubmitID;
1194 }
1195
1196 if ( isset( $this->mSubmitName ) ) {
1197 $attribs['name'] = $this->mSubmitName;
1198 }
1199
1200 if ( isset( $this->mSubmitTooltip ) ) {
1201 $attribs += Linker::tooltipAndAccesskeyAttribs( $this->mSubmitTooltip );
1202 }
1203
1204 $attribs['class'] = [ 'mw-htmlform-submit' ];
1205
1206 if ( $useMediaWikiUIEverywhere ) {
1207 foreach ( $this->mSubmitFlags as $flag ) {
1208 $attribs['class'][] = 'mw-ui-' . $flag;
1209 }
1210 $attribs['class'][] = 'mw-ui-button';
1211 }
1212
1213 $buttons .= Xml::submitButton( $this->getSubmitText(), $attribs ) . "\n";
1214 }
1215
1216 if ( $this->mShowReset ) {
1217 $buttons .= Html::element(
1218 'input',
1219 [
1220 'type' => 'reset',
1221 'value' => $this->msg( 'htmlform-reset' )->text(),
1222 'class' => $useMediaWikiUIEverywhere ? 'mw-ui-button' : null,
1223 ]
1224 ) . "\n";
1225 }
1226
1227 if ( $this->mShowCancel ) {
1228 $target = $this->mCancelTarget ?: Title::newMainPage();
1229 if ( $target instanceof Title ) {
1230 $target = $target->getLocalURL();
1231 }
1232 $buttons .= Html::element(
1233 'a',
1234 [
1235 'class' => $useMediaWikiUIEverywhere ? 'mw-ui-button' : null,
1236 'href' => $target,
1237 ],
1238 $this->msg( 'cancel' )->text()
1239 ) . "\n";
1240 }
1241
1242 // IE<8 has bugs with <button>, so we'll need to avoid them.
1243 $isBadIE = preg_match( '/MSIE [1-7]\./i', $this->getRequest()->getHeader( 'User-Agent' ) );
1244
1245 foreach ( $this->mButtons as $button ) {
1246 $attrs = [
1247 'type' => 'submit',
1248 'name' => $button['name'],
1249 'value' => $button['value']
1250 ];
1251
1252 if ( isset( $button['label-message'] ) ) {
1253 $label = $this->getMessage( $button['label-message'] )->parse();
1254 } elseif ( isset( $button['label'] ) ) {
1255 $label = htmlspecialchars( $button['label'] );
1256 } elseif ( isset( $button['label-raw'] ) ) {
1257 $label = $button['label-raw'];
1258 } else {
1259 $label = htmlspecialchars( $button['value'] );
1260 }
1261
1262 if ( $button['attribs'] ) {
1263 $attrs += $button['attribs'];
1264 }
1265
1266 if ( isset( $button['id'] ) ) {
1267 $attrs['id'] = $button['id'];
1268 }
1269
1270 if ( $useMediaWikiUIEverywhere ) {
1271 $attrs['class'] = isset( $attrs['class'] ) ? (array)$attrs['class'] : [];
1272 $attrs['class'][] = 'mw-ui-button';
1273 }
1274
1275 if ( $isBadIE ) {
1276 $buttons .= Html::element( 'input', $attrs ) . "\n";
1277 } else {
1278 $buttons .= Html::rawElement( 'button', $attrs, $label ) . "\n";
1279 }
1280 }
1281
1282 if ( !$buttons ) {
1283 return '';
1284 }
1285
1286 return Html::rawElement( 'span',
1287 [ 'class' => 'mw-htmlform-submit-buttons' ], "\n$buttons" ) . "\n";
1288 }
1289
1290 /**
1291 * Get the whole body of the form.
1292 * @return string
1293 */
1294 public function getBody() {
1295 return $this->displaySection( $this->mFieldTree, $this->mTableId );
1296 }
1297
1298 /**
1299 * Returns a formatted list of errors or warnings from the given elements.
1300 *
1301 * @param string|array|Status $elements The set of errors/warnings to process.
1302 * @param string $elementsType Should warnings or errors be returned. This is meant
1303 * for Status objects, all other valid types are always considered as errors.
1304 * @return string
1305 */
1306 public function getErrorsOrWarnings( $elements, $elementsType ) {
1307 if ( !in_array( $elementsType, [ 'error', 'warning' ], true ) ) {
1308 throw new DomainException( $elementsType . ' is not a valid type.' );
1309 }
1310 $elementstr = false;
1311 if ( $elements instanceof Status ) {
1312 list( $errorStatus, $warningStatus ) = $elements->splitByErrorType();
1313 $status = $elementsType === 'error' ? $errorStatus : $warningStatus;
1314 if ( $status->isGood() ) {
1315 $elementstr = '';
1316 } else {
1317 $elementstr = $this->getOutput()->parseAsInterface(
1318 $status->getWikiText()
1319 );
1320 }
1321 } elseif ( is_array( $elements ) && $elementsType === 'error' ) {
1322 $elementstr = $this->formatErrors( $elements );
1323 } elseif ( $elementsType === 'error' ) {
1324 $elementstr = $elements;
1325 }
1326
1327 return $elementstr
1328 ? Html::rawElement( 'div', [ 'class' => $elementsType . 'box' ], $elementstr )
1329 : '';
1330 }
1331
1332 /**
1333 * Format a stack of error messages into a single HTML string
1334 *
1335 * @param array $errors Array of message keys/values
1336 *
1337 * @return string HTML, a "<ul>" list of errors
1338 */
1339 public function formatErrors( $errors ) {
1340 $errorstr = '';
1341
1342 foreach ( $errors as $error ) {
1343 $errorstr .= Html::rawElement(
1344 'li',
1345 [],
1346 $this->getMessage( $error )->parse()
1347 );
1348 }
1349
1350 $errorstr = Html::rawElement( 'ul', [], $errorstr );
1351
1352 return $errorstr;
1353 }
1354
1355 /**
1356 * Set the text for the submit button
1357 *
1358 * @param string $t Plaintext
1359 *
1360 * @return HTMLForm $this for chaining calls (since 1.20)
1361 */
1362 public function setSubmitText( $t ) {
1363 $this->mSubmitText = $t;
1364
1365 return $this;
1366 }
1367
1368 /**
1369 * Identify that the submit button in the form has a destructive action
1370 * @since 1.24
1371 *
1372 * @return HTMLForm $this for chaining calls (since 1.28)
1373 */
1374 public function setSubmitDestructive() {
1375 $this->mSubmitFlags = [ 'destructive', 'primary' ];
1376
1377 return $this;
1378 }
1379
1380 /**
1381 * Set the text for the submit button to a message
1382 * @since 1.19
1383 *
1384 * @param string|Message $msg Message key or Message object
1385 *
1386 * @return HTMLForm $this for chaining calls (since 1.20)
1387 */
1388 public function setSubmitTextMsg( $msg ) {
1389 if ( !$msg instanceof Message ) {
1390 $msg = $this->msg( $msg );
1391 }
1392 $this->setSubmitText( $msg->text() );
1393
1394 return $this;
1395 }
1396
1397 /**
1398 * Get the text for the submit button, either customised or a default.
1399 * @return string
1400 */
1401 public function getSubmitText() {
1402 return $this->mSubmitText ?: $this->msg( 'htmlform-submit' )->text();
1403 }
1404
1405 /**
1406 * @param string $name Submit button name
1407 *
1408 * @return HTMLForm $this for chaining calls (since 1.20)
1409 */
1410 public function setSubmitName( $name ) {
1411 $this->mSubmitName = $name;
1412
1413 return $this;
1414 }
1415
1416 /**
1417 * @param string $name Tooltip for the submit button
1418 *
1419 * @return HTMLForm $this for chaining calls (since 1.20)
1420 */
1421 public function setSubmitTooltip( $name ) {
1422 $this->mSubmitTooltip = $name;
1423
1424 return $this;
1425 }
1426
1427 /**
1428 * Set the id for the submit button.
1429 *
1430 * @param string $t
1431 *
1432 * @todo FIXME: Integrity of $t is *not* validated
1433 * @return HTMLForm $this for chaining calls (since 1.20)
1434 */
1435 public function setSubmitID( $t ) {
1436 $this->mSubmitID = $t;
1437
1438 return $this;
1439 }
1440
1441 /**
1442 * Set an internal identifier for this form. It will be submitted as a hidden form field, allowing
1443 * HTMLForm to determine whether the form was submitted (or merely viewed). Setting this serves
1444 * two purposes:
1445 *
1446 * - If you use two or more forms on one page, it allows HTMLForm to identify which of the forms
1447 * was submitted, and not attempt to validate the other ones.
1448 * - If you use checkbox or multiselect fields inside a form using the GET method, it allows
1449 * HTMLForm to distinguish between the initial page view and a form submission with all
1450 * checkboxes or select options unchecked.
1451 *
1452 * @since 1.28
1453 * @param string $ident
1454 * @return $this
1455 */
1456 public function setFormIdentifier( $ident ) {
1457 $this->mFormIdentifier = $ident;
1458
1459 return $this;
1460 }
1461
1462 /**
1463 * Stop a default submit button being shown for this form. This implies that an
1464 * alternate submit method must be provided manually.
1465 *
1466 * @since 1.22
1467 *
1468 * @param bool $suppressSubmit Set to false to re-enable the button again
1469 *
1470 * @return HTMLForm $this for chaining calls
1471 */
1472 public function suppressDefaultSubmit( $suppressSubmit = true ) {
1473 $this->mShowSubmit = !$suppressSubmit;
1474
1475 return $this;
1476 }
1477
1478 /**
1479 * Show a cancel button (or prevent it). The button is not shown by default.
1480 * @param bool $show
1481 * @return HTMLForm $this for chaining calls
1482 * @since 1.27
1483 */
1484 public function showCancel( $show = true ) {
1485 $this->mShowCancel = $show;
1486 return $this;
1487 }
1488
1489 /**
1490 * Sets the target where the user is redirected to after clicking cancel.
1491 * @param Title|string $target Target as a Title object or an URL
1492 * @return HTMLForm $this for chaining calls
1493 * @since 1.27
1494 */
1495 public function setCancelTarget( $target ) {
1496 $this->mCancelTarget = $target;
1497 return $this;
1498 }
1499
1500 /**
1501 * Set the id of the \<table\> or outermost \<div\> element.
1502 *
1503 * @since 1.22
1504 *
1505 * @param string $id New value of the id attribute, or "" to remove
1506 *
1507 * @return HTMLForm $this for chaining calls
1508 */
1509 public function setTableId( $id ) {
1510 $this->mTableId = $id;
1511
1512 return $this;
1513 }
1514
1515 /**
1516 * @param string $id DOM id for the form
1517 *
1518 * @return HTMLForm $this for chaining calls (since 1.20)
1519 */
1520 public function setId( $id ) {
1521 $this->mId = $id;
1522
1523 return $this;
1524 }
1525
1526 /**
1527 * @param string $name 'name' attribute for the form
1528 * @return HTMLForm $this for chaining calls
1529 */
1530 public function setName( $name ) {
1531 $this->mName = $name;
1532
1533 return $this;
1534 }
1535
1536 /**
1537 * Prompt the whole form to be wrapped in a "<fieldset>", with
1538 * this text as its "<legend>" element.
1539 *
1540 * @param string|bool $legend If false, no wrapper or legend will be displayed.
1541 * If true, a wrapper will be displayed, but no legend.
1542 * If a string, a wrapper will be displayed with that string as a legend.
1543 * The string will be escaped before being output (this doesn't support HTML).
1544 *
1545 * @return HTMLForm $this for chaining calls (since 1.20)
1546 */
1547 public function setWrapperLegend( $legend ) {
1548 $this->mWrapperLegend = $legend;
1549
1550 return $this;
1551 }
1552
1553 /**
1554 * For internal use only. Use is discouraged, and should only be used where
1555 * support for gadgets/user scripts is warranted.
1556 * @param array $attributes
1557 * @internal
1558 * @return HTMLForm $this for chaining calls
1559 */
1560 public function setWrapperAttributes( $attributes ) {
1561 $this->mWrapperAttributes = $attributes;
1562
1563 return $this;
1564 }
1565
1566 /**
1567 * Prompt the whole form to be wrapped in a "<fieldset>", with
1568 * this message as its "<legend>" element.
1569 * @since 1.19
1570 *
1571 * @param string|Message $msg Message key or Message object
1572 *
1573 * @return HTMLForm $this for chaining calls (since 1.20)
1574 */
1575 public function setWrapperLegendMsg( $msg ) {
1576 if ( !$msg instanceof Message ) {
1577 $msg = $this->msg( $msg );
1578 }
1579 $this->setWrapperLegend( $msg->text() );
1580
1581 return $this;
1582 }
1583
1584 /**
1585 * Set the prefix for various default messages
1586 * @todo Currently only used for the "<fieldset>" legend on forms
1587 * with multiple sections; should be used elsewhere?
1588 *
1589 * @param string $p
1590 *
1591 * @return HTMLForm $this for chaining calls (since 1.20)
1592 */
1593 public function setMessagePrefix( $p ) {
1594 $this->mMessagePrefix = $p;
1595
1596 return $this;
1597 }
1598
1599 /**
1600 * Set the title for form submission
1601 *
1602 * @param Title $t Title of page the form is on/should be posted to
1603 *
1604 * @return HTMLForm $this for chaining calls (since 1.20)
1605 */
1606 public function setTitle( $t ) {
1607 $this->mTitle = $t;
1608
1609 return $this;
1610 }
1611
1612 /**
1613 * Get the title
1614 * @return Title
1615 */
1616 public function getTitle() {
1617 return $this->mTitle === false
1618 ? $this->getContext()->getTitle()
1619 : $this->mTitle;
1620 }
1621
1622 /**
1623 * Set the method used to submit the form
1624 *
1625 * @param string $method
1626 *
1627 * @return HTMLForm $this for chaining calls (since 1.20)
1628 */
1629 public function setMethod( $method = 'post' ) {
1630 $this->mMethod = strtolower( $method );
1631
1632 return $this;
1633 }
1634
1635 /**
1636 * @return string Always lowercase
1637 */
1638 public function getMethod() {
1639 return $this->mMethod;
1640 }
1641
1642 /**
1643 * Wraps the given $section into an user-visible fieldset.
1644 *
1645 * @param string $legend Legend text for the fieldset
1646 * @param string $section The section content in plain Html
1647 * @param array $attributes Additional attributes for the fieldset
1648 * @param bool $isRoot Section is at the root of the tree
1649 * @return string The fieldset's Html
1650 */
1651 protected function wrapFieldSetSection( $legend, $section, $attributes, $isRoot ) {
1652 return Xml::fieldset( $legend, $section, $attributes ) . "\n";
1653 }
1654
1655 /**
1656 * @todo Document
1657 *
1658 * @param array[]|HTMLFormField[] $fields Array of fields (either arrays or
1659 * objects).
1660 * @param string $sectionName ID attribute of the "<table>" tag for this
1661 * section, ignored if empty.
1662 * @param string $fieldsetIDPrefix ID prefix for the "<fieldset>" tag of
1663 * each subsection, ignored if empty.
1664 * @param bool &$hasUserVisibleFields Whether the section had user-visible fields.
1665 * @throws LogicException When called on uninitialized field data, e.g. When
1666 * HTMLForm::displayForm was called without calling HTMLForm::prepareForm
1667 * first.
1668 *
1669 * @return string
1670 */
1671 public function displaySection( $fields,
1672 $sectionName = '',
1673 $fieldsetIDPrefix = '',
1674 &$hasUserVisibleFields = false
1675 ) {
1676 if ( $this->mFieldData === null ) {
1677 throw new LogicException( 'HTMLForm::displaySection() called on uninitialized field data. '
1678 . 'You probably called displayForm() without calling prepareForm() first.' );
1679 }
1680
1681 $displayFormat = $this->getDisplayFormat();
1682
1683 $html = [];
1684 $subsectionHtml = '';
1685 $hasLabel = false;
1686
1687 // Conveniently, PHP method names are case-insensitive.
1688 // For grep: this can call getDiv, getRaw, getInline, getVForm, getOOUI
1689 $getFieldHtmlMethod = $displayFormat === 'table' ? 'getTableRow' : ( 'get' . $displayFormat );
1690
1691 foreach ( $fields as $key => $value ) {
1692 if ( $value instanceof HTMLFormField ) {
1693 $v = array_key_exists( $key, $this->mFieldData )
1694 ? $this->mFieldData[$key]
1695 : $value->getDefault();
1696
1697 $retval = $value->$getFieldHtmlMethod( $v );
1698
1699 // check, if the form field should be added to
1700 // the output.
1701 if ( $value->hasVisibleOutput() ) {
1702 $html[] = $retval;
1703
1704 $labelValue = trim( $value->getLabel() );
1705 if ( $labelValue !== "\u{00A0}" && $labelValue !== '&#160;' && $labelValue !== '' ) {
1706 $hasLabel = true;
1707 }
1708
1709 $hasUserVisibleFields = true;
1710 }
1711 } elseif ( is_array( $value ) ) {
1712 $subsectionHasVisibleFields = false;
1713 $section =
1714 $this->displaySection( $value,
1715 "mw-htmlform-$key",
1716 "$fieldsetIDPrefix$key-",
1717 $subsectionHasVisibleFields );
1718 $legend = null;
1719
1720 if ( $subsectionHasVisibleFields === true ) {
1721 // Display the section with various niceties.
1722 $hasUserVisibleFields = true;
1723
1724 $legend = $this->getLegend( $key );
1725
1726 $section = $this->getHeaderText( $key ) .
1727 $section .
1728 $this->getFooterText( $key );
1729
1730 $attributes = [];
1731 if ( $fieldsetIDPrefix ) {
1732 $attributes['id'] = Sanitizer::escapeIdForAttribute( "$fieldsetIDPrefix$key" );
1733 }
1734 $subsectionHtml .= $this->wrapFieldSetSection(
1735 $legend, $section, $attributes, $fields === $this->mFieldTree
1736 );
1737 } else {
1738 // Just return the inputs, nothing fancy.
1739 $subsectionHtml .= $section;
1740 }
1741 }
1742 }
1743
1744 $html = $this->formatSection( $html, $sectionName, $hasLabel );
1745
1746 if ( $subsectionHtml ) {
1747 if ( $this->mSubSectionBeforeFields ) {
1748 return $subsectionHtml . "\n" . $html;
1749 } else {
1750 return $html . "\n" . $subsectionHtml;
1751 }
1752 } else {
1753 return $html;
1754 }
1755 }
1756
1757 /**
1758 * Put a form section together from the individual fields' HTML, merging it and wrapping.
1759 * @param array $fieldsHtml
1760 * @param string $sectionName
1761 * @param bool $anyFieldHasLabel
1762 * @return string HTML
1763 */
1764 protected function formatSection( array $fieldsHtml, $sectionName, $anyFieldHasLabel ) {
1765 if ( !$fieldsHtml ) {
1766 // Do not generate any wrappers for empty sections. Sections may be empty if they only have
1767 // subsections, but no fields. A legend will still be added in wrapFieldSetSection().
1768 return '';
1769 }
1770
1771 $displayFormat = $this->getDisplayFormat();
1772 $html = implode( '', $fieldsHtml );
1773
1774 if ( $displayFormat === 'raw' ) {
1775 return $html;
1776 }
1777
1778 $classes = [];
1779
1780 if ( !$anyFieldHasLabel ) { // Avoid strange spacing when no labels exist
1781 $classes[] = 'mw-htmlform-nolabel';
1782 }
1783
1784 $attribs = [
1785 'class' => implode( ' ', $classes ),
1786 ];
1787
1788 if ( $sectionName ) {
1789 $attribs['id'] = Sanitizer::escapeIdForAttribute( $sectionName );
1790 }
1791
1792 if ( $displayFormat === 'table' ) {
1793 return Html::rawElement( 'table',
1794 $attribs,
1795 Html::rawElement( 'tbody', [], "\n$html\n" ) ) . "\n";
1796 } elseif ( $displayFormat === 'inline' ) {
1797 return Html::rawElement( 'span', $attribs, "\n$html\n" );
1798 } else {
1799 return Html::rawElement( 'div', $attribs, "\n$html\n" );
1800 }
1801 }
1802
1803 /**
1804 * Construct the form fields from the Descriptor array
1805 */
1806 public function loadData() {
1807 $fieldData = [];
1808
1809 foreach ( $this->mFlatFields as $fieldname => $field ) {
1810 $request = $this->getRequest();
1811 if ( $field->skipLoadData( $request ) ) {
1812 continue;
1813 } elseif ( !empty( $field->mParams['disabled'] ) ) {
1814 $fieldData[$fieldname] = $field->getDefault();
1815 } else {
1816 $fieldData[$fieldname] = $field->loadDataFromRequest( $request );
1817 }
1818 }
1819
1820 # Filter data.
1821 foreach ( $fieldData as $name => &$value ) {
1822 $field = $this->mFlatFields[$name];
1823 $value = $field->filter( $value, $this->mFlatFields );
1824 }
1825
1826 $this->mFieldData = $fieldData;
1827 }
1828
1829 /**
1830 * Stop a reset button being shown for this form
1831 *
1832 * @param bool $suppressReset Set to false to re-enable the button again
1833 *
1834 * @return HTMLForm $this for chaining calls (since 1.20)
1835 */
1836 public function suppressReset( $suppressReset = true ) {
1837 $this->mShowReset = !$suppressReset;
1838
1839 return $this;
1840 }
1841
1842 /**
1843 * Overload this if you want to apply special filtration routines
1844 * to the form as a whole, after it's submitted but before it's
1845 * processed.
1846 *
1847 * @param array $data
1848 *
1849 * @return array
1850 */
1851 public function filterDataForSubmit( $data ) {
1852 return $data;
1853 }
1854
1855 /**
1856 * Get a string to go in the "<legend>" of a section fieldset.
1857 * Override this if you want something more complicated.
1858 *
1859 * @param string $key
1860 *
1861 * @return string Plain text (not HTML-escaped)
1862 */
1863 public function getLegend( $key ) {
1864 return $this->msg( "{$this->mMessagePrefix}-$key" )->text();
1865 }
1866
1867 /**
1868 * Set the value for the action attribute of the form.
1869 * When set to false (which is the default state), the set title is used.
1870 *
1871 * @since 1.19
1872 *
1873 * @param string|bool $action
1874 *
1875 * @return HTMLForm $this for chaining calls (since 1.20)
1876 */
1877 public function setAction( $action ) {
1878 $this->mAction = $action;
1879
1880 return $this;
1881 }
1882
1883 /**
1884 * Get the value for the action attribute of the form.
1885 *
1886 * @since 1.22
1887 *
1888 * @return string
1889 */
1890 public function getAction() {
1891 // If an action is alredy provided, return it
1892 if ( $this->mAction !== false ) {
1893 return $this->mAction;
1894 }
1895
1896 $articlePath = $this->getConfig()->get( 'ArticlePath' );
1897 // Check whether we are in GET mode and the ArticlePath contains a "?"
1898 // meaning that getLocalURL() would return something like "index.php?title=...".
1899 // As browser remove the query string before submitting GET forms,
1900 // it means that the title would be lost. In such case use wfScript() instead
1901 // and put title in an hidden field (see getHiddenFields()).
1902 if ( strpos( $articlePath, '?' ) !== false && $this->getMethod() === 'get' ) {
1903 return wfScript();
1904 }
1905
1906 return $this->getTitle()->getLocalURL();
1907 }
1908
1909 /**
1910 * Set the value for the autocomplete attribute of the form. A typical value is "off".
1911 * When set to null (which is the default state), the attribute get not set.
1912 *
1913 * @since 1.27
1914 *
1915 * @param string|null $autocomplete
1916 *
1917 * @return HTMLForm $this for chaining calls
1918 */
1919 public function setAutocomplete( $autocomplete ) {
1920 $this->mAutocomplete = $autocomplete;
1921
1922 return $this;
1923 }
1924
1925 /**
1926 * Turns a *-message parameter (which could be a MessageSpecifier, or a message name, or a
1927 * name + parameters array) into a Message.
1928 * @param mixed $value
1929 * @return Message
1930 */
1931 protected function getMessage( $value ) {
1932 return Message::newFromSpecifier( $value )->setContext( $this );
1933 }
1934
1935 /**
1936 * Whether this form, with its current fields, requires the user agent to have JavaScript enabled
1937 * for the client-side HTML5 form validation to work correctly. If this function returns true, a
1938 * 'novalidate' attribute will be added on the `<form>` element. It will be removed if the user
1939 * agent has JavaScript support, in htmlform.js.
1940 *
1941 * @return bool
1942 * @since 1.29
1943 */
1944 public function needsJSForHtml5FormValidation() {
1945 foreach ( $this->mFlatFields as $fieldname => $field ) {
1946 if ( $field->needsJSForHtml5FormValidation() ) {
1947 return true;
1948 }
1949 }
1950 return false;
1951 }
1952 }