在 JOIN 中添加对 Doctrine Query Builder 的排除

Add exclusion to Doctrine Query Builder in JOIN

我在我的 Symfony 应用程序中使用 Doctrine 查询生成器构建了以下查询。

    $qb->select('c')
        ->from('AppBundle:Course', 'c')
        ->join('AppBundle:Log', 'a', Expr\Join::WITH, $qb->expr()->eq('c.id', 'a.course'))
        ->where($qb->expr()->in('a.type', ':type'))
        ->andWhere($qb->expr()->between('a.time', ':start', ':end'))
        ->andWhere($qb->expr()->eq('c.status', ':status'))
        ->setParameter(':type', ['opened'])
        ->setParameter(':standardScratchScore', [74])
        ->setParameter(':status', Course::OPENED)
        ->setParameter(':start', $dateFrom->format('Y-m-d H:i:s'))
        ->setParameter(':end', $dateTo->format('Y-m-d H:i:s'))
    ;

在我的代码中,我遍历了 Course,然后再次查询 Log table 以检查 [= 是否不存在具有特定类型的条目11=]。有没有一种方法可以将 log.type = 'log.sent-email' for this Course 的排除合并到这个初始查询中,而不使用像 sub-select?[=15= 这样的东西]

在循环中再次查询相同的 table 对我来说感觉不是最理想的,NewRelic 表示它正在损害我的应用程序的性能。

好吧,您随时可以再加入 table 一次以满足这一特定需求:

$qb->select('c')
    ->from('AppBundle:Course', 'c')
    ->join('AppBundle:Log', 'a', Expr\Join::WITH, $qb->expr()->eq('c.id', 'a.course'))
    ->leftjoin(
        'AppBundle:Log', 
        'b', 
        Expr\Join::WITH, 
        $qb->expr()->andx(
            $qb->expr()->eq('c.id', 'b.course'),
            $qb->expr()->eq('b.type', 'log.sent-email')
        ))          
    ) // join log a second time, with the type condition
    ->where($qb->expr()->in('a.type', ':type'))
    ->andWhere($qb->expr()->between('a.time', ':start', ':end'))
    ->andWhere($qb->expr()->eq('c.status', ':status'))
    ->andWhere($qb->expr()->isNull('b.type')) // Only select records where no log record is found
    ->setParameter(':type', ['opened'])
    ->setParameter(':standardScratchScore', [74])
    ->setParameter(':status', Course::OPENED)
    ->setParameter(':start', $dateFrom->format('Y-m-d H:i:s'))
    ->setParameter(':end', $dateTo->format('Y-m-d H:i:s'))
;