Logo Questions Linux Laravel Mysql Ubuntu Git Menu
 

How do I check if object was found in a Doctrine2 repository?

I am finding a entity by its PK as follow:

$ent = $em->getRepository('AppBundle:Representative')->find($id)

What is the right way to check whether $ent is a real Representative object or not? What I mean with real is that $ent currently exists on DB and was returned since I am planning to use the same results for INSERT and UPDATE. In pseudo-code what is on my head is:

if (ent is Representative)
{
    // Update its values
} else {
    // Create a new Representative
}

I was thinking in use is_object() or even instanceof but I am not sure if they will do the job or if $ent will be an object even if Representative doesn't exist on DB. Any advice on this? How I can achieve that?

like image 233
ReynierPM Avatar asked Jun 29 '15 12:06

ReynierPM


Video Answer


2 Answers

EntityRepository::find() method (which you use) returns an object, or null if the object couldn't be found in the database. All of the following conditions are valid:

if ($entity) {
}

if (null !== $entity) {
}

if ($entity instanceof Representative) {
}

Choose one that suits your coding standards the best, and use it consistently.

If you don't need to create a new object if it's not found, better throw an exception and handle it appropriately.

like image 163
Jakub Zalas Avatar answered Oct 22 '22 04:10

Jakub Zalas


How about this:

$product = $this->getDoctrine()
        ->getRepository('AppBundle:Product')
        ->find($id);

    if (!$product) {
        throw $this->createNotFoundException(
            'No product found for id '.$id
        );

Source: click me

like image 30
bambamboole Avatar answered Oct 22 '22 04:10

bambamboole