我想使用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();
}
}
答案 0 :(得分:81)
我将回答我自己的问题。
因此,以下内容适用于我
$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');
答案 1 :(得分:9)
您可以明确地拥有这样的联接:
$qb->innerJoin('c.phones', 'p', Join::ON, 'c.id = p.customerId');
但是你需要使用类似于从学说中加入的命名空间:
use Doctrine\ORM\Query\Expr\Join;
或者如果你喜欢这样:
$qb->innerJoin('c.phones', 'p', Doctrine\ORM\Query\Expr\Join::ON, 'c.id = p.customerId');
否则,将无法检测到Join class,您的脚本将崩溃......
这里是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的混合,也许是问题。