Сервис Symfony, tagged_locator работает с конфигурацией в yaml, но не в php

Я использую tagged_locator в своей конфигурации службы. Все работает с конфигурацией yaml. Но когда я делаю конфиг на php, он больше не работает. Параметр моего сервиса не заполнен (0 providedServices)

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

services:
    # default configuration for services in *this* file
    _defaults:
        autowire: true      # Automatically injects dependencies in your services.
        autoconfigure: true # Automatically registers your services as commands, event subscribers, etc.

    # makes classes in src/ available to be used as services
    # this creates a service per class whose id is the fully-qualified class name
    App\:
        resource: '../src/'
        exclude:
            - '../src/DependencyInjection/'
            - '../src/Entity/'
            - '../src/Kernel.php'
            - '../src/Tests/'

    # controllers are imported separately to make sure services can be injected
    # as action arguments even if you don't extend any base controller class
    App\Controller\:
        resource: '../src/Controller/'
        tags: ['controller.service_arguments']

    # add more service definitions when explicit configuration is needed
    # please note that last definitions always *replace* previous ones

    # Will tag automatically all service that implement the VoterInterface created
    _instanceof:
        App\Voter\CriterionInterface:
            tags:
                - 'app.post.voter.criterion'

    App\Voter\PostVoter:
        arguments:
            - !tagged_locator 'app.post.voter.criterion'

Конфигурация Php

return static function (ContainerConfigurator $containerConfigurator): void {
    $services = $containerConfigurator->services();

    $services->defaults()
        ->autowire()
        ->autoconfigure();

    $services->load('App\\', __DIR__.'/../src/')
        ->exclude(
            [
                __DIR__.'/../src/DependencyInjection/',
                __DIR__.'/../src/Entity/',
                __DIR__.'/../src/Kernel.php',
                __DIR__.'/../src/Tests/',
            ]
        );

    $services->load('App\Controller\\', __DIR__.'/../src/Controller/')
        ->tag('controller.service_arguments');

    $services->instanceof(CriterionInterface::class)
        ->tag('app.post.voter.criterion');

    $services->set(PostVoter::class)
        ->args([tagged_locator('app.post.voter.criterion')]);

Моя служба

$ критериям содержит список сервисов, реализующих интерфейс Criterion

class PostVoter extends Voter
{
    private $criteria;

    public function __construct(ServiceLocator $criteria)
    {
        $this->criteria = $criteria;
    }

    protected function supports(string $attribute, $subject)
    {
        dump($this->criteria->getProvidedServices()); //empty array in php config

        return $subject instanceof Entry && $this->criteria->has($attribute);
    }
}

dump($this-> критерии->getProvidedServices());// пустой массив в конфигурации php

Пример класса использовал этот интерфейс

class CanEdit implements CriterionInterface
{
    public function handle(Entry $post, User $user): bool
    {
        return $user === $post->getOwner();
    }
}

Мой класс ядра, это исходный класс при создании нового приложения SF

class Kernel extends BaseKernel
{
    use MicroKernelTrait;

    protected function configureContainer(ContainerConfigurator $container): void
    {
        $container->import('../config/{packages}/*.yaml');
        $container->import('../config/{packages}/'.$this->environment.'/*.yaml');

        if (is_file(\dirname(__DIR__).'/config/services.yaml')) {
            $container->import('../config/{services}.yaml');
            $container->import('../config/{services}_'.$this->environment.'.yaml');
        } elseif (is_file($path = \dirname(__DIR__).'/config/services.php')) {
            (require $path)($container->withPath($path), $this);
        }
    }

    protected function configureRoutes(RoutingConfigurator $routes): void
    {
        $routes->import('../config/{routes}/'.$this->environment.'/*.yaml');
        $routes->import('../config/{routes}/*.yaml');

        if (is_file(\dirname(__DIR__).'/config/routes.yaml')) {
            $routes->import('../config/{routes}.yaml');
        } elseif (is_file($path = \dirname(__DIR__).'/config/routes.php')) {
            (require $path)($routes->withPath($path), $this);
        }
    }
}

Спасибо за вашу помощь

1 ответ

Спасибо nicolas-grekas, который исправил мою ошибку:

Конфигураторы неизменяемы: вам нужно сохранить и использовать возвращаемое значение вызова defaults () и instanceof():

    $services = $services->defaults()
        ->autowire()
        ->autoconfigure();

    $services = $services->instanceof(CriterionInterface::class)
        ->tag('app.post');

    $services->load('App\\', __DIR__.'/../src/')
        ->exclude(
            [
                __DIR__.'/../src/DependencyInjection/',
                __DIR__.'/../src/Entity/',
                __DIR__.'/../src/Kernel.php',
                __DIR__.'/../src/Tests/',
            ]
        );

Условные выражения Instanceof необходимо настроить до обнаружения службы на основе пути (первый вызов load ())

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