2

我试图在 Symfony 2.1 中显示一个带有 optgroups 的选择框。我的实体树是:客户有项目,项目有部分(Part->getProject()->getClient()

我想以这种方式显示我的选择框:

<select>
    <optgroup>Client name
        <option>Part name</option>
        <!-- ... -->
    </optgroup>
    <!-- ... -->
</select>

Symfony 文档并没有太大帮助。我的工作表单生成器(没有 group_by 选项)给了我一个简单的选择:

$this->createFormBuilder()
->add('part','entity',array(
    'class'         => 'SGLFLTSPartBundle:Part',
    'property'      => 'name',
    'query_builder' => function (\SGL\FLTS\PartBundle\Entity\PartRepository $er) {
        return $er->createQueryBuilder('p');
    }))
->getForm();

如何添加 group_by 选项以显示客户端名称?到目前为止我已经尝试过

'group_by'      => 'project.client.name'
'group_by'      => 'project.client'
'group_by'      => 'ppc.name' // the DQL table alias

都给PHP错误

我还尝试将项目名称仅显示为 optgroup,但不走运:

'group_by'      => 'project'
'group_by'      => 'project.name'
'group_by'      => 'project.id'   // throws no error, giving me <optgroup label="1"> ...

并尝试在 createQueryBuilder 中添加项目/客户端连接

$er->createQueryBuilder('p')->select('p, pp')->leftJoin('p.project','pp');
$er->createQueryBuilder('p')->select('p, pp.name')->leftJoin('p.project','pp')
// wrong

谢谢!

4

1 回答 1

6

我今天遇到了类似的问题。

我想您已经看到很多与错误使用对象作为数组键有关的 PHP 错误?这是由于 Symfony 试图使用整个相关对象作为分组结果数组中的数组键引起的。

我需要进一步研究它以获得更好的解决方案,但与此同时,这就是我正在使用的......

Part向被调用的实体添加一个新方法,getClientName如下所示:

public function getClientName()
{
    // safety measure in-case a part hasn't been assigned to a project
    if (null === $this->getProject()) {
        return null;
    }
    // safety measure in-case a project hasn't been assigned to a client
    if (null === $this->getProject()->getClient()) {
        return null;
    }
    return $this->getProject()->getClient()->getName();
}

在表单字段构建器中将group_by选项设置为:clientName

$this->createFormBuilder()
->add('part','entity',array(
    'class'         => 'SGLFLTSPartBundle:Part',
    // this property will be processed by Symfony as `$part->getClientName()`
    'property'      => 'clientName',
->getForm();

使用这个额外方法背后的想法是给 Symfony 一个类方法,它可以调用它来获取一个字符串值来执行分组。

如果其他人有更优雅的解决方案,我很想看到它。

于 2013-01-25T05:04:33.407 回答