Symfony 2与类型文件的表单集合字段
我想用POST请求上传多个文件(没有Ajax)。 我可以像这样使用Symfony 2的表单集合字段和类型文件:
代码实体:
public $pictures;
public function __construct()
{
    $this->pictures = new DoctrineCommonCollectionsArrayCollection();
}
表单类中的代码:
$builder->add('pictures', 'collection', array(
        'type' => 'file',
        'required' => false,
        'attr' => array(
            'multiple' => 'multiple'
        )
));
代码树枝:
{% for picture in form.pictures %}
    <td>
        {{ form_widget(picture) }}
    </td>
{% endfor %}
我试过了,但它似乎不起作用。 它没有显示任何错误,但它也没有显示输入文件。 有任何想法吗?
要实际呈现输入类型,您需要将集合中的allow_add选项设置为true,并使用集合的表单原型,javascript和一个按钮来添加文件字段。
基于文档的示例(集合添加和删除)
表格:
<form action="..." method="POST" {{ form_enctype(form) }}>
{# ... #}
{# store the prototype on the data-prototype attribute #}
<ul id="image-container" class="collection-container" data-prototype="{{ form_widget(form.images.vars.prototype) | e }}">
{% for imageField in form.images%}
    <li>
        {{ form_widget(imageField) }}
    </li>
{% endfor %}
</ul>
<a href="#" class="collection-add" data-collection="image-container">Add image</a>
</form>
剧本:
<script type="text/javascript">
  var imageCount;
  jQuery(document).ready(function() {
    $(document).on('click', '.collection-add', function () {
        var $collectionContainer = $('#' + $(this).data('collection'));
        if(!imageCount){imageCount = $collectionContainer.children().length;}
        var prototype = $collectionContainer.attr('data-prototype');
        var item = prototype.replace(/__name__/g, imageCount);
        $collectionContainer.append(item);
        imageCount++;
    });
  })
</script>
这只是一个想法,根据您的需求,还有很多事情要做。 如果这不是您正在寻找的内容,也许您可以将添加按钮单击为解决方法。
如果你想显示多个输入字段,不,它不会工作。 集合类型要求您在呈现字段之前提供一些数据。 我已经尝试过了,创建了一个独立的实体(例如File),并将关系添加到了我的目标实体中。
例:
class File
{
    // properties
    public $file; // this holds an UploadedFile object
    // getters, setters
}
文件类型:
....
public function buildForm(FormBuilderInterface $builder, array $options)
{
    $builder
        ->add('file', 'file', [
            'required' => false
        ])
    ;
}
产品:
class Product
{
    // properties
    private $images; // ManyToMany relationship
    // setters, getters
}
产品类别:
->add('images', 'collection', [
    'type' => 'YOUR_FILE_TYPE_NAME',
    'by_reference' => false,
    'required' => false
])
产品控制器:
public function someAction()
{
    ...
    $image = new File();
    $product->addImage($image);
}
我知道这个解决方案可能会矫枉过正并创建额外的表格,但它可行。
您需要指定集合中的小部件类型
看看http://symfony.com/doc/2.0/reference/forms/types/collection.html
$builder->add('pictures', 'collection', array(
  // each item in the array will be an "email" field
  'type'   => 'file',
  // these options are passed to each "email" type
  'options'  => array(
    'required'  => false,
  ),
));
为了进一步阅读,我建议
http://symfony.com/doc/2.0/reference/forms/types/file.html
你也需要添加某物到这个集合来显示cuz它将在初始化时像你的实体的构造函数一样是空的。
链接地址: http://www.djcxy.com/p/81393.html