46

我想使用 Doctrine 的查询构建器构建以下 SQL:

select c.*
from customer c
join phone p
on p.customer_id = c.id
and p.phone = :phone
where c.username = :username

首先我试过

$qb->select('c')
    ->innerJoin('c.phones', 'p', Join::ON, $qb->expr()->andx(
        $qb->expr()->eq('p.customerId', 'c.id'),
        $qb->expr()->eq('p.phone', ':phone')
    ))
    ->where('c.username = :username');

但我收到以下错误

Error: expected end of string, got 'ON'

然后我尝试了

$qb->select('c')
    ->innerJoin('c.phones', 'p')
    ->where('c.username = :username')
    ->andWhere('p.phone = :phone');

这似乎工作。但是,有人知道第一次尝试有什么问题吗?我想让第一个工作,因为它更类似于 SQL 的结构。提前致谢!

注意:我知道我们也可以使用 Doctrine 编写本机 mysql 或 dql,但我更喜欢查询生成器。

编辑:下面是整个代码

namespace Cyan\CustomerBundle\Repository;

use Cyan\CustomerBundle\Entity\Customer;
use Doctrine\ORM\EntityRepository;
use Doctrine\ORM\Query\Expr\Join;

class CustomerRepository extends EntityRepository
{
    public function findCustomerByPhone($username, $phone)
    {
        $qb = $this->createQueryBuilder('c');

        $qb->select('c')
            ->innerJoin('c.phones', 'p', Join::ON, $qb->expr()->andx(
                $qb->expr()->eq('p.customerId', 'c.id'),
                $qb->expr()->eq('p.phone', ':phone')
            ))
            ->where('c.username = :username');

//        $qb->select('c')
//            ->innerJoin('c.phones', 'p')
//            ->where('c.username = :username')
//            ->andWhere('p.phone = :phone');

        $qb->setParameters(array(
            'username' => $username,
            'phone' => $phone->getPhone(),
        ));

        $query = $qb->getQuery();
        return $query->getResult();
    }
}
4

2 回答 2

94

我要回答我自己的问题。

  1. innerJoin 应该使用关键字“WITH”而不是“ON”(Doctrine 的文档 [13.2.6. Helper methods] 不准确;[13.2.5. Expr 类] 是正确的)
  2. 无需在连接条件下链接外键,因为它们已在实体映射中指定。

因此,以下对我有用

$qb->select('c')
    ->innerJoin('c.phones', 'p', 'WITH', 'p.phone = :phone')
    ->where('c.username = :username');

或者

$qb->select('c')
    ->innerJoin('c.phones', 'p', Join::WITH, $qb->expr()->eq('p.phone', ':phone'))
    ->where('c.username = :username');
于 2013-03-13T10:27:36.277 回答
12

您可以像这样明确地加入:

$qb->innerJoin('c.phones', 'p', Join::ON, 'c.id = p.customerId');

但是您需要使用来自学说的 Join 类的命名空间:

use Doctrine\ORM\Query\Expr\Join;

或者,如果您喜欢这样:

$qb->innerJoin('c.phones', 'p', Doctrine\ORM\Query\Expr\Join::ON, 'c.id = p.customerId');

否则,将无法检测到加入类,并且您的脚本将崩溃...

这里innerJoin方法的构造函数:

public function innerJoin($join, $alias, $conditionType = null, $condition = null);

您可以在此处找到其他可能性(不仅加入“ON”,还可以加入“WITH”等):http: //docs.doctrine-project.org/en/2.0.x/reference/query-builder。 html#the-expr-class

编辑

认为应该是:

$qb->select('c')
    ->innerJoin('c.phones', 'p', Join::ON, 'c.id = p.customerId')
    ->where('c.username = :username')
    ->andWhere('p.phone = :phone');

    $qb->setParameters(array(
        'username' => $username,
        'phone' => $phone->getPhone(),
    ));

否则,我认为您正在执行 ON 和 WITH 的混合,这可能是问题所在。

于 2013-03-13T08:26:36.140 回答