Repository
is the correct place for it?
As it says in the Symfony documentation, methods containing your query logic can then be stored in Repository
class (https://symfony.com/doc/current/doctrine/repository.html).
So, where you should stored Entity
methods like create, update or delete to reuse it in other parts of the code?
For exemple, I want to reuse Product
create logic:
$em = $this->getDoctrine()->getManager();
$product = new Product();
$product->setName('Keyboard');
$em->persist($product);
$em->flush();
My questions are:
Should I create a new service or just add this in my
ProductRepository
if it just contains query logic (e.g. INSERT new entity in the exemple)?Should I create a service (
ProductManager
) that contains all three methods (create, update, delete)? Or should I create three different services (ProductCreate
,ProductUpdate
,ProductDelete
) to comply the Single Responsibility Principle?- Should I create a service for each
Entity
(ProductService
,ItemService
, etc.) or should I create a common service (EntityManager
)? - Is there any other better solution?
My solution (updated 5 Oct 2017):
Entity:
interface Entity
{
public function getId();
}
class Product implements Entity
{
private $id;
public function getId()
{
return $this->id;
}
// ...
}
Repository:
interface Repository
{
public function create(Entity $entity);
// ...
}
interface ProductRepository extends Repository
{
// ...
}
abstract class BaseDoctrineRepository extends Doctrine\ORM\EntityRepository
{
public function create(Entity $entity)
{
$this->_em->persist($entity);
$this->_em->flush();
}
// ...
}
class ProductDoctrineRepository extends BaseDoctrineRepository implements ProductRepository
{
// ...
}
Service:
class ProductService
{
private $productRepository;
public function __construct(ProductRepository $productRepository)
{
$this->productRepository = $productRepository;
}
public function create($name)
{
$product = new Product();
$product->setName($name);
$this->productRepository->create($product);
return $product;
}
}
How to create new Product:
$productService = new ProductService();
$productService->create('product name');
How to create new Product using Dependency Injection:
public function foo(ProductService $productService)
{
$productService->create('product name');
}
create a common service implementing interface that contains create, update, delete, merge ... methods for each entityManager connection. For example, if you are some like configuration you need to create two common services DefaultManager (for entities in AppBundle and AcmeStoreBundle) and customerManager (for entities in AcmeCustomerBundle) services implementing the same interface:
Or you can add abstract class Manager implementing an interface and two Common manager extending abstract class and redefine methods as needed.