Merge "FauxRequest: don’t override getValues()"
[lhc/web/wiklou.git] / includes / htmlform / HTMLFormField.php
1 <?php
2
3 /**
4 * The parent class to generate form fields. Any field type should
5 * be a subclass of this.
6 */
7 abstract class HTMLFormField {
8 /** @var array|array[] */
9 public $mParams;
10
11 protected $mValidationCallback;
12 protected $mFilterCallback;
13 protected $mName;
14 protected $mDir;
15 protected $mLabel; # String label, as HTML. Set on construction.
16 protected $mID;
17 protected $mClass = '';
18 protected $mVFormClass = '';
19 protected $mHelpClass = false;
20 protected $mDefault;
21 /**
22 * @var array|bool|null
23 */
24 protected $mOptions = false;
25 protected $mOptionsLabelsNotFromMessage = false;
26 protected $mHideIf = null;
27
28 /**
29 * @var bool If true will generate an empty div element with no label
30 * @since 1.22
31 */
32 protected $mShowEmptyLabels = true;
33
34 /**
35 * @var HTMLForm|null
36 */
37 public $mParent;
38
39 /**
40 * This function must be implemented to return the HTML to generate
41 * the input object itself. It should not implement the surrounding
42 * table cells/rows, or labels/help messages.
43 *
44 * @param mixed $value The value to set the input to; eg a default
45 * text for a text input.
46 *
47 * @return string Valid HTML.
48 */
49 abstract public function getInputHTML( $value );
50
51 /**
52 * Same as getInputHTML, but returns an OOUI object.
53 * Defaults to false, which getOOUI will interpret as "use the HTML version"
54 *
55 * @param string $value
56 * @return OOUI\Widget|false
57 */
58 public function getInputOOUI( $value ) {
59 return false;
60 }
61
62 /**
63 * True if this field type is able to display errors; false if validation errors need to be
64 * displayed in the main HTMLForm error area.
65 * @return bool
66 */
67 public function canDisplayErrors() {
68 return $this->hasVisibleOutput();
69 }
70
71 /**
72 * Get a translated interface message
73 *
74 * This is a wrapper around $this->mParent->msg() if $this->mParent is set
75 * and wfMessage() otherwise.
76 *
77 * Parameters are the same as wfMessage().
78 *
79 * @return Message
80 */
81 public function msg() {
82 $args = func_get_args();
83
84 if ( $this->mParent ) {
85 return $this->mParent->msg( ...$args );
86 }
87 return wfMessage( ...$args );
88 }
89
90 /**
91 * If this field has a user-visible output or not. If not,
92 * it will not be rendered
93 *
94 * @return bool
95 */
96 public function hasVisibleOutput() {
97 return true;
98 }
99
100 /**
101 * Fetch a field value from $alldata for the closest field matching a given
102 * name.
103 *
104 * This is complex because it needs to handle array fields like the user
105 * would expect. The general algorithm is to look for $name as a sibling
106 * of $this, then a sibling of $this's parent, and so on. Keeping in mind
107 * that $name itself might be referencing an array.
108 *
109 * @param array $alldata
110 * @param string $name
111 * @return string
112 */
113 protected function getNearestFieldByName( $alldata, $name ) {
114 $tmp = $this->mName;
115 $thisKeys = [];
116 while ( preg_match( '/^(.+)\[([^\]]+)\]$/', $tmp, $m ) ) {
117 array_unshift( $thisKeys, $m[2] );
118 $tmp = $m[1];
119 }
120 if ( substr( $tmp, 0, 2 ) == 'wp' &&
121 !array_key_exists( $tmp, $alldata ) &&
122 array_key_exists( substr( $tmp, 2 ), $alldata )
123 ) {
124 // Adjust for name mangling.
125 $tmp = substr( $tmp, 2 );
126 }
127 array_unshift( $thisKeys, $tmp );
128
129 $tmp = $name;
130 $nameKeys = [];
131 while ( preg_match( '/^(.+)\[([^\]]+)\]$/', $tmp, $m ) ) {
132 array_unshift( $nameKeys, $m[2] );
133 $tmp = $m[1];
134 }
135 array_unshift( $nameKeys, $tmp );
136
137 $testValue = '';
138 for ( $i = count( $thisKeys ) - 1; $i >= 0; $i-- ) {
139 $keys = array_merge( array_slice( $thisKeys, 0, $i ), $nameKeys );
140 $data = $alldata;
141 foreach ( $keys as $key ) {
142 if ( !is_array( $data ) || !array_key_exists( $key, $data ) ) {
143 continue 2;
144 }
145 $data = $data[$key];
146 }
147 $testValue = (string)$data;
148 break;
149 }
150
151 return $testValue;
152 }
153
154 /**
155 * Helper function for isHidden to handle recursive data structures.
156 *
157 * @param array $alldata
158 * @param array $params
159 * @return bool
160 * @throws MWException
161 */
162 protected function isHiddenRecurse( array $alldata, array $params ) {
163 $origParams = $params;
164 $op = array_shift( $params );
165
166 try {
167 switch ( $op ) {
168 case 'AND':
169 foreach ( $params as $i => $p ) {
170 if ( !is_array( $p ) ) {
171 throw new MWException(
172 "Expected array, found " . gettype( $p ) . " at index $i"
173 );
174 }
175 if ( !$this->isHiddenRecurse( $alldata, $p ) ) {
176 return false;
177 }
178 }
179 return true;
180
181 case 'OR':
182 foreach ( $params as $i => $p ) {
183 if ( !is_array( $p ) ) {
184 throw new MWException(
185 "Expected array, found " . gettype( $p ) . " at index $i"
186 );
187 }
188 if ( $this->isHiddenRecurse( $alldata, $p ) ) {
189 return true;
190 }
191 }
192 return false;
193
194 case 'NAND':
195 foreach ( $params as $i => $p ) {
196 if ( !is_array( $p ) ) {
197 throw new MWException(
198 "Expected array, found " . gettype( $p ) . " at index $i"
199 );
200 }
201 if ( !$this->isHiddenRecurse( $alldata, $p ) ) {
202 return true;
203 }
204 }
205 return false;
206
207 case 'NOR':
208 foreach ( $params as $i => $p ) {
209 if ( !is_array( $p ) ) {
210 throw new MWException(
211 "Expected array, found " . gettype( $p ) . " at index $i"
212 );
213 }
214 if ( $this->isHiddenRecurse( $alldata, $p ) ) {
215 return false;
216 }
217 }
218 return true;
219
220 case 'NOT':
221 if ( count( $params ) !== 1 ) {
222 throw new MWException( "NOT takes exactly one parameter" );
223 }
224 $p = $params[0];
225 if ( !is_array( $p ) ) {
226 throw new MWException(
227 "Expected array, found " . gettype( $p ) . " at index 0"
228 );
229 }
230 return !$this->isHiddenRecurse( $alldata, $p );
231
232 case '===':
233 case '!==':
234 if ( count( $params ) !== 2 ) {
235 throw new MWException( "$op takes exactly two parameters" );
236 }
237 list( $field, $value ) = $params;
238 if ( !is_string( $field ) || !is_string( $value ) ) {
239 throw new MWException( "Parameters for $op must be strings" );
240 }
241 $testValue = $this->getNearestFieldByName( $alldata, $field );
242 switch ( $op ) {
243 case '===':
244 return ( $value === $testValue );
245 case '!==':
246 return ( $value !== $testValue );
247 }
248
249 default:
250 throw new MWException( "Unknown operation" );
251 }
252 } catch ( Exception $ex ) {
253 throw new MWException(
254 "Invalid hide-if specification for $this->mName: " .
255 $ex->getMessage() . " in " . var_export( $origParams, true ),
256 0, $ex
257 );
258 }
259 }
260
261 /**
262 * Test whether this field is supposed to be hidden, based on the values of
263 * the other form fields.
264 *
265 * @since 1.23
266 * @param array $alldata The data collected from the form
267 * @return bool
268 */
269 public function isHidden( $alldata ) {
270 if ( !$this->mHideIf ) {
271 return false;
272 }
273
274 return $this->isHiddenRecurse( $alldata, $this->mHideIf );
275 }
276
277 /**
278 * Override this function if the control can somehow trigger a form
279 * submission that shouldn't actually submit the HTMLForm.
280 *
281 * @since 1.23
282 * @param string|array $value The value the field was submitted with
283 * @param array $alldata The data collected from the form
284 *
285 * @return bool True to cancel the submission
286 */
287 public function cancelSubmit( $value, $alldata ) {
288 return false;
289 }
290
291 /**
292 * Override this function to add specific validation checks on the
293 * field input. Don't forget to call parent::validate() to ensure
294 * that the user-defined callback mValidationCallback is still run
295 *
296 * @param string|array $value The value the field was submitted with
297 * @param array $alldata The data collected from the form
298 *
299 * @return bool|string|Message True on success, or String/Message error to display, or
300 * false to fail validation without displaying an error.
301 */
302 public function validate( $value, $alldata ) {
303 if ( $this->isHidden( $alldata ) ) {
304 return true;
305 }
306
307 if ( isset( $this->mParams['required'] )
308 && $this->mParams['required'] !== false
309 && $value === ''
310 ) {
311 return $this->msg( 'htmlform-required' );
312 }
313
314 if ( isset( $this->mValidationCallback ) ) {
315 return ( $this->mValidationCallback )( $value, $alldata, $this->mParent );
316 }
317
318 return true;
319 }
320
321 public function filter( $value, $alldata ) {
322 if ( isset( $this->mFilterCallback ) ) {
323 $value = ( $this->mFilterCallback )( $value, $alldata, $this->mParent );
324 }
325
326 return $value;
327 }
328
329 /**
330 * Should this field have a label, or is there no input element with the
331 * appropriate id for the label to point to?
332 *
333 * @return bool True to output a label, false to suppress
334 */
335 protected function needsLabel() {
336 return true;
337 }
338
339 /**
340 * Tell the field whether to generate a separate label element if its label
341 * is blank.
342 *
343 * @since 1.22
344 *
345 * @param bool $show Set to false to not generate a label.
346 * @return void
347 */
348 public function setShowEmptyLabel( $show ) {
349 $this->mShowEmptyLabels = $show;
350 }
351
352 /**
353 * Can we assume that the request is an attempt to submit a HTMLForm, as opposed to an attempt to
354 * just view it? This can't normally be distinguished for e.g. checkboxes.
355 *
356 * Returns true if the request has a field for a CSRF token (wpEditToken) or a form identifier
357 * (wpFormIdentifier).
358 *
359 * @param WebRequest $request
360 * @return bool
361 */
362 protected function isSubmitAttempt( WebRequest $request ) {
363 return $request->getCheck( 'wpEditToken' ) || $request->getCheck( 'wpFormIdentifier' );
364 }
365
366 /**
367 * Get the value that this input has been set to from a posted form,
368 * or the input's default value if it has not been set.
369 *
370 * @param WebRequest $request
371 * @return mixed The value
372 */
373 public function loadDataFromRequest( $request ) {
374 if ( $request->getCheck( $this->mName ) ) {
375 return $request->getText( $this->mName );
376 } else {
377 return $this->getDefault();
378 }
379 }
380
381 /**
382 * Initialise the object
383 *
384 * @param array $params Associative Array. See HTMLForm doc for syntax.
385 *
386 * @since 1.22 The 'label' attribute no longer accepts raw HTML, use 'label-raw' instead
387 * @throws MWException
388 */
389 public function __construct( $params ) {
390 $this->mParams = $params;
391
392 if ( isset( $params['parent'] ) && $params['parent'] instanceof HTMLForm ) {
393 $this->mParent = $params['parent'];
394 }
395
396 # Generate the label from a message, if possible
397 if ( isset( $params['label-message'] ) ) {
398 $this->mLabel = $this->getMessage( $params['label-message'] )->parse();
399 } elseif ( isset( $params['label'] ) ) {
400 if ( $params['label'] === '&#160;' || $params['label'] === "\u{00A0}" ) {
401 // Apparently some things set &nbsp directly and in an odd format
402 $this->mLabel = "\u{00A0}";
403 } else {
404 $this->mLabel = htmlspecialchars( $params['label'] );
405 }
406 } elseif ( isset( $params['label-raw'] ) ) {
407 $this->mLabel = $params['label-raw'];
408 }
409
410 $this->mName = "wp{$params['fieldname']}";
411 if ( isset( $params['name'] ) ) {
412 $this->mName = $params['name'];
413 }
414
415 if ( isset( $params['dir'] ) ) {
416 $this->mDir = $params['dir'];
417 }
418
419 $validName = urlencode( $this->mName );
420 $validName = str_replace( [ '%5B', '%5D' ], [ '[', ']' ], $validName );
421 if ( $this->mName != $validName && !isset( $params['nodata'] ) ) {
422 throw new MWException( "Invalid name '{$this->mName}' passed to " . __METHOD__ );
423 }
424
425 $this->mID = "mw-input-{$this->mName}";
426
427 if ( isset( $params['default'] ) ) {
428 $this->mDefault = $params['default'];
429 }
430
431 if ( isset( $params['id'] ) ) {
432 $id = $params['id'];
433 $validId = urlencode( $id );
434
435 if ( $id != $validId ) {
436 throw new MWException( "Invalid id '$id' passed to " . __METHOD__ );
437 }
438
439 $this->mID = $id;
440 }
441
442 if ( isset( $params['cssclass'] ) ) {
443 $this->mClass = $params['cssclass'];
444 }
445
446 if ( isset( $params['csshelpclass'] ) ) {
447 $this->mHelpClass = $params['csshelpclass'];
448 }
449
450 if ( isset( $params['validation-callback'] ) ) {
451 $this->mValidationCallback = $params['validation-callback'];
452 }
453
454 if ( isset( $params['filter-callback'] ) ) {
455 $this->mFilterCallback = $params['filter-callback'];
456 }
457
458 if ( isset( $params['hidelabel'] ) ) {
459 $this->mShowEmptyLabels = false;
460 }
461
462 if ( isset( $params['hide-if'] ) ) {
463 $this->mHideIf = $params['hide-if'];
464 }
465 }
466
467 /**
468 * Get the complete table row for the input, including help text,
469 * labels, and whatever.
470 *
471 * @param string $value The value to set the input to.
472 *
473 * @return string Complete HTML table row.
474 */
475 public function getTableRow( $value ) {
476 list( $errors, $errorClass ) = $this->getErrorsAndErrorClass( $value );
477 $inputHtml = $this->getInputHTML( $value );
478 $fieldType = static::class;
479 $helptext = $this->getHelpTextHtmlTable( $this->getHelpText() );
480 $cellAttributes = [];
481 $rowAttributes = [];
482 $rowClasses = '';
483
484 if ( !empty( $this->mParams['vertical-label'] ) ) {
485 $cellAttributes['colspan'] = 2;
486 $verticalLabel = true;
487 } else {
488 $verticalLabel = false;
489 }
490
491 $label = $this->getLabelHtml( $cellAttributes );
492
493 $field = Html::rawElement(
494 'td',
495 [ 'class' => 'mw-input' ] + $cellAttributes,
496 $inputHtml . "\n$errors"
497 );
498
499 if ( $this->mHideIf ) {
500 $rowAttributes['data-hide-if'] = FormatJson::encode( $this->mHideIf );
501 $rowClasses .= ' mw-htmlform-hide-if';
502 }
503
504 if ( $verticalLabel ) {
505 $html = Html::rawElement( 'tr',
506 $rowAttributes + [ 'class' => "mw-htmlform-vertical-label $rowClasses" ], $label );
507 $html .= Html::rawElement( 'tr',
508 $rowAttributes + [
509 'class' => "mw-htmlform-field-$fieldType {$this->mClass} $errorClass $rowClasses"
510 ],
511 $field );
512 } else {
513 $html =
514 Html::rawElement( 'tr',
515 $rowAttributes + [
516 'class' => "mw-htmlform-field-$fieldType {$this->mClass} $errorClass $rowClasses"
517 ],
518 $label . $field );
519 }
520
521 return $html . $helptext;
522 }
523
524 /**
525 * Get the complete div for the input, including help text,
526 * labels, and whatever.
527 * @since 1.20
528 *
529 * @param string $value The value to set the input to.
530 *
531 * @return string Complete HTML table row.
532 */
533 public function getDiv( $value ) {
534 list( $errors, $errorClass ) = $this->getErrorsAndErrorClass( $value );
535 $inputHtml = $this->getInputHTML( $value );
536 $fieldType = static::class;
537 $helptext = $this->getHelpTextHtmlDiv( $this->getHelpText() );
538 $cellAttributes = [];
539 $label = $this->getLabelHtml( $cellAttributes );
540
541 $outerDivClass = [
542 'mw-input',
543 'mw-htmlform-nolabel' => ( $label === '' )
544 ];
545
546 $horizontalLabel = $this->mParams['horizontal-label'] ?? false;
547
548 if ( $horizontalLabel ) {
549 $field = "\u{00A0}" . $inputHtml . "\n$errors";
550 } else {
551 $field = Html::rawElement(
552 'div',
553 [ 'class' => $outerDivClass ] + $cellAttributes,
554 $inputHtml . "\n$errors"
555 );
556 }
557 $divCssClasses = [ "mw-htmlform-field-$fieldType",
558 $this->mClass, $this->mVFormClass, $errorClass ];
559
560 $wrapperAttributes = [
561 'class' => $divCssClasses,
562 ];
563 if ( $this->mHideIf ) {
564 $wrapperAttributes['data-hide-if'] = FormatJson::encode( $this->mHideIf );
565 $wrapperAttributes['class'][] = ' mw-htmlform-hide-if';
566 }
567 $html = Html::rawElement( 'div', $wrapperAttributes, $label . $field );
568 $html .= $helptext;
569
570 return $html;
571 }
572
573 /**
574 * Get the OOUI version of the div. Falls back to getDiv by default.
575 * @since 1.26
576 *
577 * @param string $value The value to set the input to.
578 *
579 * @return OOUI\FieldLayout|OOUI\ActionFieldLayout
580 */
581 public function getOOUI( $value ) {
582 $inputField = $this->getInputOOUI( $value );
583
584 if ( !$inputField ) {
585 // This field doesn't have an OOUI implementation yet at all. Fall back to getDiv() to
586 // generate the whole field, label and errors and all, then wrap it in a Widget.
587 // It might look weird, but it'll work OK.
588 return $this->getFieldLayoutOOUI(
589 new OOUI\Widget( [ 'content' => new OOUI\HtmlSnippet( $this->getDiv( $value ) ) ] ),
590 [ 'align' => 'top' ]
591 );
592 }
593
594 $infusable = true;
595 if ( is_string( $inputField ) ) {
596 // We have an OOUI implementation, but it's not proper, and we got a load of HTML.
597 // Cheat a little and wrap it in a widget. It won't be infusable, though, since client-side
598 // JavaScript doesn't know how to rebuilt the contents.
599 $inputField = new OOUI\Widget( [ 'content' => new OOUI\HtmlSnippet( $inputField ) ] );
600 $infusable = false;
601 }
602
603 $fieldType = static::class;
604 $help = $this->getHelpText();
605 $errors = $this->getErrorsRaw( $value );
606 foreach ( $errors as &$error ) {
607 $error = new OOUI\HtmlSnippet( $error );
608 }
609
610 $config = [
611 'classes' => [ "mw-htmlform-field-$fieldType", $this->mClass ],
612 'align' => $this->getLabelAlignOOUI(),
613 'help' => ( $help !== null && $help !== '' ) ? new OOUI\HtmlSnippet( $help ) : null,
614 'errors' => $errors,
615 'infusable' => $infusable,
616 'helpInline' => $this->isHelpInline(),
617 ];
618
619 $preloadModules = false;
620
621 if ( $infusable && $this->shouldInfuseOOUI() ) {
622 $preloadModules = true;
623 $config['classes'][] = 'mw-htmlform-field-autoinfuse';
624 }
625
626 // the element could specify, that the label doesn't need to be added
627 $label = $this->getLabel();
628 if ( $label && $label !== "\u{00A0}" && $label !== '&#160;' ) {
629 $config['label'] = new OOUI\HtmlSnippet( $label );
630 }
631
632 if ( $this->mHideIf ) {
633 $preloadModules = true;
634 $config['hideIf'] = $this->mHideIf;
635 }
636
637 $config['modules'] = $this->getOOUIModules();
638
639 if ( $preloadModules ) {
640 $this->mParent->getOutput()->addModules( 'mediawiki.htmlform.ooui' );
641 $this->mParent->getOutput()->addModules( $this->getOOUIModules() );
642 }
643
644 return $this->getFieldLayoutOOUI( $inputField, $config );
645 }
646
647 /**
648 * Get label alignment when generating field for OOUI.
649 * @return string 'left', 'right', 'top' or 'inline'
650 */
651 protected function getLabelAlignOOUI() {
652 return 'top';
653 }
654
655 /**
656 * Get a FieldLayout (or subclass thereof) to wrap this field in when using OOUI output.
657 * @param OOUI\Widget $inputField
658 * @param array $config
659 * @return OOUI\FieldLayout|OOUI\ActionFieldLayout
660 * @suppress PhanUndeclaredProperty Only some subclasses declare mClassWithButton
661 */
662 protected function getFieldLayoutOOUI( $inputField, $config ) {
663 if ( isset( $this->mClassWithButton ) ) {
664 $buttonWidget = $this->mClassWithButton->getInputOOUI( '' );
665 return new HTMLFormActionFieldLayout( $inputField, $buttonWidget, $config );
666 }
667 return new HTMLFormFieldLayout( $inputField, $config );
668 }
669
670 /**
671 * Whether the field should be automatically infused. Note that all OOUI HTMLForm fields are
672 * infusable (you can call OO.ui.infuse() on them), but not all are infused by default, since
673 * there is no benefit in doing it e.g. for buttons and it's a small performance hit on page load.
674 *
675 * @return bool
676 */
677 protected function shouldInfuseOOUI() {
678 // Always infuse fields with popup help text, since the interface for it is nicer with JS
679 return $this->getHelpText() !== null && !$this->isHelpInline();
680 }
681
682 /**
683 * Get the list of extra ResourceLoader modules which must be loaded client-side before it's
684 * possible to infuse this field's OOUI widget.
685 *
686 * @return string[]
687 */
688 protected function getOOUIModules() {
689 return [];
690 }
691
692 /**
693 * Get the complete raw fields for the input, including help text,
694 * labels, and whatever.
695 * @since 1.20
696 *
697 * @param string $value The value to set the input to.
698 *
699 * @return string Complete HTML table row.
700 */
701 public function getRaw( $value ) {
702 list( $errors, ) = $this->getErrorsAndErrorClass( $value );
703 $inputHtml = $this->getInputHTML( $value );
704 $helptext = $this->getHelpTextHtmlRaw( $this->getHelpText() );
705 $cellAttributes = [];
706 $label = $this->getLabelHtml( $cellAttributes );
707
708 $html = "\n$errors";
709 $html .= $label;
710 $html .= $inputHtml;
711 $html .= $helptext;
712
713 return $html;
714 }
715
716 /**
717 * Get the complete field for the input, including help text,
718 * labels, and whatever. Fall back from 'vform' to 'div' when not overridden.
719 *
720 * @since 1.25
721 * @param string $value The value to set the input to.
722 * @return string Complete HTML field.
723 */
724 public function getVForm( $value ) {
725 // Ewwww
726 $this->mVFormClass = ' mw-ui-vform-field';
727 return $this->getDiv( $value );
728 }
729
730 /**
731 * Get the complete field as an inline element.
732 * @since 1.25
733 * @param string $value The value to set the input to.
734 * @return string Complete HTML inline element
735 */
736 public function getInline( $value ) {
737 list( $errors, $errorClass ) = $this->getErrorsAndErrorClass( $value );
738 $inputHtml = $this->getInputHTML( $value );
739 $helptext = $this->getHelpTextHtmlDiv( $this->getHelpText() );
740 $cellAttributes = [];
741 $label = $this->getLabelHtml( $cellAttributes );
742
743 $html = "\n" . $errors .
744 $label . "\u{00A0}" .
745 $inputHtml .
746 $helptext;
747
748 return $html;
749 }
750
751 /**
752 * Generate help text HTML in table format
753 * @since 1.20
754 *
755 * @param string|null $helptext
756 * @return string
757 */
758 public function getHelpTextHtmlTable( $helptext ) {
759 if ( is_null( $helptext ) ) {
760 return '';
761 }
762
763 $rowAttributes = [];
764 if ( $this->mHideIf ) {
765 $rowAttributes['data-hide-if'] = FormatJson::encode( $this->mHideIf );
766 $rowAttributes['class'] = 'mw-htmlform-hide-if';
767 }
768
769 $tdClasses = [ 'htmlform-tip' ];
770 if ( $this->mHelpClass !== false ) {
771 $tdClasses[] = $this->mHelpClass;
772 }
773 $row = Html::rawElement( 'td', [ 'colspan' => 2, 'class' => $tdClasses ], $helptext );
774 $row = Html::rawElement( 'tr', $rowAttributes, $row );
775
776 return $row;
777 }
778
779 /**
780 * Generate help text HTML in div format
781 * @since 1.20
782 *
783 * @param string|null $helptext
784 *
785 * @return string
786 */
787 public function getHelpTextHtmlDiv( $helptext ) {
788 if ( is_null( $helptext ) ) {
789 return '';
790 }
791
792 $wrapperAttributes = [
793 'class' => 'htmlform-tip',
794 ];
795 if ( $this->mHelpClass !== false ) {
796 $wrapperAttributes['class'] .= " {$this->mHelpClass}";
797 }
798 if ( $this->mHideIf ) {
799 $wrapperAttributes['data-hide-if'] = FormatJson::encode( $this->mHideIf );
800 $wrapperAttributes['class'] .= ' mw-htmlform-hide-if';
801 }
802 $div = Html::rawElement( 'div', $wrapperAttributes, $helptext );
803
804 return $div;
805 }
806
807 /**
808 * Generate help text HTML formatted for raw output
809 * @since 1.20
810 *
811 * @param string|null $helptext
812 * @return string
813 */
814 public function getHelpTextHtmlRaw( $helptext ) {
815 return $this->getHelpTextHtmlDiv( $helptext );
816 }
817
818 /**
819 * Determine the help text to display
820 * @since 1.20
821 * @return string|null HTML
822 */
823 public function getHelpText() {
824 $helptext = null;
825
826 if ( isset( $this->mParams['help-message'] ) ) {
827 $this->mParams['help-messages'] = [ $this->mParams['help-message'] ];
828 }
829
830 if ( isset( $this->mParams['help-messages'] ) ) {
831 foreach ( $this->mParams['help-messages'] as $msg ) {
832 $msg = $this->getMessage( $msg );
833
834 if ( $msg->exists() ) {
835 if ( is_null( $helptext ) ) {
836 $helptext = '';
837 } else {
838 $helptext .= $this->msg( 'word-separator' )->escaped(); // some space
839 }
840 $helptext .= $msg->parse(); // Append message
841 }
842 }
843 } elseif ( isset( $this->mParams['help'] ) ) {
844 $helptext = $this->mParams['help'];
845 }
846
847 return $helptext;
848 }
849
850 /**
851 * Determine if the help text should be displayed inline.
852 *
853 * Only applies to OOUI forms.
854 *
855 * @since 1.31
856 * @return bool
857 */
858 public function isHelpInline() {
859 return $this->mParams['help-inline'] ?? true;
860 }
861
862 /**
863 * Determine form errors to display and their classes
864 * @since 1.20
865 *
866 * phan-taint-check gets confused with returning both classes
867 * and errors and thinks double escaping is happening, so specify
868 * that return value has no taint.
869 *
870 * @param string $value The value of the input
871 * @return array [ $errors, $errorClass ]
872 * @return-taint none
873 */
874 public function getErrorsAndErrorClass( $value ) {
875 $errors = $this->validate( $value, $this->mParent->mFieldData );
876
877 if ( is_bool( $errors ) || !$this->mParent->wasSubmitted() ) {
878 $errors = '';
879 $errorClass = '';
880 } else {
881 $errors = self::formatErrors( $errors );
882 $errorClass = 'mw-htmlform-invalid-input';
883 }
884
885 return [ $errors, $errorClass ];
886 }
887
888 /**
889 * Determine form errors to display, returning them in an array.
890 *
891 * @since 1.26
892 * @param string $value The value of the input
893 * @return string[] Array of error HTML strings
894 */
895 public function getErrorsRaw( $value ) {
896 $errors = $this->validate( $value, $this->mParent->mFieldData );
897
898 if ( is_bool( $errors ) || !$this->mParent->wasSubmitted() ) {
899 $errors = [];
900 }
901
902 if ( !is_array( $errors ) ) {
903 $errors = [ $errors ];
904 }
905 foreach ( $errors as &$error ) {
906 if ( $error instanceof Message ) {
907 $error = $error->parse();
908 }
909 }
910
911 return $errors;
912 }
913
914 /**
915 * @return string HTML
916 */
917 public function getLabel() {
918 return $this->mLabel ?? '';
919 }
920
921 public function getLabelHtml( $cellAttributes = [] ) {
922 # Don't output a for= attribute for labels with no associated input.
923 # Kind of hacky here, possibly we don't want these to be <label>s at all.
924 $for = [];
925
926 if ( $this->needsLabel() ) {
927 $for['for'] = $this->mID;
928 }
929
930 $labelValue = trim( $this->getLabel() );
931 $hasLabel = false;
932 if ( $labelValue !== "\u{00A0}" && $labelValue !== '&#160;' && $labelValue !== '' ) {
933 $hasLabel = true;
934 }
935
936 $displayFormat = $this->mParent->getDisplayFormat();
937 $html = '';
938 $horizontalLabel = $this->mParams['horizontal-label'] ?? false;
939
940 if ( $displayFormat === 'table' ) {
941 $html =
942 Html::rawElement( 'td',
943 [ 'class' => 'mw-label' ] + $cellAttributes,
944 Html::rawElement( 'label', $for, $labelValue ) );
945 } elseif ( $hasLabel || $this->mShowEmptyLabels ) {
946 if ( $displayFormat === 'div' && !$horizontalLabel ) {
947 $html =
948 Html::rawElement( 'div',
949 [ 'class' => 'mw-label' ] + $cellAttributes,
950 Html::rawElement( 'label', $for, $labelValue ) );
951 } else {
952 $html = Html::rawElement( 'label', $for, $labelValue );
953 }
954 }
955
956 return $html;
957 }
958
959 public function getDefault() {
960 return $this->mDefault ?? null;
961 }
962
963 /**
964 * Returns the attributes required for the tooltip and accesskey, for Html::element() etc.
965 *
966 * @return array Attributes
967 */
968 public function getTooltipAndAccessKey() {
969 if ( empty( $this->mParams['tooltip'] ) ) {
970 return [];
971 }
972
973 return Linker::tooltipAndAccesskeyAttribs( $this->mParams['tooltip'] );
974 }
975
976 /**
977 * Returns the attributes required for the tooltip and accesskey, for OOUI widgets' config.
978 *
979 * @return array Attributes
980 */
981 public function getTooltipAndAccessKeyOOUI() {
982 if ( empty( $this->mParams['tooltip'] ) ) {
983 return [];
984 }
985
986 return [
987 'title' => Linker::titleAttrib( $this->mParams['tooltip'] ),
988 'accessKey' => Linker::accesskey( $this->mParams['tooltip'] ),
989 ];
990 }
991
992 /**
993 * Returns the given attributes from the parameters
994 *
995 * @param array $list List of attributes to get
996 * @return array Attributes
997 */
998 public function getAttributes( array $list ) {
999 static $boolAttribs = [ 'disabled', 'required', 'autofocus', 'multiple', 'readonly' ];
1000
1001 $ret = [];
1002 foreach ( $list as $key ) {
1003 if ( in_array( $key, $boolAttribs ) ) {
1004 if ( !empty( $this->mParams[$key] ) ) {
1005 $ret[$key] = '';
1006 }
1007 } elseif ( isset( $this->mParams[$key] ) ) {
1008 $ret[$key] = $this->mParams[$key];
1009 }
1010 }
1011
1012 return $ret;
1013 }
1014
1015 /**
1016 * Given an array of msg-key => value mappings, returns an array with keys
1017 * being the message texts. It also forces values to strings.
1018 *
1019 * @param array $options
1020 * @return array
1021 */
1022 private function lookupOptionsKeys( $options ) {
1023 $ret = [];
1024 foreach ( $options as $key => $value ) {
1025 $key = $this->msg( $key )->plain();
1026 $ret[$key] = is_array( $value )
1027 ? $this->lookupOptionsKeys( $value )
1028 : strval( $value );
1029 }
1030 return $ret;
1031 }
1032
1033 /**
1034 * Recursively forces values in an array to strings, because issues arise
1035 * with integer 0 as a value.
1036 *
1037 * @param array|string $array
1038 * @return array|string
1039 */
1040 public static function forceToStringRecursive( $array ) {
1041 if ( is_array( $array ) ) {
1042 return array_map( [ __CLASS__, 'forceToStringRecursive' ], $array );
1043 } else {
1044 return strval( $array );
1045 }
1046 }
1047
1048 /**
1049 * Fetch the array of options from the field's parameters. In order, this
1050 * checks 'options-messages', 'options', then 'options-message'.
1051 *
1052 * @return array|null Options array
1053 */
1054 public function getOptions() {
1055 if ( $this->mOptions === false ) {
1056 if ( array_key_exists( 'options-messages', $this->mParams ) ) {
1057 $this->mOptions = $this->lookupOptionsKeys( $this->mParams['options-messages'] );
1058 } elseif ( array_key_exists( 'options', $this->mParams ) ) {
1059 $this->mOptionsLabelsNotFromMessage = true;
1060 $this->mOptions = self::forceToStringRecursive( $this->mParams['options'] );
1061 } elseif ( array_key_exists( 'options-message', $this->mParams ) ) {
1062 $message = $this->getMessage( $this->mParams['options-message'] )->inContentLanguage()->plain();
1063 $this->mOptions = Xml::listDropDownOptions( $message );
1064 } else {
1065 $this->mOptions = null;
1066 }
1067 }
1068
1069 return $this->mOptions;
1070 }
1071
1072 /**
1073 * Get options and make them into arrays suitable for OOUI.
1074 * @return array Options for inclusion in a select or whatever.
1075 */
1076 public function getOptionsOOUI() {
1077 $oldoptions = $this->getOptions();
1078
1079 if ( $oldoptions === null ) {
1080 return null;
1081 }
1082
1083 return Xml::listDropDownOptionsOoui( $oldoptions );
1084 }
1085
1086 /**
1087 * flatten an array of options to a single array, for instance,
1088 * a set of "<options>" inside "<optgroups>".
1089 *
1090 * @param array $options Associative Array with values either Strings or Arrays
1091 * @return array Flattened input
1092 */
1093 public static function flattenOptions( $options ) {
1094 $flatOpts = [];
1095
1096 foreach ( $options as $value ) {
1097 if ( is_array( $value ) ) {
1098 $flatOpts = array_merge( $flatOpts, self::flattenOptions( $value ) );
1099 } else {
1100 $flatOpts[] = $value;
1101 }
1102 }
1103
1104 return $flatOpts;
1105 }
1106
1107 /**
1108 * Formats one or more errors as accepted by field validation-callback.
1109 *
1110 * @param string|Message|array $errors Array of strings or Message instances
1111 * To work around limitations in phan-taint-check the calling
1112 * class has taintedness disabled. So instead we pretend that
1113 * this method outputs html, since the result is eventually
1114 * outputted anyways without escaping and this allows us to verify
1115 * stuff is safe even though the caller has taintedness cleared.
1116 * @param-taint $errors exec_html
1117 * @return string HTML
1118 * @since 1.18
1119 */
1120 protected static function formatErrors( $errors ) {
1121 // Note: If you change the logic in this method, change
1122 // htmlform.Checker.js to match.
1123
1124 if ( is_array( $errors ) && count( $errors ) === 1 ) {
1125 $errors = array_shift( $errors );
1126 }
1127
1128 if ( is_array( $errors ) ) {
1129 $lines = [];
1130 foreach ( $errors as $error ) {
1131 if ( $error instanceof Message ) {
1132 $lines[] = Html::rawElement( 'li', [], $error->parse() );
1133 } else {
1134 $lines[] = Html::rawElement( 'li', [], $error );
1135 }
1136 }
1137
1138 return Html::rawElement( 'ul', [ 'class' => 'error' ], implode( "\n", $lines ) );
1139 } else {
1140 if ( $errors instanceof Message ) {
1141 $errors = $errors->parse();
1142 }
1143
1144 return Html::rawElement( 'span', [ 'class' => 'error' ], $errors );
1145 }
1146 }
1147
1148 /**
1149 * Turns a *-message parameter (which could be a MessageSpecifier, or a message name, or a
1150 * name + parameters array) into a Message.
1151 * @param mixed $value
1152 * @return Message
1153 */
1154 protected function getMessage( $value ) {
1155 $message = Message::newFromSpecifier( $value );
1156
1157 if ( $this->mParent ) {
1158 $message->setContext( $this->mParent );
1159 }
1160
1161 return $message;
1162 }
1163
1164 /**
1165 * Skip this field when collecting data.
1166 * @param WebRequest $request
1167 * @return bool
1168 * @since 1.27
1169 */
1170 public function skipLoadData( $request ) {
1171 return !empty( $this->mParams['nodata'] );
1172 }
1173
1174 /**
1175 * Whether this field requires the user agent to have JavaScript enabled for the client-side HTML5
1176 * form validation to work correctly.
1177 *
1178 * @return bool
1179 * @since 1.29
1180 */
1181 public function needsJSForHtml5FormValidation() {
1182 if ( $this->mHideIf ) {
1183 // This is probably more restrictive than it needs to be, but better safe than sorry
1184 return true;
1185 }
1186 return false;
1187 }
1188 }