Как включить EntityManager в ZendFramework 2 AbstractValidator

У меня есть собственный валидатор, расширяющий Zend AbstractValidator. Дело в том, что я хочу включить Doctrine EntityManager, но я продолжаю терпеть неудачу! Я пытался создать Фабрику для моего Валидатора, но, похоже, это не сработало. Помогите!! Что я делаю неправильно?

Оценщик:

$ this-> objectRepository остается пустым, пока я ожидаю содержимое.

namespace Rentals\Validator;

use Rentals\Response;
use Zend\Validator\AbstractValidator;
use Zend\Stdlib\ArrayUtils;

class ExistentialQuantification extends AbstractValidator
{
    const NO_ENTITY_ID = 'noEntityId';
    const ENTITY_NOT_FOUND = 'entityNotFound';
    const INVALID_ID = 'invalidId';

    protected $messageTemplates = [
        self::NO_ENTITY_ID => 'The input does not contain an entity id.',
        self::ENTITY_NOT_FOUND => 'The entity could not be found.',
        self::INVALID_ID => 'The input does not contain an entity id.',
    ];

    protected $objectRepository;

    public function __construct(array $options)
    {
        $this->objectRepository = $options['object_repository'];

        parent::__construct($options);
    }

    public function isValid($value)
    {
        if ($value === null) {
            return true;
        }
        if (! isset($value->id)) {
            $this->error(self::NO_ENTITY_ID);

            return false;
        }

        $entityClass = $this->getOption('entity_class');
        $controller = new Controller();
        $entity = (new FactoryInterface)(EntityManager::class)->find($entityClass, $entity->id);
        if (! $entity instanceof $entityClass) {
            $this->error(self::ENTITY_NOT_FOUND);

            return false;
        }
        if (! $entity->getId()) {
            $this->error(self::NO_ENTITY_ID);

            return false;
        }

        return true;
    }
}

Фабрика:

namespace Rentals\Validator;

use Zend\ServiceManager\FactoryInterface;
use Zend\ServiceManager\MutableCreationOptionsInterface;
use Zend\ServiceManager\ServiceLocatorInterface;
use Zend\Stdlib\ArrayUtils;

class ExistentialQuantificationFactory implements FactoryInterface, MutableCreationOptionsInterface
{
    protected $options = [];

    public function setCreationOptions(array $options)
    {
        $this->options = $options;
    }

    public function createService(ServiceLocatorInterface $serviceLocator)
    {
        if (! isset($this->options['object_manager'])) {
            $this->options['object_manager'] = 'doctrine.entitymanager.orm_default';
        }

        $objectManager = $serviceLocator->get($this->options['object_manager']);
        $objectRepository = $objectManager->getRepository($this->options['entity_class']);

        return new ExistentialQuantification(ArrayUtils::merge(
            $this->options, [
                'objectManager' => $objectManager,
                'objectRepository' => $objectRepository
            ]
        ));
    }
}

Конфигурация модуля:

<?php
return [
    'service_manager' => [
        'factories' => [
            'Rentals\\Validator\\ExistentialQuantification' => 'Rentals\\Validator\\ExistentialQuantificationFactory'
        ]
    ]
];
?>

1 ответ

Что если вы измените свою конфигурационную запись, как в следующем примере?

return [
    'validators' => [
        'factories' => [
            ExistentialQuantification::class => ExistentialQuantificationFactory::class,
        ],
    ],
];

Это изменение приведет к дальнейшим изменениям для вашей фабрики, потому что указатель службы для менеджера сущностей отличается от того, который вы ввели.

namespace Application\Validator\Factory;

use Zend\ServiceManager\FactoryInterface;
use Zend\ServiceManager\MutableCreationOptionsInterface;
use Zend\ServiceManager\MutableCreationOptionsTrait;
use Zend\ServiceManager\ServiceLocatorInterface;

class ExistentialQuantificationFactory implements FactoryInterface, MutableCreationOptionsInterface
{
    use MutableCreatinOptionsTrait;

    public function createService(ServiceLocatorInterface $serviceLocator)
    {
        $parentLocator = $serviceLocator->getServiceLocator();

        if (! isset($this->creationOptions['object_manager'])) {
            $this->creationOptions['object_manager'] = 'doctrine.entitymanager.orm_default';
        }

        $objectManager = $parentLocator->get($this->creationOptions['object_manager']);
        $objectRepository = $objectManager->getRepository($this->creationOptions['entity_class']);

        return new ExistentialQuantification(ArrayUtils::merge(
            $this->options, [
                'objectManager' => $objectManager,
                'objectRepository' => $objectRepository
            ]
        ));
    }
}

Что я здесь сделал? Сначала я реализовал класс MutableCreationOptionsTrait. Эта черта реализует необходимые функции для работы с опциями создания. Но это всего лишь небольшой совет, чтобы избежать ненужной работы.

Из-за установки класса валидатора как валидатора в конфигурации, мы должны использовать родительский локатор службы для получения менеджера сущностей. Унаследованный локатор службы просто предоставляет доступ к валидаторам.

Теперь вы можете попытаться получить доступ к вашему валидатору в вашем контроллере, как в следующем примере.

$validator = $this->getServiceLocator()
    ->get('ValidatorManager')
    ->get(ExistentialQuantification::class, [
        'entity_class' => YourEntityClass::class,
    ]);

\Zend\Debug\Debug::dump($validator, __METHOD__);

Менеджер валидатора должен вернуть ваш валидатор, чтобы вы могли проверить его.

Другие вопросы по тегам