我正在Doctrine Query Builder中寻找这个SQL SELECT语句的等效项:
SELECT p.*
FROM position p, fonction f
WHERE ( (p.id = f.position_id) AND (p.type ='MONO_MEMBRE') AND (f.date_fin IS NOT NULL) )
OR ( p.type='MULTI_MEMBRE' )
我尝试了这种方式:
function(PositionRepository $er) {
return $er->createQueryBuilder('p')
->leftJoin('p.fonctions', 'f', 'WITH', '(f.dateFin IS NOT NULL) AND (p.type= :type_mono)')
->orWhere('p.type = :type_multi')
->setParameters(array(
'type_multi' => 'MULTI_MEMBRE',
'type_mono' => 'MONO_MEMBRE'
));
}
它不会返回预期的结果。谁能帮我?提前感谢您抽出宝贵时间。
这应该是等效的。
return $er->createQueryBuilder('p')
->leftJoin('p.fonctions', 'f')
->where('p.type = :mono')
->andWhere('f.date_fin IS NOT NULL')
->orWhere('p.type = :muli')
->setParameter(['mono' => 'MONO_MEMBRE', 'multi' => 'MULTI_MEMBRE']);
我遵循了 QueryBuilder 上的原则文档,找到了解决方案。在这里:
function(PositionRepository $er) {
$qb= $er->createQueryBuilder('p')
->leftJoin('p.fonctions', 'f');
$andModule = $qb->expr()->andX();
$andModule->add($qb->expr()->isNotNull('f.dateFin'));
$andModule->add($qb->expr()->eq('p.type', ':mono'));
return $qb->where('f IS NULL')
->orWhere('p.type = :multi')
->orWhere($andModule)
->setParameters(array(
'mono' => 'MONO_MEMBRE',
'multi' => 'MULTI_MEMBRE'
));
}