Opérations CRUD
Entity manager & Repository
Entity manager
Récupération de l'entity manager doctrine dans un contrôleur :
1 2 3 |
// you can fetch the EntityManager via $this->getDoctrine() // or you can add an argument to your action: index(EntityManagerInterface $em) $em = $this ->getDoctrine()->getManager(); |
Comme indiqué, l'entity manager peut aussi être injecté.
Repository
1 |
$productRepository = $this ->getDoctrine()->getRepository(Product:: class ); |
Pour une bonne séparation du code, il est conseillé de créer des classes Repository pour chacune des classes métier utilisées :
1 2 3 4 5 6 7 8 9 10 11 |
namespace App\Repository; //... class UserRepository extends ServiceEntityRepository { public function __construct(ManagerRegistry $registry ) { parent::__construct( $registry , User:: class ); } //... } |
Il est ensuite possible d'injecter ce Repository pour l'utiliser dans un contrôleur :
1 2 3 4 5 6 7 8 9 10 |
class UsersController extends Controller{ /** * @var UserRepository */ private $repository ; public function __construct(UserRepository $userRepo ){ $this ->repository= $userRepo ; } } |
Read : chargement d'enregistrements
Récupération du Repository :
1 |
$repository = $this ->getDoctrine()->getRepository(Product:: class ); |
Chargement d'une instance (par sa clé primaire, généralement 'id')
1 |
$product = $repository ->find( $id ); |
Chargement d'une instance sur critères variés :
1 2 3 4 5 6 7 |
// query for a single Product by name $product = $repository ->findOneBy([ 'name' => 'Keyboard' ]); // or find by name and price $product = $repository ->findOneBy([ 'name' => 'Keyboard' , 'price' => 19.99, ]); |
Chargement de plusieurs instances
1 2 3 4 5 6 7 8 |
// query for multiple Product objects matching the name, ordered by price $products = $repository ->findBy( [ 'name' => 'Keyboard' ], [ 'price' => 'ASC' ] ); // find *all* Product objects $products = $repository ->findAll(); |