Databases and the Doctrine ORM

Screencast

Do you prefer video tutorials? Check out the Doctrine screencast series.

Symfony provides all the tools you need to use databases in your applicationsthanks to Doctrine, the best set of PHP libraries to work with databases.These tools support relational databases like MySQL and PostgreSQL and alsoNoSQL databases like MongoDB.

Databases are a broad topic, so the documentation is divided in three articles:

  • This article explains the recommended way to work with relational databasesin Symfony applications;
  • Read this other article if you need low-level accessto perform raw SQL queries to relational databases (similar to PHP's PDO);
  • Read DoctrineMongoDBBundle docs if you are working with MongoDB databases.

Installing Doctrine

First, install Doctrine support via the orm Symfony pack,as well as the MakerBundle, which will help generate some code:

  1. $ composer require symfony/orm-pack
  2. $ composer require --dev symfony/maker-bundle

Configuring the Database

The database connection information is stored as an environment variable calledDATABASE_URL. For development, you can find and customize this inside .env:

  1. # .env (or override DATABASE_URL in .env.local to avoid committing your changes)
  2.  
  3. # customize this line!
  4. DATABASE_URL="mysql://db_user:[email protected]:3306/db_name"
  5.  
  6. # to use sqlite:
  7. # DATABASE_URL="sqlite:///%kernel.project_dir%/var/app.db"

Caution

If the username, password, host or database name contain any character consideredspecial in a URI (such as +, @, $, #, /, :, *, !),you must encode them. See RFC 3986 for the full list of reserved characters oruse the urlencode function to encode them. In this case you need toremove the resolve: prefix in config/packages/doctrine.yaml to avoid errors:url: '%env(resolve:DATABASE_URL)%'

Now that your connection parameters are setup, Doctrine can create the db_namedatabase for you:

  1. $ php bin/console doctrine:database:create

There are more options in config/packages/doctrine.yaml that you can configure,including your server_version (e.g. 5.7 if you're using MySQL 5.7), which mayaffect how Doctrine functions.

Tip

There are many other Doctrine commands. Run php bin/console list doctrineto see a full list.

Creating an Entity Class

Suppose you're building an application where products need to be displayed.Without even thinking about Doctrine or databases, you already know thatyou need a Product object to represent those products.

You can use the make:entity command to create this class and any fields youneed. The command will ask you some questions - answer them like done below:

  1. $ php bin/console make:entity
  2.  
  3. Class name of the entity to create or update:
  4. > Product
  5.  
  6. New property name (press <return> to stop adding fields):
  7. > name
  8.  
  9. Field type (enter ? to see all types) [string]:
  10. > string
  11.  
  12. Field length [255]:
  13. > 255
  14.  
  15. Can this field be null in the database (nullable) (yes/no) [no]:
  16. > no
  17.  
  18. New property name (press <return> to stop adding fields):
  19. > price
  20.  
  21. Field type (enter ? to see all types) [string]:
  22. > integer
  23.  
  24. Can this field be null in the database (nullable) (yes/no) [no]:
  25. > no
  26.  
  27. New property name (press <return> to stop adding fields):
  28. >
  29. (press enter again to finish)

New in version 1.3: The interactive behavior of the make:entity command was introducedin MakerBundle 1.3.

Woh! You now have a new src/Entity/Product.php file:

  1. // src/Entity/Product.php
  2. namespace App\Entity;
  3.  
  4. use Doctrine\ORM\Mapping as ORM;
  5.  
  6. /**
  7. * @ORM\Entity(repositoryClass="App\Repository\ProductRepository")
  8. */
  9. class Product
  10. {
  11. /**
  12. * @ORM\Id
  13. * @ORM\GeneratedValue
  14. * @ORM\Column(type="integer")
  15. */
  16. private $id;
  17.  
  18. /**
  19. * @ORM\Column(type="string", length=255)
  20. */
  21. private $name;
  22.  
  23. /**
  24. * @ORM\Column(type="integer")
  25. */
  26. private $price;
  27.  
  28. public function getId()
  29. {
  30. return $this->id;
  31. }
  32.  
  33. // ... getter and setter methods
  34. }

Note

Confused why the price is an integer? Don't worry: this is just an example.But, storing prices as integers (e.g. 100 = $1 USD) can avoid rounding issues.

Note

If you are using an SQLite database, you'll see the following error:PDOException: SQLSTATE[HY000]: General error: 1 Cannot add a NOT NULLcolumn with default value NULL. Add a nullable=true option to thedescription property to fix the problem.

Caution

There is a limit of 767 bytes for the index key prefix when usingInnoDB tables in MySQL 5.6 and earlier versions. String columns with 255character length and utf8mb4 encoding surpass that limit. This meansthat any column of type string and unique=true must set itsmaximum length to 190. Otherwise, you'll see this error:"[PDOException] SQLSTATE[42000]: Syntax error or access violation:1071 Specified key was too long; max key length is 767 bytes".

This class is called an "entity". And soon, you'll be able to save and query Productobjects to a product table in your database. Each property in the Productentity can be mapped to a column in that table. This is usually done with annotations:the @ORM... comments that you see above each property:

_images/mapping_single_entity.png

The make:entity command is a tool to make life easier. But this is your code:add/remove fields, add/remove methods or update configuration.

Doctrine supports a wide variety of field types, each with their own options.To see a full list, check out Doctrine's Mapping Types documentation.If you want to use XML instead of annotations, add type: xml anddir: '%kernel.project_dir%/config/doctrine' to the entity mappings in yourconfig/packages/doctrine.yaml file.

Caution

Be careful not to use reserved SQL keywords as your table or column names(e.g. GROUP or USER). See Doctrine's Reserved SQL keywords documentationfor details on how to escape these. Or, change the table name with@ORM\Table(name="groups") above the class or configure the column name withthe name="group_name" option.

Migrations: Creating the Database Tables/Schema

The Product class is fully-configured and ready to save to a product table.If you just defined this class, your database doesn't actually have the producttable yet. To add it, you can leverage the DoctrineMigrationsBundle, which isalready installed:

  1. $ php bin/console make:migration

If everything worked, you should see something like this:

SUCCESS!

Next: Review the new migration "src/Migrations/Version20180207231217.php"Then: Run the migration with php bin/console doctrine:migrations:migrate

If you open this file, it contains the SQL needed to update your database! To runthat SQL, execute your migrations:

  1. $ php bin/console doctrine:migrations:migrate

This command executes all migration files that have not already been run againstyour database. You should run this command on production when you deploy to keepyour production database up-to-date.

Migrations & Adding more Fields

But what if you need to add a new field property to Product, like adescription? You can edit the class to add the new property. But, you canalso use make:entity again:

  1. $ php bin/console make:entity
  2.  
  3. Class name of the entity to create or update
  4. > Product
  5.  
  6. New property name (press <return> to stop adding fields):
  7. > description
  8.  
  9. Field type (enter ? to see all types) [string]:
  10. > text
  11.  
  12. Can this field be null in the database (nullable) (yes/no) [no]:
  13. > no
  14.  
  15. New property name (press <return> to stop adding fields):
  16. >
  17. (press enter again to finish)

This adds the new description property and getDescription() and setDescription()methods:

  1. // src/Entity/Product.php
  2. // ...
  3.  
  4. class Product
  5. {
  6. // ...
  7.  
  8. + /**
  9. + * @ORM\Column(type="text")
  10. + */
  11. + private $description;
  12.  
  13. // getDescription() & setDescription() were also added
  14. }

The new property is mapped, but it doesn't exist yet in the product table. Noproblem! Generate a new migration:

  1. $ php bin/console make:migration

This time, the SQL in the generated file will look like this:

  1. ALTER TABLE product ADD description LONGTEXT NOT NULL

The migration system is smart. It compares all of your entities with the currentstate of the database and generates the SQL needed to synchronize them! Likebefore, execute your migrations:

  1. $ php bin/console doctrine:migrations:migrate

This will only execute the one new migration file, because DoctrineMigrationsBundleknows that the first migration was already executed earlier. Behind the scenes, itmanages a migration_versions table to track this.

Each time you make a change to your schema, run these two commands to generate themigration and then execute it. Be sure to commit the migration files and executethem when you deploy.

Tip

If you prefer to add new properties manually, the make:entity command cangenerate the getter & setter methods for you:

  1. $ php bin/console make:entity --regenerate

If you make some changes and want to regenerate all getter/setter methods,also pass —overwrite.

Persisting Objects to the Database

It's time to save a Product object to the database! Let's create a new controllerto experiment:

  1. $ php bin/console make:controller ProductController

Inside the controller, you can create a new Product object, set data on it,and save it:

  1. // src/Controller/ProductController.php
  2. namespace App\Controller;
  3.  
  4. // ...
  5. use App\Entity\Product;
  6. use Doctrine\ORM\EntityManagerInterface;
  7. use Symfony\Component\HttpFoundation\Response;
  8.  
  9. class ProductController extends AbstractController
  10. {
  11. /**
  12. * @Route("/product", name="create_product")
  13. */
  14. public function createProduct(): Response
  15. {
  16. // you can fetch the EntityManager via $this->getDoctrine()
  17. // or you can add an argument to the action: createProduct(EntityManagerInterface $entityManager)
  18. $entityManager = $this->getDoctrine()->getManager();
  19.  
  20. $product = new Product();
  21. $product->setName('Keyboard');
  22. $product->setPrice(1999);
  23. $product->setDescription('Ergonomic and stylish!');
  24.  
  25. // tell Doctrine you want to (eventually) save the Product (no queries yet)
  26. $entityManager->persist($product);
  27.  
  28. // actually executes the queries (i.e. the INSERT query)
  29. $entityManager->flush();
  30.  
  31. return new Response('Saved new product with id '.$product->getId());
  32. }
  33. }

Try it out!

Congratulations! You just created your first row in the product table. To prove it,you can query the database directly:

  1. $ php bin/console doctrine:query:sql 'SELECT * FROM product'
  2.  
  3. # on Windows systems not using Powershell, run this command instead:
  4. # php bin/console doctrine:query:sql "SELECT * FROM product"

Take a look at the previous example in more detail:

  • line 18 The $this->getDoctrine()->getManager() method gets Doctrine'sentity manager object, which is the most important object in Doctrine. It'sresponsible for saving objects to, and fetching objects from, the database.
  • lines 20-23 In this section, you instantiate and work with the $productobject like any other normal PHP object.
  • line 26 The persist($product) call tells Doctrine to "manage" the$product object. This does not cause a query to be made to the database.
  • line 29 When the flush() method is called, Doctrine looks throughall of the objects that it's managing to see if they need to be persistedto the database. In this example, the $product object's data doesn'texist in the database, so the entity manager executes an INSERT query,creating a new row in the product table.

Note

If the flush() call fails, a Doctrine\ORM\ORMException exceptionis thrown. See Transactions and Concurrency.

Whether you're creating or updating objects, the workflow is always the same: Doctrineis smart enough to know if it should INSERT or UPDATE your entity.

Validating Objects

The Symfony validator reuses Doctrine metadata to performsome basic validation tasks:

  1. // src/Controller/ProductController.php
  2. namespace App\Controller;
  3.  
  4. use App\Entity\Product;
  5. use Symfony\Component\HttpFoundation\Response;
  6. use Symfony\Component\Validator\Validator\ValidatorInterface;
  7. // ...
  8.  
  9. class ProductController extends AbstractController
  10. {
  11. /**
  12. * @Route("/product", name="create_product")
  13. */
  14. public function createProduct(ValidatorInterface $validator): Response
  15. {
  16. $product = new Product();
  17. // This will trigger an error: the column isn't nullable in the database
  18. $product->setName(null);
  19. // This will trigger a type mismatch error: an integer is expected
  20. $product->setPrice('1999');
  21.  
  22. // ...
  23.  
  24. $errors = $validator->validate($product);
  25. if (count($errors) > 0) {
  26. return new Response((string) $errors, 400);
  27. }
  28.  
  29. // ...
  30. }
  31. }

Although the Product entity doesn't define any explicitvalidation configuration, Symfony introspects the Doctrinemapping configuration to infer some validation rules. For example, given thatthe name property can't be null in the database, aNotNull constraint is added automaticallyto the property (if it doesn't contain that constraint already).

The following table summarizes the mapping between Doctrine metadata andthe corresponding validation constraints added automatically by Symfony:

Doctrine attributeValidation constraintNotes
nullable=falseNotNullRequires installing the PropertyInfo component
typeTypeRequires installing the PropertyInfo component
unique=trueUniqueEntity
lengthLength

Because the Form component as well as API Platform internallyuse the Validator component, all your forms and web APIs will also automaticallybenefit from these automatic validation constraints.

This automatic validation is a nice feature to improve your productivity, but itdoesn't replace the validation configuration entirely. You still need to addsome validation constraints to ensure that dataprovided by the user is correct.

New in version 4.3: The automatic validation has been added in Symfony 4.3.

Fetching Objects from the Database

Fetching an object back out of the database is even easier. Suppose you want tobe able to go to /product/1 to see your new product:

  1. // src/Controller/ProductController.php
  2. // ...
  3.  
  4. /**
  5. * @Route("/product/{id}", name="product_show")
  6. */
  7. public function show($id)
  8. {
  9. $product = $this->getDoctrine()
  10. ->getRepository(Product::class)
  11. ->find($id);
  12.  
  13. if (!$product) {
  14. throw $this->createNotFoundException(
  15. 'No product found for id '.$id
  16. );
  17. }
  18.  
  19. return new Response('Check out this great product: '.$product->getName());
  20.  
  21. // or render a template
  22. // in the template, print things with {{ product.name }}
  23. // return $this->render('product/show.html.twig', ['product' => $product]);
  24. }

Try it out!

When you query for a particular type of object, you always use what's knownas its "repository". You can think of a repository as a PHP class whose onlyjob is to help you fetch entities of a certain class.

Once you have a repository object, you have many helper methods:

  1. $repository = $this->getDoctrine()->getRepository(Product::class);
  2.  
  3. // look for a single Product by its primary key (usually "id")
  4. $product = $repository->find($id);
  5.  
  6. // look for a single Product by name
  7. $product = $repository->findOneBy(['name' => 'Keyboard']);
  8. // or find by name and price
  9. $product = $repository->findOneBy([
  10. 'name' => 'Keyboard',
  11. 'price' => 1999,
  12. ]);
  13.  
  14. // look for multiple Product objects matching the name, ordered by price
  15. $products = $repository->findBy(
  16. ['name' => 'Keyboard'],
  17. ['price' => 'ASC']
  18. );
  19.  
  20. // look for *all* Product objects
  21. $products = $repository->findAll();

You can also add custom methods for more complex queries! More on that later inthe Querying for Objects: The Repository section.

Tip

When rendering an HTML page, the web debug toolbar at the bottom of the pagewill display the number of queries and the time it took to execute them:

_images/doctrine_web_debug_toolbar.png

If the number of database queries is too high, the icon will turn yellow toindicate that something may not be correct. Click on the icon to open theSymfony Profiler and see the exact queries that were executed. If you don'tsee the web debug toolbar, install the profiler Symfony packby running this command: composer require —dev symfony/profiler-pack.

Automatically Fetching Objects (ParamConverter)

In many cases, you can use the SensioFrameworkExtraBundle to do the queryfor you automatically! First, install the bundle in case you don't have it:

  1. $ composer require sensio/framework-extra-bundle

Now, simplify your controller:

  1. // src/Controller/ProductController.php
  2. use App\Entity\Product;
  3.  
  4. /**
  5. * @Route("/product/{id}", name="product_show")
  6. */
  7. public function show(Product $product)
  8. {
  9. // use the Product!
  10. // ...
  11. }

That's it! The bundle uses the {id} from the route to query for the Productby the id column. If it's not found, a 404 page is generated.

There are many more options you can use. Read more about the ParamConverter.

Updating an Object

Once you've fetched an object from Doctrine, you interact with it the same aswith any PHP model:

  1. /**
  2. * @Route("/product/edit/{id}")
  3. */
  4. public function update($id)
  5. {
  6. $entityManager = $this->getDoctrine()->getManager();
  7. $product = $entityManager->getRepository(Product::class)->find($id);
  8.  
  9. if (!$product) {
  10. throw $this->createNotFoundException(
  11. 'No product found for id '.$id
  12. );
  13. }
  14.  
  15. $product->setName('New product name!');
  16. $entityManager->flush();
  17.  
  18. return $this->redirectToRoute('product_show', [
  19. 'id' => $product->getId()
  20. ]);
  21. }

Using Doctrine to edit an existing product consists of three steps:

  • fetching the object from Doctrine;
  • modifying the object;
  • calling flush() on the entity manager.You can call $entityManager->persist($product), but it isn't necessary:Doctrine is already "watching" your object for changes.

Deleting an Object

Deleting an object is very similar, but requires a call to the remove()method of the entity manager:

  1. $entityManager->remove($product);
  2. $entityManager->flush();

As you might expect, the remove() method notifies Doctrine that you'dlike to remove the given object from the database. The DELETE query isn'tactually executed until the flush() method is called.

Querying for Objects: The Repository

You've already seen how the repository object allows you to run basic querieswithout any work:

  1. // from inside a controller
  2. $repository = $this->getDoctrine()->getRepository(Product::class);
  3.  
  4. $product = $repository->find($id);

But what if you need a more complex query? When you generated your entity withmake:entity, the command also generated a ProductRepository class:

  1. // src/Repository/ProductRepository.php
  2. namespace App\Repository;
  3.  
  4. use App\Entity\Product;
  5. use Doctrine\Bundle\DoctrineBundle\Repository\ServiceEntityRepository;
  6. use Doctrine\Common\Persistence\ManagerRegistry;
  7.  
  8. class ProductRepository extends ServiceEntityRepository
  9. {
  10. public function __construct(ManagerRegistry $registry)
  11. {
  12. parent::__construct($registry, Product::class);
  13. }
  14. }

When you fetch your repository (i.e. ->getRepository(Product::class)), it isactually an instance of this object! This is because of the repositoryClassconfig that was generated at the top of your Product entity class.

Suppose you want to query for all Product objects greater than a certain price. Adda new method for this to your repository:

  1. // src/Repository/ProductRepository.php
  2.  
  3. // ...
  4. class ProductRepository extends ServiceEntityRepository
  5. {
  6. public function __construct(ManagerRegistry $registry)
  7. {
  8. parent::__construct($registry, Product::class);
  9. }
  10.  
  11. /**
  12. * @param $price
  13. * @return Product[]
  14. */
  15. public function findAllGreaterThanPrice($price): array
  16. {
  17. // automatically knows to select Products
  18. // the "p" is an alias you'll use in the rest of the query
  19. $qb = $this->createQueryBuilder('p')
  20. ->andWhere('p.price > :price')
  21. ->setParameter('price', $price)
  22. ->orderBy('p.price', 'ASC')
  23. ->getQuery();
  24.  
  25. return $qb->execute();
  26.  
  27. // to get just one result:
  28. // $product = $qb->setMaxResults(1)->getOneOrNullResult();
  29. }
  30. }

This uses Doctrine's Query Builder: a very powerful and user-friendly way towrite custom queries. Now, you can call this method on the repository:

  1. // from inside a controller
  2. $minPrice = 1000;
  3.  
  4. $products = $this->getDoctrine()
  5. ->getRepository(Product::class)
  6. ->findAllGreaterThanPrice($minPrice);
  7.  
  8. // ...

If you're in a Injecting Services/Config into a Service, you can type-hint theProductRepository class and inject it like normal.

For more details, see the Query Builder Documentation from Doctrine.

Querying with DQL or SQL

In addition to the query builder, you can also query with Doctrine Query Language:

  1. // src/Repository/ProductRepository.php
  2. // ...
  3.  
  4. public function findAllGreaterThanPrice($price): array
  5. {
  6. $entityManager = $this->getEntityManager();
  7.  
  8. $query = $entityManager->createQuery(
  9. 'SELECT p
  10. FROM App\Entity\Product p
  11. WHERE p.price > :price
  12. ORDER BY p.price ASC'
  13. )->setParameter('price', $price);
  14.  
  15. // returns an array of Product objects
  16. return $query->execute();
  17. }

Or directly with SQL if you need to:

  1. // src/Repository/ProductRepository.php
  2. // ...
  3.  
  4. public function findAllGreaterThanPrice($price): array
  5. {
  6. $conn = $this->getEntityManager()->getConnection();
  7.  
  8. $sql = '
  9. SELECT * FROM product p
  10. WHERE p.price > :price
  11. ORDER BY p.price ASC
  12. ';
  13. $stmt = $conn->prepare($sql);
  14. $stmt->execute(['price' => $price]);
  15.  
  16. // returns an array of arrays (i.e. a raw data set)
  17. return $stmt->fetchAll();
  18. }

With SQL, you will get back raw data, not objects (unless you use the NativeQueryfunctionality).

Configuration

See the Doctrine config reference.

Relationships and Associations

Doctrine provides all the functionality you need to manage database relationships(also known as associations), including ManyToOne, OneToMany, OneToOne and ManyToManyrelationships.

For info, see How to Work with Doctrine Associations / Relations.

Database Testing

Read the article about testing code that interacts with the database.

Doctrine Extensions (Timestampable, Translatable, etc.)

Doctrine community has created some extensions to implement common needs such as"set the value of the createdAt property automatically when creating an entity".Read more about the available Doctrine extensions and use theStofDoctrineExtensionsBundle to integrate them in your application.

Learn more