I am trying to execute a query using doctrine2 and need it to return a collection object.
Simplified snippet:
$players = $this->getEntityManager()
to return an object instead of array, you have to use "Partial Objects".
here is tested code example https://stackoverflow.com/a/12044461/1178870
Since you're selecting only 'p' objects (and no individual column or aggregate values) and you're using getResult() for the hydration mode, your query should be returning pure objects rather than an array.
My best guess is that the problem has to do with the shorthand syntax you're using to build the query. The first thing I'd try is writing out the query "long form" like this:
$em = $this->getEntityManager();
$qb = $em->createQueryBuilder();
$qb->select('p')
->from('...\Player', 'p');
$query = $qb->getQuery();
$players = $query->getResult();
I would have guessed that your shorthand approach would be fine, but I've found Doctrine to be kind of finicky when it comes to method chaining.
There are a couple other things to consider depending on how simplified your snippet is. But in my experience, the query written as shown will return Player objects.
The getResult()
always returns an array. If you want a collection, you must pass the array that is returned by getResult()
to Doctrine's ArrayCollection
e.g.
use Doctrine\Common\Collections\ArrayCollection;
$result = $this
->getEntityManager()
->createQueryBuilder()
->select('p')
->from('...\Player', 'p')
->getQuery()
->getResult()
;
$players = new ArrayCollection($result);