vendor/symfony/form/Form.php line 69

Open in your IDE?
  1. <?php
  2. /*
  3.  * This file is part of the Symfony package.
  4.  *
  5.  * (c) Fabien Potencier <fabien@symfony.com>
  6.  *
  7.  * For the full copyright and license information, please view the LICENSE
  8.  * file that was distributed with this source code.
  9.  */
  10. namespace Symfony\Component\Form;
  11. use Symfony\Component\Form\Event\PostSetDataEvent;
  12. use Symfony\Component\Form\Event\PostSubmitEvent;
  13. use Symfony\Component\Form\Event\PreSetDataEvent;
  14. use Symfony\Component\Form\Event\PreSubmitEvent;
  15. use Symfony\Component\Form\Event\SubmitEvent;
  16. use Symfony\Component\Form\Exception\AlreadySubmittedException;
  17. use Symfony\Component\Form\Exception\LogicException;
  18. use Symfony\Component\Form\Exception\OutOfBoundsException;
  19. use Symfony\Component\Form\Exception\RuntimeException;
  20. use Symfony\Component\Form\Exception\TransformationFailedException;
  21. use Symfony\Component\Form\Exception\UnexpectedTypeException;
  22. use Symfony\Component\Form\Util\FormUtil;
  23. use Symfony\Component\Form\Util\InheritDataAwareIterator;
  24. use Symfony\Component\Form\Util\OrderedHashMap;
  25. use Symfony\Component\PropertyAccess\PropertyPath;
  26. use Symfony\Component\PropertyAccess\PropertyPathInterface;
  27. /**
  28.  * Form represents a form.
  29.  *
  30.  * To implement your own form fields, you need to have a thorough understanding
  31.  * of the data flow within a form. A form stores its data in three different
  32.  * representations:
  33.  *
  34.  *   (1) the "model" format required by the form's object
  35.  *   (2) the "normalized" format for internal processing
  36.  *   (3) the "view" format used for display simple fields
  37.  *       or map children model data for compound fields
  38.  *
  39.  * A date field, for example, may store a date as "Y-m-d" string (1) in the
  40.  * object. To facilitate processing in the field, this value is normalized
  41.  * to a DateTime object (2). In the HTML representation of your form, a
  42.  * localized string (3) may be presented to and modified by the user, or it could be an array of values
  43.  * to be mapped to choices fields.
  44.  *
  45.  * In most cases, format (1) and format (2) will be the same. For example,
  46.  * a checkbox field uses a Boolean value for both internal processing and
  47.  * storage in the object. In these cases you need to set a view transformer
  48.  * to convert between formats (2) and (3). You can do this by calling
  49.  * addViewTransformer().
  50.  *
  51.  * In some cases though it makes sense to make format (1) configurable. To
  52.  * demonstrate this, let's extend our above date field to store the value
  53.  * either as "Y-m-d" string or as timestamp. Internally we still want to
  54.  * use a DateTime object for processing. To convert the data from string/integer
  55.  * to DateTime you can set a model transformer by calling
  56.  * addModelTransformer(). The normalized data is then converted to the displayed
  57.  * data as described before.
  58.  *
  59.  * The conversions (1) -> (2) -> (3) use the transform methods of the transformers.
  60.  * The conversions (3) -> (2) -> (1) use the reverseTransform methods of the transformers.
  61.  *
  62.  * @author Fabien Potencier <fabien@symfony.com>
  63.  * @author Bernhard Schussek <bschussek@gmail.com>
  64.  */
  65. class Form implements \IteratorAggregateFormInterfaceClearableErrorsInterface
  66. {
  67.     /**
  68.      * @var FormConfigInterface
  69.      */
  70.     private $config;
  71.     /**
  72.      * @var FormInterface|null
  73.      */
  74.     private $parent;
  75.     /**
  76.      * @var FormInterface[]|OrderedHashMap A map of FormInterface instances
  77.      */
  78.     private $children;
  79.     /**
  80.      * @var FormError[] An array of FormError instances
  81.      */
  82.     private $errors = [];
  83.     /**
  84.      * @var bool
  85.      */
  86.     private $submitted false;
  87.     /**
  88.      * @var FormInterface|ClickableInterface|null The button that was used to submit the form
  89.      */
  90.     private $clickedButton;
  91.     /**
  92.      * @var mixed
  93.      */
  94.     private $modelData;
  95.     /**
  96.      * @var mixed
  97.      */
  98.     private $normData;
  99.     /**
  100.      * @var mixed
  101.      */
  102.     private $viewData;
  103.     /**
  104.      * @var array The submitted values that don't belong to any children
  105.      */
  106.     private $extraData = [];
  107.     /**
  108.      * @var TransformationFailedException|null The transformation failure generated during submission, if any
  109.      */
  110.     private $transformationFailure;
  111.     /**
  112.      * Whether the form's data has been initialized.
  113.      *
  114.      * When the data is initialized with its default value, that default value
  115.      * is passed through the transformer chain in order to synchronize the
  116.      * model, normalized and view format for the first time. This is done
  117.      * lazily in order to save performance when {@link setData()} is called
  118.      * manually, making the initialization with the configured default value
  119.      * superfluous.
  120.      *
  121.      * @var bool
  122.      */
  123.     private $defaultDataSet false;
  124.     /**
  125.      * Whether setData() is currently being called.
  126.      *
  127.      * @var bool
  128.      */
  129.     private $lockSetData false;
  130.     /**
  131.      * @var string
  132.      */
  133.     private $name '';
  134.     /**
  135.      * @var bool Whether the form inherits its underlying data from its parent
  136.      */
  137.     private $inheritData;
  138.     /**
  139.      * @var PropertyPathInterface|null
  140.      */
  141.     private $propertyPath;
  142.     /**
  143.      * @throws LogicException if a data mapper is not provided for a compound form
  144.      */
  145.     public function __construct(FormConfigInterface $config)
  146.     {
  147.         // Compound forms always need a data mapper, otherwise calls to
  148.         // `setData` and `add` will not lead to the correct population of
  149.         // the child forms.
  150.         if ($config->getCompound() && !$config->getDataMapper()) {
  151.             throw new LogicException('Compound forms need a data mapper.');
  152.         }
  153.         // If the form inherits the data from its parent, it is not necessary
  154.         // to call setData() with the default data.
  155.         if ($this->inheritData $config->getInheritData()) {
  156.             $this->defaultDataSet true;
  157.         }
  158.         $this->config $config;
  159.         $this->children = new OrderedHashMap();
  160.         $this->name $config->getName();
  161.     }
  162.     public function __clone()
  163.     {
  164.         $this->children = clone $this->children;
  165.         foreach ($this->children as $key => $child) {
  166.             $this->children[$key] = clone $child;
  167.         }
  168.     }
  169.     /**
  170.      * {@inheritdoc}
  171.      */
  172.     public function getConfig()
  173.     {
  174.         return $this->config;
  175.     }
  176.     /**
  177.      * {@inheritdoc}
  178.      */
  179.     public function getName()
  180.     {
  181.         return $this->name;
  182.     }
  183.     /**
  184.      * {@inheritdoc}
  185.      */
  186.     public function getPropertyPath()
  187.     {
  188.         if ($this->propertyPath || $this->propertyPath $this->config->getPropertyPath()) {
  189.             return $this->propertyPath;
  190.         }
  191.         if ('' === $this->name) {
  192.             return null;
  193.         }
  194.         $parent $this->parent;
  195.         while ($parent && $parent->getConfig()->getInheritData()) {
  196.             $parent $parent->getParent();
  197.         }
  198.         if ($parent && null === $parent->getConfig()->getDataClass()) {
  199.             $this->propertyPath = new PropertyPath('['.$this->name.']');
  200.         } else {
  201.             $this->propertyPath = new PropertyPath($this->name);
  202.         }
  203.         return $this->propertyPath;
  204.     }
  205.     /**
  206.      * {@inheritdoc}
  207.      */
  208.     public function isRequired()
  209.     {
  210.         if (null === $this->parent || $this->parent->isRequired()) {
  211.             return $this->config->getRequired();
  212.         }
  213.         return false;
  214.     }
  215.     /**
  216.      * {@inheritdoc}
  217.      */
  218.     public function isDisabled()
  219.     {
  220.         if (null === $this->parent || !$this->parent->isDisabled()) {
  221.             return $this->config->getDisabled();
  222.         }
  223.         return true;
  224.     }
  225.     /**
  226.      * {@inheritdoc}
  227.      */
  228.     public function setParent(FormInterface $parent null)
  229.     {
  230.         if ($this->submitted) {
  231.             throw new AlreadySubmittedException('You cannot set the parent of a submitted form.');
  232.         }
  233.         if (null !== $parent && '' === $this->name) {
  234.             throw new LogicException('A form with an empty name cannot have a parent form.');
  235.         }
  236.         $this->parent $parent;
  237.         return $this;
  238.     }
  239.     /**
  240.      * {@inheritdoc}
  241.      */
  242.     public function getParent()
  243.     {
  244.         return $this->parent;
  245.     }
  246.     /**
  247.      * {@inheritdoc}
  248.      */
  249.     public function getRoot()
  250.     {
  251.         return $this->parent $this->parent->getRoot() : $this;
  252.     }
  253.     /**
  254.      * {@inheritdoc}
  255.      */
  256.     public function isRoot()
  257.     {
  258.         return null === $this->parent;
  259.     }
  260.     /**
  261.      * {@inheritdoc}
  262.      */
  263.     public function setData($modelData)
  264.     {
  265.         // If the form is submitted while disabled, it is set to submitted, but the data is not
  266.         // changed. In such cases (i.e. when the form is not initialized yet) don't
  267.         // abort this method.
  268.         if ($this->submitted && $this->defaultDataSet) {
  269.             throw new AlreadySubmittedException('You cannot change the data of a submitted form.');
  270.         }
  271.         // If the form inherits its parent's data, disallow data setting to
  272.         // prevent merge conflicts
  273.         if ($this->inheritData) {
  274.             throw new RuntimeException('You cannot change the data of a form inheriting its parent data.');
  275.         }
  276.         // Don't allow modifications of the configured data if the data is locked
  277.         if ($this->config->getDataLocked() && $modelData !== $this->config->getData()) {
  278.             return $this;
  279.         }
  280.         if (\is_object($modelData) && !$this->config->getByReference()) {
  281.             $modelData = clone $modelData;
  282.         }
  283.         if ($this->lockSetData) {
  284.             throw new RuntimeException('A cycle was detected. Listeners to the PRE_SET_DATA event must not call setData(). You should call setData() on the FormEvent object instead.');
  285.         }
  286.         $this->lockSetData true;
  287.         $dispatcher $this->config->getEventDispatcher();
  288.         // Hook to change content of the model data before transformation and mapping children
  289.         if ($dispatcher->hasListeners(FormEvents::PRE_SET_DATA)) {
  290.             $event = new PreSetDataEvent($this$modelData);
  291.             $dispatcher->dispatch($eventFormEvents::PRE_SET_DATA);
  292.             $modelData $event->getData();
  293.         }
  294.         // Treat data as strings unless a transformer exists
  295.         if (is_scalar($modelData) && !$this->config->getViewTransformers() && !$this->config->getModelTransformers()) {
  296.             $modelData = (string) $modelData;
  297.         }
  298.         // Synchronize representations - must not change the content!
  299.         // Transformation exceptions are not caught on initialization
  300.         $normData $this->modelToNorm($modelData);
  301.         $viewData $this->normToView($normData);
  302.         // Validate if view data matches data class (unless empty)
  303.         if (!FormUtil::isEmpty($viewData)) {
  304.             $dataClass $this->config->getDataClass();
  305.             if (null !== $dataClass && !$viewData instanceof $dataClass) {
  306.                 $actualType = \is_object($viewData)
  307.                     ? 'an instance of class '.\get_class($viewData)
  308.                     : 'a(n) '.\gettype($viewData);
  309.                 throw new LogicException('The form\'s view data is expected to be an instance of class '.$dataClass.', but is '.$actualType.'. You can avoid this error by setting the "data_class" option to null or by adding a view transformer that transforms '.$actualType.' to an instance of '.$dataClass.'.');
  310.             }
  311.         }
  312.         $this->modelData $modelData;
  313.         $this->normData $normData;
  314.         $this->viewData $viewData;
  315.         $this->defaultDataSet true;
  316.         $this->lockSetData false;
  317.         // Compound forms don't need to invoke this method if they don't have children
  318.         if (\count($this->children) > 0) {
  319.             // Update child forms from the data (unless their config data is locked)
  320.             $this->config->getDataMapper()->mapDataToForms($viewData, new \RecursiveIteratorIterator(new InheritDataAwareIterator($this->children)));
  321.         }
  322.         if ($dispatcher->hasListeners(FormEvents::POST_SET_DATA)) {
  323.             $event = new PostSetDataEvent($this$modelData);
  324.             $dispatcher->dispatch($eventFormEvents::POST_SET_DATA);
  325.         }
  326.         return $this;
  327.     }
  328.     /**
  329.      * {@inheritdoc}
  330.      */
  331.     public function getData()
  332.     {
  333.         if ($this->inheritData) {
  334.             if (!$this->parent) {
  335.                 throw new RuntimeException('The form is configured to inherit its parent\'s data, but does not have a parent.');
  336.             }
  337.             return $this->parent->getData();
  338.         }
  339.         if (!$this->defaultDataSet) {
  340.             if ($this->lockSetData) {
  341.                 throw new RuntimeException('A cycle was detected. Listeners to the PRE_SET_DATA event must not call getData() if the form data has not already been set. You should call getData() on the FormEvent object instead.');
  342.             }
  343.             $this->setData($this->config->getData());
  344.         }
  345.         return $this->modelData;
  346.     }
  347.     /**
  348.      * {@inheritdoc}
  349.      */
  350.     public function getNormData()
  351.     {
  352.         if ($this->inheritData) {
  353.             if (!$this->parent) {
  354.                 throw new RuntimeException('The form is configured to inherit its parent\'s data, but does not have a parent.');
  355.             }
  356.             return $this->parent->getNormData();
  357.         }
  358.         if (!$this->defaultDataSet) {
  359.             if ($this->lockSetData) {
  360.                 throw new RuntimeException('A cycle was detected. Listeners to the PRE_SET_DATA event must not call getNormData() if the form data has not already been set.');
  361.             }
  362.             $this->setData($this->config->getData());
  363.         }
  364.         return $this->normData;
  365.     }
  366.     /**
  367.      * {@inheritdoc}
  368.      */
  369.     public function getViewData()
  370.     {
  371.         if ($this->inheritData) {
  372.             if (!$this->parent) {
  373.                 throw new RuntimeException('The form is configured to inherit its parent\'s data, but does not have a parent.');
  374.             }
  375.             return $this->parent->getViewData();
  376.         }
  377.         if (!$this->defaultDataSet) {
  378.             if ($this->lockSetData) {
  379.                 throw new RuntimeException('A cycle was detected. Listeners to the PRE_SET_DATA event must not call getViewData() if the form data has not already been set.');
  380.             }
  381.             $this->setData($this->config->getData());
  382.         }
  383.         return $this->viewData;
  384.     }
  385.     /**
  386.      * {@inheritdoc}
  387.      */
  388.     public function getExtraData()
  389.     {
  390.         return $this->extraData;
  391.     }
  392.     /**
  393.      * {@inheritdoc}
  394.      */
  395.     public function initialize()
  396.     {
  397.         if (null !== $this->parent) {
  398.             throw new RuntimeException('Only root forms should be initialized.');
  399.         }
  400.         // Guarantee that the *_SET_DATA events have been triggered once the
  401.         // form is initialized. This makes sure that dynamically added or
  402.         // removed fields are already visible after initialization.
  403.         if (!$this->defaultDataSet) {
  404.             $this->setData($this->config->getData());
  405.         }
  406.         return $this;
  407.     }
  408.     /**
  409.      * {@inheritdoc}
  410.      */
  411.     public function handleRequest($request null)
  412.     {
  413.         $this->config->getRequestHandler()->handleRequest($this$request);
  414.         return $this;
  415.     }
  416.     /**
  417.      * {@inheritdoc}
  418.      */
  419.     public function submit($submittedDatabool $clearMissing true)
  420.     {
  421.         if ($this->submitted) {
  422.             throw new AlreadySubmittedException('A form can only be submitted once.');
  423.         }
  424.         // Initialize errors in the very beginning so we're sure
  425.         // they are collectable during submission only
  426.         $this->errors = [];
  427.         // Obviously, a disabled form should not change its data upon submission.
  428.         if ($this->isDisabled()) {
  429.             $this->submitted true;
  430.             return $this;
  431.         }
  432.         // The data must be initialized if it was not initialized yet.
  433.         // This is necessary to guarantee that the *_SET_DATA listeners
  434.         // are always invoked before submit() takes place.
  435.         if (!$this->defaultDataSet) {
  436.             $this->setData($this->config->getData());
  437.         }
  438.         // Treat false as NULL to support binding false to checkboxes.
  439.         // Don't convert NULL to a string here in order to determine later
  440.         // whether an empty value has been submitted or whether no value has
  441.         // been submitted at all. This is important for processing checkboxes
  442.         // and radio buttons with empty values.
  443.         if (false === $submittedData) {
  444.             $submittedData null;
  445.         } elseif (is_scalar($submittedData)) {
  446.             $submittedData = (string) $submittedData;
  447.         } elseif ($this->config->getRequestHandler()->isFileUpload($submittedData)) {
  448.             if (!$this->config->getOption('allow_file_upload')) {
  449.                 $submittedData null;
  450.                 $this->transformationFailure = new TransformationFailedException('Submitted data was expected to be text or number, file upload given.');
  451.             }
  452.         } elseif (\is_array($submittedData) && !$this->config->getCompound() && !$this->config->hasOption('multiple')) {
  453.             $submittedData null;
  454.             $this->transformationFailure = new TransformationFailedException('Submitted data was expected to be text or number, array given.');
  455.         }
  456.         $dispatcher $this->config->getEventDispatcher();
  457.         $modelData null;
  458.         $normData null;
  459.         $viewData null;
  460.         try {
  461.             if (null !== $this->transformationFailure) {
  462.                 throw $this->transformationFailure;
  463.             }
  464.             // Hook to change content of the data submitted by the browser
  465.             if ($dispatcher->hasListeners(FormEvents::PRE_SUBMIT)) {
  466.                 $event = new PreSubmitEvent($this$submittedData);
  467.                 $dispatcher->dispatch($eventFormEvents::PRE_SUBMIT);
  468.                 $submittedData $event->getData();
  469.             }
  470.             // Check whether the form is compound.
  471.             // This check is preferable over checking the number of children,
  472.             // since forms without children may also be compound.
  473.             // (think of empty collection forms)
  474.             if ($this->config->getCompound()) {
  475.                 if (null === $submittedData) {
  476.                     $submittedData = [];
  477.                 }
  478.                 if (!\is_array($submittedData)) {
  479.                     throw new TransformationFailedException('Compound forms expect an array or NULL on submission.');
  480.                 }
  481.                 foreach ($this->children as $name => $child) {
  482.                     $isSubmitted = \array_key_exists($name$submittedData);
  483.                     if ($isSubmitted || $clearMissing) {
  484.                         $child->submit($isSubmitted $submittedData[$name] : null$clearMissing);
  485.                         unset($submittedData[$name]);
  486.                         if (null !== $this->clickedButton) {
  487.                             continue;
  488.                         }
  489.                         if ($child instanceof ClickableInterface && $child->isClicked()) {
  490.                             $this->clickedButton $child;
  491.                             continue;
  492.                         }
  493.                         if (method_exists($child'getClickedButton') && null !== $child->getClickedButton()) {
  494.                             $this->clickedButton $child->getClickedButton();
  495.                         }
  496.                     }
  497.                 }
  498.                 $this->extraData $submittedData;
  499.             }
  500.             // Forms that inherit their parents' data also are not processed,
  501.             // because then it would be too difficult to merge the changes in
  502.             // the child and the parent form. Instead, the parent form also takes
  503.             // changes in the grandchildren (i.e. children of the form that inherits
  504.             // its parent's data) into account.
  505.             // (see InheritDataAwareIterator below)
  506.             if (!$this->inheritData) {
  507.                 // If the form is compound, the view data is merged with the data
  508.                 // of the children using the data mapper.
  509.                 // If the form is not compound, the view data is assigned to the submitted data.
  510.                 $viewData $this->config->getCompound() ? $this->viewData $submittedData;
  511.                 if (FormUtil::isEmpty($viewData)) {
  512.                     $emptyData $this->config->getEmptyData();
  513.                     if ($emptyData instanceof \Closure) {
  514.                         $emptyData $emptyData($this$viewData);
  515.                     }
  516.                     $viewData $emptyData;
  517.                 }
  518.                 // Merge form data from children into existing view data
  519.                 // It is not necessary to invoke this method if the form has no children,
  520.                 // even if it is compound.
  521.                 if (\count($this->children) > 0) {
  522.                     // Use InheritDataAwareIterator to process children of
  523.                     // descendants that inherit this form's data.
  524.                     // These descendants will not be submitted normally (see the check
  525.                     // for $this->config->getInheritData() above)
  526.                     $this->config->getDataMapper()->mapFormsToData(
  527.                         new \RecursiveIteratorIterator(new InheritDataAwareIterator($this->children)),
  528.                         $viewData
  529.                     );
  530.                 }
  531.                 // Normalize data to unified representation
  532.                 $normData $this->viewToNorm($viewData);
  533.                 // Hook to change content of the data in the normalized
  534.                 // representation
  535.                 if ($dispatcher->hasListeners(FormEvents::SUBMIT)) {
  536.                     $event = new SubmitEvent($this$normData);
  537.                     $dispatcher->dispatch($eventFormEvents::SUBMIT);
  538.                     $normData $event->getData();
  539.                 }
  540.                 // Synchronize representations - must not change the content!
  541.                 $modelData $this->normToModel($normData);
  542.                 $viewData $this->normToView($normData);
  543.             }
  544.         } catch (TransformationFailedException $e) {
  545.             $this->transformationFailure $e;
  546.             // If $viewData was not yet set, set it to $submittedData so that
  547.             // the erroneous data is accessible on the form.
  548.             // Forms that inherit data never set any data, because the getters
  549.             // forward to the parent form's getters anyway.
  550.             if (null === $viewData && !$this->inheritData) {
  551.                 $viewData $submittedData;
  552.             }
  553.         }
  554.         $this->submitted true;
  555.         $this->modelData $modelData;
  556.         $this->normData $normData;
  557.         $this->viewData $viewData;
  558.         if ($dispatcher->hasListeners(FormEvents::POST_SUBMIT)) {
  559.             $event = new PostSubmitEvent($this$viewData);
  560.             $dispatcher->dispatch($eventFormEvents::POST_SUBMIT);
  561.         }
  562.         return $this;
  563.     }
  564.     /**
  565.      * {@inheritdoc}
  566.      */
  567.     public function addError(FormError $error)
  568.     {
  569.         if (null === $error->getOrigin()) {
  570.             $error->setOrigin($this);
  571.         }
  572.         if ($this->parent && $this->config->getErrorBubbling()) {
  573.             $this->parent->addError($error);
  574.         } else {
  575.             $this->errors[] = $error;
  576.         }
  577.         return $this;
  578.     }
  579.     /**
  580.      * {@inheritdoc}
  581.      */
  582.     public function isSubmitted()
  583.     {
  584.         return $this->submitted;
  585.     }
  586.     /**
  587.      * {@inheritdoc}
  588.      */
  589.     public function isSynchronized()
  590.     {
  591.         return null === $this->transformationFailure;
  592.     }
  593.     /**
  594.      * {@inheritdoc}
  595.      */
  596.     public function getTransformationFailure()
  597.     {
  598.         return $this->transformationFailure;
  599.     }
  600.     /**
  601.      * {@inheritdoc}
  602.      */
  603.     public function isEmpty()
  604.     {
  605.         foreach ($this->children as $child) {
  606.             if (!$child->isEmpty()) {
  607.                 return false;
  608.             }
  609.         }
  610.         return FormUtil::isEmpty($this->modelData) ||
  611.             // arrays, countables
  612.             ((\is_array($this->modelData) || $this->modelData instanceof \Countable) && === \count($this->modelData)) ||
  613.             // traversables that are not countable
  614.             ($this->modelData instanceof \Traversable && === iterator_count($this->modelData)) ||
  615.             // @internal - Do not rely on it, it will be removed in Symfony 5.1.
  616.             (false === $this->modelData && $this->config->getAttribute('_false_is_empty'));
  617.     }
  618.     /**
  619.      * {@inheritdoc}
  620.      */
  621.     public function isValid()
  622.     {
  623.         if (!$this->submitted) {
  624.             throw new LogicException('Cannot check if an unsubmitted form is valid. Call Form::isSubmitted() before Form::isValid().');
  625.         }
  626.         if ($this->isDisabled()) {
  627.             return true;
  628.         }
  629.         return === \count($this->getErrors(true));
  630.     }
  631.     /**
  632.      * Returns the button that was used to submit the form.
  633.      *
  634.      * @return FormInterface|ClickableInterface|null
  635.      */
  636.     public function getClickedButton()
  637.     {
  638.         if ($this->clickedButton) {
  639.             return $this->clickedButton;
  640.         }
  641.         return $this->parent && method_exists($this->parent'getClickedButton') ? $this->parent->getClickedButton() : null;
  642.     }
  643.     /**
  644.      * {@inheritdoc}
  645.      */
  646.     public function getErrors(bool $deep falsebool $flatten true)
  647.     {
  648.         $errors $this->errors;
  649.         // Copy the errors of nested forms to the $errors array
  650.         if ($deep) {
  651.             foreach ($this as $child) {
  652.                 /** @var FormInterface $child */
  653.                 if ($child->isSubmitted() && $child->isValid()) {
  654.                     continue;
  655.                 }
  656.                 $iterator $child->getErrors(true$flatten);
  657.                 if (=== \count($iterator)) {
  658.                     continue;
  659.                 }
  660.                 if ($flatten) {
  661.                     foreach ($iterator as $error) {
  662.                         $errors[] = $error;
  663.                     }
  664.                 } else {
  665.                     $errors[] = $iterator;
  666.                 }
  667.             }
  668.         }
  669.         return new FormErrorIterator($this$errors);
  670.     }
  671.     /**
  672.      * {@inheritdoc}
  673.      *
  674.      * @return $this
  675.      */
  676.     public function clearErrors(bool $deep false): self
  677.     {
  678.         $this->errors = [];
  679.         if ($deep) {
  680.             // Clear errors from children
  681.             foreach ($this as $child) {
  682.                 if ($child instanceof ClearableErrorsInterface) {
  683.                     $child->clearErrors(true);
  684.                 }
  685.             }
  686.         }
  687.         return $this;
  688.     }
  689.     /**
  690.      * {@inheritdoc}
  691.      */
  692.     public function all()
  693.     {
  694.         return iterator_to_array($this->children);
  695.     }
  696.     /**
  697.      * {@inheritdoc}
  698.      */
  699.     public function add($childstring $type null, array $options = [])
  700.     {
  701.         if ($this->submitted) {
  702.             throw new AlreadySubmittedException('You cannot add children to a submitted form.');
  703.         }
  704.         if (!$this->config->getCompound()) {
  705.             throw new LogicException('You cannot add children to a simple form. Maybe you should set the option "compound" to true?');
  706.         }
  707.         if (!$child instanceof FormInterface) {
  708.             if (!\is_string($child) && !\is_int($child)) {
  709.                 throw new UnexpectedTypeException($child'string or Symfony\Component\Form\FormInterface');
  710.             }
  711.             $child = (string) $child;
  712.             if (null !== $type && !\is_string($type)) {
  713.                 throw new UnexpectedTypeException($type'string or null');
  714.             }
  715.             // Never initialize child forms automatically
  716.             $options['auto_initialize'] = false;
  717.             if (null === $type && null === $this->config->getDataClass()) {
  718.                 $type 'Symfony\Component\Form\Extension\Core\Type\TextType';
  719.             }
  720.             if (null === $type) {
  721.                 $child $this->config->getFormFactory()->createForProperty($this->config->getDataClass(), $childnull$options);
  722.             } else {
  723.                 $child $this->config->getFormFactory()->createNamed($child$typenull$options);
  724.             }
  725.         } elseif ($child->getConfig()->getAutoInitialize()) {
  726.             throw new RuntimeException(sprintf('Automatic initialization is only supported on root forms. You should set the "auto_initialize" option to false on the field "%s".'$child->getName()));
  727.         }
  728.         $this->children[$child->getName()] = $child;
  729.         $child->setParent($this);
  730.         // If setData() is currently being called, there is no need to call
  731.         // mapDataToForms() here, as mapDataToForms() is called at the end
  732.         // of setData() anyway. Not doing this check leads to an endless
  733.         // recursion when initializing the form lazily and an event listener
  734.         // (such as ResizeFormListener) adds fields depending on the data:
  735.         //
  736.         //  * setData() is called, the form is not initialized yet
  737.         //  * add() is called by the listener (setData() is not complete, so
  738.         //    the form is still not initialized)
  739.         //  * getViewData() is called
  740.         //  * setData() is called since the form is not initialized yet
  741.         //  * ... endless recursion ...
  742.         //
  743.         // Also skip data mapping if setData() has not been called yet.
  744.         // setData() will be called upon form initialization and data mapping
  745.         // will take place by then.
  746.         if (!$this->lockSetData && $this->defaultDataSet && !$this->inheritData) {
  747.             $viewData $this->getViewData();
  748.             $this->config->getDataMapper()->mapDataToForms(
  749.                 $viewData,
  750.                 new \RecursiveIteratorIterator(new InheritDataAwareIterator(new \ArrayIterator([$child->getName() => $child])))
  751.             );
  752.         }
  753.         return $this;
  754.     }
  755.     /**
  756.      * {@inheritdoc}
  757.      */
  758.     public function remove(string $name)
  759.     {
  760.         if ($this->submitted) {
  761.             throw new AlreadySubmittedException('You cannot remove children from a submitted form.');
  762.         }
  763.         if (isset($this->children[$name])) {
  764.             if (!$this->children[$name]->isSubmitted()) {
  765.                 $this->children[$name]->setParent(null);
  766.             }
  767.             unset($this->children[$name]);
  768.         }
  769.         return $this;
  770.     }
  771.     /**
  772.      * {@inheritdoc}
  773.      */
  774.     public function has(string $name)
  775.     {
  776.         return isset($this->children[$name]);
  777.     }
  778.     /**
  779.      * {@inheritdoc}
  780.      */
  781.     public function get(string $name)
  782.     {
  783.         if (isset($this->children[$name])) {
  784.             return $this->children[$name];
  785.         }
  786.         throw new OutOfBoundsException(sprintf('Child "%s" does not exist.'$name));
  787.     }
  788.     /**
  789.      * Returns whether a child with the given name exists (implements the \ArrayAccess interface).
  790.      *
  791.      * @param string $name The name of the child
  792.      *
  793.      * @return bool
  794.      */
  795.     public function offsetExists($name)
  796.     {
  797.         return $this->has($name);
  798.     }
  799.     /**
  800.      * Returns the child with the given name (implements the \ArrayAccess interface).
  801.      *
  802.      * @param string $name The name of the child
  803.      *
  804.      * @return FormInterface The child form
  805.      *
  806.      * @throws OutOfBoundsException if the named child does not exist
  807.      */
  808.     public function offsetGet($name)
  809.     {
  810.         return $this->get($name);
  811.     }
  812.     /**
  813.      * Adds a child to the form (implements the \ArrayAccess interface).
  814.      *
  815.      * @param string        $name  Ignored. The name of the child is used
  816.      * @param FormInterface $child The child to be added
  817.      *
  818.      * @throws AlreadySubmittedException if the form has already been submitted
  819.      * @throws LogicException            when trying to add a child to a non-compound form
  820.      *
  821.      * @see self::add()
  822.      */
  823.     public function offsetSet($name$child)
  824.     {
  825.         $this->add($child);
  826.     }
  827.     /**
  828.      * Removes the child with the given name from the form (implements the \ArrayAccess interface).
  829.      *
  830.      * @param string $name The name of the child to remove
  831.      *
  832.      * @throws AlreadySubmittedException if the form has already been submitted
  833.      */
  834.     public function offsetUnset($name)
  835.     {
  836.         $this->remove($name);
  837.     }
  838.     /**
  839.      * Returns the iterator for this group.
  840.      *
  841.      * @return \Traversable|FormInterface[]
  842.      */
  843.     public function getIterator()
  844.     {
  845.         return $this->children;
  846.     }
  847.     /**
  848.      * Returns the number of form children (implements the \Countable interface).
  849.      *
  850.      * @return int The number of embedded form children
  851.      */
  852.     public function count()
  853.     {
  854.         return \count($this->children);
  855.     }
  856.     /**
  857.      * {@inheritdoc}
  858.      */
  859.     public function createView(FormView $parent null)
  860.     {
  861.         if (null === $parent && $this->parent) {
  862.             $parent $this->parent->createView();
  863.         }
  864.         $type $this->config->getType();
  865.         $options $this->config->getOptions();
  866.         // The methods createView(), buildView() and finishView() are called
  867.         // explicitly here in order to be able to override either of them
  868.         // in a custom resolved form type.
  869.         $view $type->createView($this$parent);
  870.         $type->buildView($view$this$options);
  871.         foreach ($this->children as $name => $child) {
  872.             $view->children[$name] = $child->createView($view);
  873.         }
  874.         $type->finishView($view$this$options);
  875.         return $view;
  876.     }
  877.     /**
  878.      * Normalizes the underlying data if a model transformer is set.
  879.      *
  880.      * @return mixed
  881.      *
  882.      * @throws TransformationFailedException If the underlying data cannot be transformed to "normalized" format
  883.      */
  884.     private function modelToNorm($value)
  885.     {
  886.         try {
  887.             foreach ($this->config->getModelTransformers() as $transformer) {
  888.                 $value $transformer->transform($value);
  889.             }
  890.         } catch (TransformationFailedException $exception) {
  891.             throw new TransformationFailedException(sprintf('Unable to transform data for property path "%s": '$this->getPropertyPath()).$exception->getMessage(), $exception->getCode(), $exception$exception->getInvalidMessage(), $exception->getInvalidMessageParameters());
  892.         }
  893.         return $value;
  894.     }
  895.     /**
  896.      * Reverse transforms a value if a model transformer is set.
  897.      *
  898.      * @return mixed
  899.      *
  900.      * @throws TransformationFailedException If the value cannot be transformed to "model" format
  901.      */
  902.     private function normToModel($value)
  903.     {
  904.         try {
  905.             $transformers $this->config->getModelTransformers();
  906.             for ($i = \count($transformers) - 1$i >= 0; --$i) {
  907.                 $value $transformers[$i]->reverseTransform($value);
  908.             }
  909.         } catch (TransformationFailedException $exception) {
  910.             throw new TransformationFailedException(sprintf('Unable to reverse value for property path "%s": '$this->getPropertyPath()).$exception->getMessage(), $exception->getCode(), $exception$exception->getInvalidMessage(), $exception->getInvalidMessageParameters());
  911.         }
  912.         return $value;
  913.     }
  914.     /**
  915.      * Transforms the value if a view transformer is set.
  916.      *
  917.      * @return mixed
  918.      *
  919.      * @throws TransformationFailedException If the normalized value cannot be transformed to "view" format
  920.      */
  921.     private function normToView($value)
  922.     {
  923.         // Scalar values should  be converted to strings to
  924.         // facilitate differentiation between empty ("") and zero (0).
  925.         // Only do this for simple forms, as the resulting value in
  926.         // compound forms is passed to the data mapper and thus should
  927.         // not be converted to a string before.
  928.         if (!($transformers $this->config->getViewTransformers()) && !$this->config->getCompound()) {
  929.             return null === $value || is_scalar($value) ? (string) $value $value;
  930.         }
  931.         try {
  932.             foreach ($transformers as $transformer) {
  933.                 $value $transformer->transform($value);
  934.             }
  935.         } catch (TransformationFailedException $exception) {
  936.             throw new TransformationFailedException(sprintf('Unable to transform value for property path "%s": '$this->getPropertyPath()).$exception->getMessage(), $exception->getCode(), $exception$exception->getInvalidMessage(), $exception->getInvalidMessageParameters());
  937.         }
  938.         return $value;
  939.     }
  940.     /**
  941.      * Reverse transforms a value if a view transformer is set.
  942.      *
  943.      * @return mixed
  944.      *
  945.      * @throws TransformationFailedException If the submitted value cannot be transformed to "normalized" format
  946.      */
  947.     private function viewToNorm($value)
  948.     {
  949.         if (!$transformers $this->config->getViewTransformers()) {
  950.             return '' === $value null $value;
  951.         }
  952.         try {
  953.             for ($i = \count($transformers) - 1$i >= 0; --$i) {
  954.                 $value $transformers[$i]->reverseTransform($value);
  955.             }
  956.         } catch (TransformationFailedException $exception) {
  957.             throw new TransformationFailedException(sprintf('Unable to reverse value for property path "%s": '$this->getPropertyPath()).$exception->getMessage(), $exception->getCode(), $exception$exception->getInvalidMessage(), $exception->getInvalidMessageParameters());
  958.         }
  959.         return $value;
  960.     }
  961. }