vendor/symfony/form/Form.php line 742

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.     }
  616.     /**
  617.      * {@inheritdoc}
  618.      */
  619.     public function isValid()
  620.     {
  621.         if (!$this->submitted) {
  622.             throw new LogicException('Cannot check if an unsubmitted form is valid. Call Form::isSubmitted() before Form::isValid().');
  623.         }
  624.         if ($this->isDisabled()) {
  625.             return true;
  626.         }
  627.         return === \count($this->getErrors(true));
  628.     }
  629.     /**
  630.      * Returns the button that was used to submit the form.
  631.      *
  632.      * @return FormInterface|ClickableInterface|null
  633.      */
  634.     public function getClickedButton()
  635.     {
  636.         if ($this->clickedButton) {
  637.             return $this->clickedButton;
  638.         }
  639.         return $this->parent && method_exists($this->parent'getClickedButton') ? $this->parent->getClickedButton() : null;
  640.     }
  641.     /**
  642.      * {@inheritdoc}
  643.      */
  644.     public function getErrors(bool $deep falsebool $flatten true)
  645.     {
  646.         $errors $this->errors;
  647.         // Copy the errors of nested forms to the $errors array
  648.         if ($deep) {
  649.             foreach ($this as $child) {
  650.                 /** @var FormInterface $child */
  651.                 if ($child->isSubmitted() && $child->isValid()) {
  652.                     continue;
  653.                 }
  654.                 $iterator $child->getErrors(true$flatten);
  655.                 if (=== \count($iterator)) {
  656.                     continue;
  657.                 }
  658.                 if ($flatten) {
  659.                     foreach ($iterator as $error) {
  660.                         $errors[] = $error;
  661.                     }
  662.                 } else {
  663.                     $errors[] = $iterator;
  664.                 }
  665.             }
  666.         }
  667.         return new FormErrorIterator($this$errors);
  668.     }
  669.     /**
  670.      * {@inheritdoc}
  671.      *
  672.      * @return $this
  673.      */
  674.     public function clearErrors(bool $deep false): self
  675.     {
  676.         $this->errors = [];
  677.         if ($deep) {
  678.             // Clear errors from children
  679.             foreach ($this as $child) {
  680.                 if ($child instanceof ClearableErrorsInterface) {
  681.                     $child->clearErrors(true);
  682.                 }
  683.             }
  684.         }
  685.         return $this;
  686.     }
  687.     /**
  688.      * {@inheritdoc}
  689.      */
  690.     public function all()
  691.     {
  692.         return iterator_to_array($this->children);
  693.     }
  694.     /**
  695.      * {@inheritdoc}
  696.      */
  697.     public function add($childstring $type null, array $options = [])
  698.     {
  699.         if ($this->submitted) {
  700.             throw new AlreadySubmittedException('You cannot add children to a submitted form');
  701.         }
  702.         if (!$this->config->getCompound()) {
  703.             throw new LogicException('You cannot add children to a simple form. Maybe you should set the option "compound" to true?');
  704.         }
  705.         if (!$child instanceof FormInterface) {
  706.             if (!\is_string($child) && !\is_int($child)) {
  707.                 throw new UnexpectedTypeException($child'string or Symfony\Component\Form\FormInterface');
  708.             }
  709.             $child = (string) $child;
  710.             if (null !== $type && !\is_string($type)) {
  711.                 throw new UnexpectedTypeException($type'string or null');
  712.             }
  713.             // Never initialize child forms automatically
  714.             $options['auto_initialize'] = false;
  715.             if (null === $type && null === $this->config->getDataClass()) {
  716.                 $type 'Symfony\Component\Form\Extension\Core\Type\TextType';
  717.             }
  718.             if (null === $type) {
  719.                 $child $this->config->getFormFactory()->createForProperty($this->config->getDataClass(), $childnull$options);
  720.             } else {
  721.                 $child $this->config->getFormFactory()->createNamed($child$typenull$options);
  722.             }
  723.         } elseif ($child->getConfig()->getAutoInitialize()) {
  724.             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()));
  725.         }
  726.         $this->children[$child->getName()] = $child;
  727.         $child->setParent($this);
  728.         // If setData() is currently being called, there is no need to call
  729.         // mapDataToForms() here, as mapDataToForms() is called at the end
  730.         // of setData() anyway. Not doing this check leads to an endless
  731.         // recursion when initializing the form lazily and an event listener
  732.         // (such as ResizeFormListener) adds fields depending on the data:
  733.         //
  734.         //  * setData() is called, the form is not initialized yet
  735.         //  * add() is called by the listener (setData() is not complete, so
  736.         //    the form is still not initialized)
  737.         //  * getViewData() is called
  738.         //  * setData() is called since the form is not initialized yet
  739.         //  * ... endless recursion ...
  740.         //
  741.         // Also skip data mapping if setData() has not been called yet.
  742.         // setData() will be called upon form initialization and data mapping
  743.         // will take place by then.
  744.         if (!$this->lockSetData && $this->defaultDataSet && !$this->inheritData) {
  745.             $viewData $this->getViewData();
  746.             $this->config->getDataMapper()->mapDataToForms(
  747.                 $viewData,
  748.                 new \RecursiveIteratorIterator(new InheritDataAwareIterator(new \ArrayIterator([$child->getName() => $child])))
  749.             );
  750.         }
  751.         return $this;
  752.     }
  753.     /**
  754.      * {@inheritdoc}
  755.      */
  756.     public function remove(string $name)
  757.     {
  758.         if ($this->submitted) {
  759.             throw new AlreadySubmittedException('You cannot remove children from a submitted form');
  760.         }
  761.         if (isset($this->children[$name])) {
  762.             if (!$this->children[$name]->isSubmitted()) {
  763.                 $this->children[$name]->setParent(null);
  764.             }
  765.             unset($this->children[$name]);
  766.         }
  767.         return $this;
  768.     }
  769.     /**
  770.      * {@inheritdoc}
  771.      */
  772.     public function has(string $name)
  773.     {
  774.         return isset($this->children[$name]);
  775.     }
  776.     /**
  777.      * {@inheritdoc}
  778.      */
  779.     public function get(string $name)
  780.     {
  781.         if (isset($this->children[$name])) {
  782.             return $this->children[$name];
  783.         }
  784.         throw new OutOfBoundsException(sprintf('Child "%s" does not exist.'$name));
  785.     }
  786.     /**
  787.      * Returns whether a child with the given name exists (implements the \ArrayAccess interface).
  788.      *
  789.      * @param string $name The name of the child
  790.      *
  791.      * @return bool
  792.      */
  793.     public function offsetExists($name)
  794.     {
  795.         return $this->has($name);
  796.     }
  797.     /**
  798.      * Returns the child with the given name (implements the \ArrayAccess interface).
  799.      *
  800.      * @param string $name The name of the child
  801.      *
  802.      * @return FormInterface The child form
  803.      *
  804.      * @throws \OutOfBoundsException if the named child does not exist
  805.      */
  806.     public function offsetGet($name)
  807.     {
  808.         return $this->get($name);
  809.     }
  810.     /**
  811.      * Adds a child to the form (implements the \ArrayAccess interface).
  812.      *
  813.      * @param string        $name  Ignored. The name of the child is used
  814.      * @param FormInterface $child The child to be added
  815.      *
  816.      * @throws AlreadySubmittedException if the form has already been submitted
  817.      * @throws LogicException            when trying to add a child to a non-compound form
  818.      *
  819.      * @see self::add()
  820.      */
  821.     public function offsetSet($name$child)
  822.     {
  823.         $this->add($child);
  824.     }
  825.     /**
  826.      * Removes the child with the given name from the form (implements the \ArrayAccess interface).
  827.      *
  828.      * @param string $name The name of the child to remove
  829.      *
  830.      * @throws AlreadySubmittedException if the form has already been submitted
  831.      */
  832.     public function offsetUnset($name)
  833.     {
  834.         $this->remove($name);
  835.     }
  836.     /**
  837.      * Returns the iterator for this group.
  838.      *
  839.      * @return \Traversable|FormInterface[]
  840.      */
  841.     public function getIterator()
  842.     {
  843.         return $this->children;
  844.     }
  845.     /**
  846.      * Returns the number of form children (implements the \Countable interface).
  847.      *
  848.      * @return int The number of embedded form children
  849.      */
  850.     public function count()
  851.     {
  852.         return \count($this->children);
  853.     }
  854.     /**
  855.      * {@inheritdoc}
  856.      */
  857.     public function createView(FormView $parent null)
  858.     {
  859.         if (null === $parent && $this->parent) {
  860.             $parent $this->parent->createView();
  861.         }
  862.         $type $this->config->getType();
  863.         $options $this->config->getOptions();
  864.         // The methods createView(), buildView() and finishView() are called
  865.         // explicitly here in order to be able to override either of them
  866.         // in a custom resolved form type.
  867.         $view $type->createView($this$parent);
  868.         $type->buildView($view$this$options);
  869.         foreach ($this->children as $name => $child) {
  870.             $view->children[$name] = $child->createView($view);
  871.         }
  872.         $type->finishView($view$this$options);
  873.         return $view;
  874.     }
  875.     /**
  876.      * Normalizes the underlying data if a model transformer is set.
  877.      *
  878.      * @return mixed
  879.      *
  880.      * @throws TransformationFailedException If the underlying data cannot be transformed to "normalized" format
  881.      */
  882.     private function modelToNorm($value)
  883.     {
  884.         try {
  885.             foreach ($this->config->getModelTransformers() as $transformer) {
  886.                 $value $transformer->transform($value);
  887.             }
  888.         } catch (TransformationFailedException $exception) {
  889.             throw new TransformationFailedException('Unable to transform data for property path "'.$this->getPropertyPath().'": '.$exception->getMessage(), $exception->getCode(), $exception$exception->getInvalidMessage(), $exception->getInvalidMessageParameters());
  890.         }
  891.         return $value;
  892.     }
  893.     /**
  894.      * Reverse transforms a value if a model transformer is set.
  895.      *
  896.      * @return mixed
  897.      *
  898.      * @throws TransformationFailedException If the value cannot be transformed to "model" format
  899.      */
  900.     private function normToModel($value)
  901.     {
  902.         try {
  903.             $transformers $this->config->getModelTransformers();
  904.             for ($i = \count($transformers) - 1$i >= 0; --$i) {
  905.                 $value $transformers[$i]->reverseTransform($value);
  906.             }
  907.         } catch (TransformationFailedException $exception) {
  908.             throw new TransformationFailedException('Unable to reverse value for property path "'.$this->getPropertyPath().'": '.$exception->getMessage(), $exception->getCode(), $exception$exception->getInvalidMessage(), $exception->getInvalidMessageParameters());
  909.         }
  910.         return $value;
  911.     }
  912.     /**
  913.      * Transforms the value if a view transformer is set.
  914.      *
  915.      * @return mixed
  916.      *
  917.      * @throws TransformationFailedException If the normalized value cannot be transformed to "view" format
  918.      */
  919.     private function normToView($value)
  920.     {
  921.         // Scalar values should  be converted to strings to
  922.         // facilitate differentiation between empty ("") and zero (0).
  923.         // Only do this for simple forms, as the resulting value in
  924.         // compound forms is passed to the data mapper and thus should
  925.         // not be converted to a string before.
  926.         if (!($transformers $this->config->getViewTransformers()) && !$this->config->getCompound()) {
  927.             return null === $value || is_scalar($value) ? (string) $value $value;
  928.         }
  929.         try {
  930.             foreach ($transformers as $transformer) {
  931.                 $value $transformer->transform($value);
  932.             }
  933.         } catch (TransformationFailedException $exception) {
  934.             throw new TransformationFailedException('Unable to transform value for property path "'.$this->getPropertyPath().'": '.$exception->getMessage(), $exception->getCode(), $exception$exception->getInvalidMessage(), $exception->getInvalidMessageParameters());
  935.         }
  936.         return $value;
  937.     }
  938.     /**
  939.      * Reverse transforms a value if a view transformer is set.
  940.      *
  941.      * @return mixed
  942.      *
  943.      * @throws TransformationFailedException If the submitted value cannot be transformed to "normalized" format
  944.      */
  945.     private function viewToNorm($value)
  946.     {
  947.         if (!$transformers $this->config->getViewTransformers()) {
  948.             return '' === $value null $value;
  949.         }
  950.         try {
  951.             for ($i = \count($transformers) - 1$i >= 0; --$i) {
  952.                 $value $transformers[$i]->reverseTransform($value);
  953.             }
  954.         } catch (TransformationFailedException $exception) {
  955.             throw new TransformationFailedException('Unable to reverse value for property path "'.$this->getPropertyPath().'": '.$exception->getMessage(), $exception->getCode(), $exception$exception->getInvalidMessage(), $exception->getInvalidMessageParameters());
  956.         }
  957.         return $value;
  958.     }
  959. }