Tomek Buszewski
Tomek Buszewski

Reputation: 7955

Symfony2 + doctrine's query builder - where != 1

I have a function that creates a query to my db, like this:

public function getList($u, $t, $ls, $lf) {
        return $this->getEntityManager()
            ->createQuery('
                    SELECT
                        o,
                        u,
                        g,
                        r,
                        t,
                        p
                    FROM GameShelfUsersBundle:Own o
                    LEFT JOIN o.user u
                    LEFT JOIN o.game g
                    LEFT JOIN o.rate r
                    LEFT JOIN o.typo t
                    LEFT JOIN o.platforms p
                    WHERE u.id = :user
                    AND o.typo = :type
                    ORDER BY o.updated DESC
                ')
            ->setParameters(array(
            'user' => $u,
            'type' => $t
            ))
            ->setMaxResults($lf)
            ->setFirstResult($ls)
            ->getResult();
    }

My problem is, how to set :type to be not in? I mean, I wanted to use it like this:

$type = '!= 1'
...
AND o.typo :type
...
'type' => $type

But it didn't worked at all. Using $type = -1 doesn't help either. Is there any way, other than creating if/else statement and duplicating query?

Upvotes: 0

Views: 490

Answers (1)

DonCallisto
DonCallisto

Reputation: 29932

Why don't you use a query builder??

In that way you can easily customize your query, depending on some condition.

This is an example:

$q = $this
        ->createQueryBuilder('foo')
        ->select('foo')
        ->leftJoin('foo.bar', 'foobar')
        ->leftJoin('foobar.bar', 'foobarbar')
        ;
if($myVar > 0)
{
 $q->where('foobarbar.var = :myVar');
}
else
{
 $q->where('foobarbar.var = :staticValue');
} 
[...]

Remember to call return $q->getResult(); at the end

Upvotes: 1

Related Questions