コントローラーでいくつかの検証を確認します。そして、失敗時にフォームの特定の要素にエラーを追加したいと思います。私のフォーム:
use Symfony\Component\Form\FormError;
// ...
$config = new Config();
$form = $this->createFormBuilder($config)
->add('googleMapKey', 'text', array('label' => 'Google Map key'))
->add('locationRadius', 'text', array('label' => 'Location radius (km)'))
->getForm();
// ...
$form->addError(new FormError('error message'));
addError()メソッドは、要素ではなくフォームにエラーを追加します。 locationRadius要素にエラーを追加するにはどうすればよいですか?
できるよ
$form->get('locationRadius')->addError(new FormError('error message'));
フォーム要素もFormInterface
タイプです。
わかりました、別の方法があります。より複雑で、特定の場合にのみ使用します。
私の場合:
フォームがあり、送信後、APIサーバーにデータを投稿します。また、APIサーバーからもエラーが発生しました。
APIサーバーのエラー形式は次のとおりです。
_array(
'message' => 'Invalid postal code',
'propertyPath' => 'businessAdress.postalCode',
)
_
私の目標は、柔軟なソリューションを得ることです。対応するフィールドにエラーを設定します。
_$vm = new ViolationMapper();
// Format should be: children[businessAddress].children[postalCode]
$error['propertyPath'] = 'children['. str_replace('.', '].children[', $error['propertyPath']) .']';
// Convert error to violation.
$constraint = new ConstraintViolation(
$error['message'], $error['message'], array(), '', $error['propertyPath'], null
);
$vm->mapViolation($constraint, $form);
_
それでおしまい!
注!addError()
メソッドは error_mapping オプションをバイパスします。
私のフォーム(会社フォームに埋め込まれた住所フォーム):
会社
_<?php
namespace Acme\DemoBundle\Form;
use Symfony\Component\Form\AbstractType;
use Symfony\Component\Form\FormBuilderInterface;
use Symfony\Component\Validator\Constraints;
class Company extends AbstractType
{
public function buildForm(FormBuilderInterface $builder, array $options)
{
$builder
->add('companyName', 'text',
array(
'label' => 'Company name',
'constraints' => array(
new Constraints\NotBlank()
),
)
)
->add('businessAddress', new Address(),
array(
'label' => 'Business address',
)
)
->add('update', 'submit', array(
'label' => 'Update',
)
)
;
}
public function getName()
{
return null;
}
}
_
アドレス
_<?php
namespace Acme\DemoBundle\Form;
use Symfony\Component\Form\AbstractType;
use Symfony\Component\Form\FormBuilderInterface;
use Symfony\Component\Validator\Constraints;
class Address extends AbstractType
{
public function buildForm(FormBuilderInterface $builder, array $options)
{
$builder
// ...
->add('postalCode', 'text',
array(
'label' => 'Postal code',
'constraints' => array(
new Constraints\NotBlank()
),
)
)
->add('town', 'text',
array(
'label' => 'Town',
'constraints' => array(
new Constraints\NotBlank()
),
)
)
->add('country', 'choice',
array(
'label' => 'Country',
'choices' => $this->getCountries(),
'empty_value' => 'Select...',
'constraints' => array(
new Constraints\NotBlank()
),
)
)
;
}
public function getName()
{
return null;
}
}
_