我有两个实体OrderShipment。每份订单有一批货,反之亦然。我正试着查询待处理的订单。以下是标准:
订单已发送(不仅仅是保存)
订单尚未取消
订单没有发货
或者订单上有货
但这批货还没有寄出(只是保存了下来)
如果货物已发出,它也已被取消
以下是我提出的问题:

<?php

use Doctrine\ORM\EntityRepository;

class OrderRepository extends EntityRepository
{

    public function findPending($id)
    {
        return $this->createQueryBuilder('o')
            ->addSelect('s')
            ->leftJoin('MyApp\\Model\\Entity\\Shipment', 's')
            ->orderBy('o.date_sent', 'DESC')

            // Order has been sent
            ->where($qb->expr()->neq('o.date_sent',':date_sent'))
            ->setParameter('date_sent', '0000-00-00 00:00:00')

            // Order was not cancelled
            ->where($qb->expr()->eq('o.date_cancelled',':date_cancelled'))
            ->setParameter('date_cancelled', '0000-00-00 00:00:00')

            // Order does not have a shipment
            ->andWhere($qb->expr()->isNull('s.order'))

            // OR Shipment has not been sent
            ->orWhere($qb->expr()->neq('s.date_sent', ':ship_date_sent'))
            ->setParameter('ship_date_sent', '0000-00-00 00:00:00')

            // AND Shipment has not been cancelled
            ->andWhere($qb->expr()->eq('s.date_cancelled',':ship_date_cancelled'))
            ->setParameter('ship_date_cancelled', '0000-00-00 00:00:00')

            ->setMaxResults(6)
            ->getQuery()
            ->getResult();
    }
}

它似乎是有效的,但我没有太多的数据来测试它。我很担心最后一份结单,看是否还没有取消装运。如果我使用“and”,我担心它只会返回带有“未发送且未取消”装运的订单,而不是“未发送或已发送但未取消”的订单。如果我将->andWhere()更改为->andWhere()我假设它将返回带有“已发送但未取消”装运的订单。
我主要关心的是查询函数的顺序如何影响查询。另外,应该只使用一次->orWhere()吗?我看不出where()where()有什么区别?
如果我的问题不够清楚,告诉我,我会更新的。
提前谢谢你。
更新
我已经深入了一点,提出了这个新的问题。我想哪一个有用?
public function findPending($id)
{
    $qb = $this->createQueryBuilder('o')
        ->addSelect('s')
        ->leftJoin('MyApp\\Model\\Entity\\Shipment', 's')
        ->orderBy('o.date_sent', 'DESC')

        // Order has been sent and was not cancelled
        ->where($qb->expr()->andX(
            $qb->expr()->eq('o.date_cancelled','0000-00-00 00:00:00'),
            $qb->expr()->neq('o.date_sent','0000-00-00 00:00:00')
            ))

        ->andWhere($qb->expr()->orX(
            // Order doesn't have a shipment
            $qb->expr()->isNull('s.order'),
            // OR Order has a shipment
            $qb->expr()->orX(
                // Shipment has not been sent
                $qb->expr()->eq('s.date_sent','0000-00-00 00:00:00'),
                // OR Shipment has been sent AND it was cancelled
                $qb->expr()->andX(
                    $qb->expr()->neq('s.date_sent','0000-00-00 00:00:00'),
                    $qb->expr()->eq('s.date_cancelled','0000-00-00 00:00:00')
                    )
                )
            ))

        ->setMaxResults(6)
        ->getQuery()
        ->getResult();
    return $qb;
}

最佳答案

是的,where只能使用一次,所以如果andwhere(或orwhere)是有条件的,但是可以多次使用,那么您可能应该使用where 1=1

08-27 10:00