Logo Questions Linux Laravel Mysql Ubuntu Git Menu
 

How to deal with "IN" in WHERE-clause in Doctrine2

Here is the dql-query

$dql = "SELECT t Entities\Table t WHERE t.field IN (?1)";
    $q = $em->createQuery($dql)
                ->setParameter(1, '108919,108920');
    $result = $q->execute();

if i pass parameters through setParameter doctrine returns only first result, but if i put them directly into the dql-query it returns 2 results (this is correct):

$dql = "SELECT t Entities\Table t WHERE t.field1 IN (108919,108920)";

How to deal with "IN" in WHERE-clause through setParameter?

like image 485
John W. Avatar asked Dec 27 '10 08:12

John W.


3 Answers

Be aware that this only works for numbered parameters, and not named parameters.

$searchParameters = array(108919, 108920);

$dql = "SELECT t Entities\Table t WHERE t.field IN (?1)";
$q = $em->createQuery($dql)
   ->setParameter(1, $searchParameters);

$result = $q->execute();
like image 78
tomsykes Avatar answered Nov 15 '22 09:11

tomsykes


The following should work fine:

$searchParameters = array(108919, 108920);

$dql = "SELECT t Entities\Table t WHERE t.field IN (?1)";
$q = $em->createQuery($dql)
   ->setParameter(1, $searchParameters);

$result = $q->execute();

You can pass in an array, without using implode() and doctrine will handle it properly (as a list of integers).

Note: if you're already working with the string '108919, 108920' -- you will need to use the explode and trim functions.

This is also mentioned here: How to use the in statement in DQL in Doctrine 2.0

like image 37
zeitgeist Avatar answered Nov 15 '22 09:11

zeitgeist


The following should work as expected (for an arbitrary numer of arguments to the IN clause)

$params = array(1 => 108919, 2 => 108920);
$qb = $em->createQueryBuilder();
$qb->select(array('t'))
   ->from('Entities\Table', 't')
   ->where($qb->expr()-> in('t.field', array_map(function($p) { return '?'.$p; }, array_keys($params)))
   ->setParameters($params);
$q = $qb->getQuery();
$r = $q->getResult();
like image 1
Stefan Gehrig Avatar answered Nov 15 '22 09:11

Stefan Gehrig