Tiois
Tiois

Reputation: 1559

Doctrine2 LEFT JOIN with 2 conditions

I'm trying to find a 'Product' by ID, and to left join all it's 'Photo' on two conditions: the locale AND the active state.

Here's my QueryBuilder :

 $queryBuilder = $this->createQueryBuilder('p')
             ->select('p, photos, photoTranslation')
             ->leftJoin('p.photos', 'photos')
             ->leftJoin('photos.translations', 'photoTranslation')
             ->where('p.id = :id')
             ->andWhere('(photoTranslation.locale = :locale OR photoTranslation.locale IS NULL)')
             ->andWhere('(photoTranslation.active = :active OR photoTranslation.active IS NULL)')
             ->setParameters(array(
                'id' => $id
                'locale' => $this->getLocale(),
                'active' => true
             ));

It works fine when there are no Photos or when there are ACTIVE photos, but not when there's an inactive Photo because it doesn't match one of the two conditions.

If I use only one condition, for instance only the locale part, it works fine :

 $queryBuilder = $this->createQueryBuilder('p')
             ->select('p, photos, photoTranslation')
             ->leftJoin('p.photos', 'photos')
             ->leftJoin('photos.translations', 'photoTranslation')
             ->where('p.id = :id')
             ->andWhere('(photoTranslation.locale = :locale OR photoTranslation.locale IS NULL)')
             ->setParameters(array(
                'id' => $id
                'locale' => $this->getLocale()
             ));

For now, I loop on theses results and unset all inactive Photos... but I'd like a clean way to do in the QueryBuilder.

I also tried to put the conditions on the LEFT JOIN clause :

 ->leftJoin('photo.translations', 'phototTranslation', Doctrine\ORM\Query\Expr\JOIN::WITH, 'photoTranslation.locale = :locale AND photoTranslation.active = :active')

But it always returns the Photo, even if it's inactive.

Upvotes: 12

Views: 22810

Answers (1)

adridev
adridev

Reputation: 1170

For this problem a solution may be:

$em = $this->getEntityManager();
$qb = $em->createQueryBuilder();
$qb
    ->select('p', 'pp')
    ->from('Product', 'p')
    ->leftJoin('p.photos', 'pp')
    ->leftJoin('pp.translations', 'ppt', Doctrine\ORM\Query\Expr\Join::WITH, $qb->expr()->andX(
        $qb->expr()->eq('ppt.locale', ':locale'),
        $qb->expr()->eq('ppt.active', ':active')
    ))
    ->where('p.id', ':productId')
    ->setParameters(
        array(
            'productId', $productId,
            'active', $active,
            'locale', $locale
        )
    );

    $query = $qb->getQuery();
    return $query->getResult(); // or ->getSingleResult();

NOTE: this example is the way to do it in Symfony2 (2.3) entity repository

Upvotes: 31

Related Questions