我要求你在Symfony 3中创建特定表单时提出一些建议。
在阅读Symfony Docs后,我有一些解决方案,但我要求你们分享最佳方法来实现这一目标。
我需要获得这样的输出格式: link for expected example form
如您所见,我需要对一个复选框和一个输入类型进行单个字段构造。它应该像用户勾选复选框一样工作,输入将处于活动状态。
是否应该将FormType中的getParent()方法作为父级自定义字段?也许这个表单应该用事件监听器和一些Javascript动态创建?或者它应该是CollectionType字段(但它如何存储两种不同的表单字段类型?)或者您可能知道不同的解决方案?
基本上,一个字段应由两个不同的字段类型组成,彼此依赖。
非常欢迎任何帮助,分享知识或一些代码示例。
答案 0 :(得分:3)
首先,您必须构建一个组成CheckboxType和TextType的自定义FormType。这是服务器端的表单部分。
但是,为了动态启用/禁用文本字段,您必须使用Javascript。
最后,如果要将结果信息存储为单个可空文本字段(如可空的varchar),则需要DataTransformer将数据从persistece层转换为view。
让我们看一种FormType:
<?php
namespace Form\Type;
use Form\DataTransformer\NullableTextTransformer;
use Symfony\Component\Form\AbstractType;
use Symfony\Component\Form\Extension\Core\Type\CheckboxType;
use Symfony\Component\Form\Extension\Core\Type\TextType;
use Symfony\Component\Form\FormBuilderInterface;
class NullableTextType extends AbstractType
{
public function buildForm(FormBuilderInterface $builder, array $options)
{
$builder
->add('isNotNull', CheckboxType::class)
->add('text', TextType::class, array('required' => false))
;
$builder->addModelTransformer(new NullableTextTransformer());
}
}
现在是变压器:
<?php
namespace Form\DataTransformer;
use Symfony\Component\Form\DataTransformerInterface;
class NullableTextTransformer implements DataTransformerInterface
{
public function transform($value)
{
$nullableText = ['isNotNull' => false, 'text' => null];
if (null !== $value) {
$nullableText['isNotNull'] = true;
$nullableText['text'] = (string) $value;
}
return $nullableText;
}
public function reverseTransform($array)
{
if (!is_array($array) || empty($array) || !isset($array['isNotNull']) || !isset($array['text'])) {
return;
}
if ($array['isNotNull']) {
return (string) $array['text'];
} else {
return;
}
}
}
自定义字段表单主题的一些树枝:
{% block nullable_text_widget %}
{% spaceless %}
<div class="input-group nullable-text-widget">
<div class="input-group-addon">
{{ form_widget(form.isNotNull, {attr: {class: 'is-not-null-widget'}}) }}
</div>
{{ form_widget(form.text, {attr: {class: 'text-widget'}}) }}
</div>
{% endspaceless %}
{% endblock nullable_text_widget %}
最后,一堆JS线来处理前面的交互:
$(document).ready(function() {
$.each($('body').find('.nullable-text-widget'), function () {
syncNullableTextWidget($(this));
});
});
$(document).on('click', '.nullable-text-widget .is-not-null-widget', function (e) {
var $nullableTextWidget = $(e.currentTarget).parents('.nullable-text-widget');
syncNullableTextWidget($nullableTextWidget);
});
function syncNullableTextWidget($widget)
{
if ($widget.find('.is-not-null-widget').prop('checked')) {
$widget.find('.text-widget').prop('disabled', false);
} else {
$widget.find('.text-widget').prop('disabled', true);
$widget.find('.text-widget').val('');
}
}