Symfony docs没有给出full example在Symfony中工厂的用法。
就我而言,我有许多不同的服务可以生成不同的Fruits API:
每个服务都有它自己的依赖项,该依赖项是一些绑定参数:
services:
_defaults:
autowire: true
bind:
$guzzleClientBanana: '@eight_points_guzzle.client.banana'
$guzzleClientApple: '@eight_points_guzzle.client.apple'
...
服务例如:
# BananaApiService.php
class BananaApiService extends DefaultEndpointService
{
protected $guzzleClientBanana;
public function __construct(GuzzleClient $guzzleClientBanana)
{
$this->guzzleClientBanana = $guzzleClientBanana;
}
public function handleRequest(ApiRequest $apiRequest)
{
...
}
}
当前,我不使用工厂模式,而是将所有服务传递给太脏且违反最佳实践的经理的构造函数:
# ApisManagerService
class ApisManagerService
{
protected $BananaApiService;
protected $AppleApiService;
protected $PearApiService;
public function __construct(BananaApiService $BananaApiService,
AppleApiService $AppleApiService,
PearApiService $PearApiService)
{
$this->BananaApiService = $BananaApiService;
//...
}
public function requestDispatcher(ShoppingList $shoppingList): void
{
foreach ($shoppingList->getItems() as $item) {
switch ($item->getName()) {
case 'banana':
$this->BananaApiService->handleRequest($item);
break;
case 'apple':
$this->AppleApiService->handleRequest($item);
break;
//...
}
}
}
}
通过某些事件订阅者调用此requestDispatcher:
class EasyAdminSubscriber implements EventSubscriberInterface
{
public function triggerApisManagerService(GenericEvent $event): void
{
/* @var $entity shoppingList */
$entity = $event->getSubject();
if (! $entity instanceof shoppingList) {
return;
}
$this->apisManagerService->requestDispatcher($entity);
}
}
如何使用Symfony工厂(或其他Symfony方法)使代码更好?
答案 0 :(得分:1)
对于这种特殊情况,我建议看一下strategy pattern的实现。与所有服务的构造函数注入相比,这将是一种更干净的解决方案,尤其是在某些情况下不需要使用所有服务的情况下-通过策略模式,您将仅在应用程序运行时使用所需的服务,并处理它们具体的逻辑。