使用Symfony框架的选择类型,我们可以决定显示列表,单选按钮或使用这两个键播放的复选框:
'multiple' => false,
'expanded' => true, //example for radio buttons
假设代替字符串,'choices'键中作为数组给出的不同选项的值是布尔值:
$builder->add('myproperty', 'choice', array(
'choices' => array(
'Yes' => true,
'No' => false
),
'label' => 'My Property',
'required' => true,
'empty_value' => false,
'choices_as_values' => true
));
使用列表(选择)显示不同的选项没有问题,当显示表单时,选择列表中的正确选项。
如果我添加了两个键(多个和扩展),我之前谈过用单选按钮替换列表,我的字段没有选定的按钮(尽管它与select一起使用)。
有人知道为什么吗?
如何轻松实现?
谢谢
注意:实际上我认为它不适用于任何一个,因为值是布尔值并且最终成为字符串但是因为它适用于列表,我想知道为什么它对其他人不起作用。
答案 0 :(得分:7)
我添加了一个数据转换器;
$builder->add('myproperty', 'choice', array(
'choices' => array(
'Yes' => '1',
'No' => '0'
),
'label' => 'My Property',
'required' => true,
'empty_value' => false,
'choices_as_values' => true
));
$builder->get('myProperty')
->addModelTransformer(new CallbackTransformer(
function ($property) {
return (string) $property;
},
function ($property) {
return (bool) $property;
}
));
这很神奇:现在我选中了正确的单选按钮,并在实体中选择了正确的值。
答案 1 :(得分:2)
我的解决方案:
/**
* @var BooleanToStringTransformer $transformer
*/
private $transformer;
/**
* @param BooleanToStringTransformer $transformer
*/
public function __construct(BooleanToStringTransformer $transformer) {
$this->transformer = $transformer;
}
public function buildForm(FormBuilderInterface $builder, array $options)
{
$builder
->add('myProperty', TextType::class, [
'empty_data' => false,
])
;
$builder->get('myProperty')->addModelTransformer($this->transformer);
}
<?php
namespace App\DataTransformer;
use Symfony\Component\Form\DataTransformerInterface;
/**
* Class BooleanToStringTransformer
*
* @package App\DataTransformer
*/
class BooleanToStringTransformer implements DataTransformerInterface
{
/**
* @param bool $boolean
*
* @return string
*/
public function transform($boolean): string
{
// transform the boolean to a string
return $boolean ? 'true' : 'false';
}
/**
* @param string $string
*
* @return bool
*/
public function reverseTransform($string): bool
{
// transform the string back to a boolean
return filter_var($string, FILTER_VALIDATE_BOOL);
}
}
答案 2 :(得分:1)
另一种解决方案是使用 Doctrine Lifecycle Callbacks 和 php Type Casting 。
使用此FormType:
use Symfony\Component\Form\Extension\Core\Type\ChoiceType;
//...
$builder->add('active', ChoiceType::class, [
'choices' => [
'active' => true,
'inactive' => false
]
])
像这样的实体:
//...
use Doctrine\ORM\Mapping as ORM;
/**
* ...
* @ORM\HasLifecycleCallbacks() /!\ Don't forget this!
* ...
*/
class MyEntity {
//..
/**
* @var bool
*
* @ORM\Column(name="active", type="boolean")
*/
private $active;
//...
/**
* @ORM\PrePersist()
*/
public function prePersist()
{
$this->active = (bool) $this->active; //Force using boolean value of $this->active
}
/**
* @ORM\PreUpdate()
*/
public function preUpdate()
{
$this->active = (bool) $this->active;
}
//...
}