将Symfony命令定义为服务会导致preg_match()异常

时间:2018-02-22 13:14:06

标签: php symfony symfony-console

我有以下命令,它在调用时成功地将样式化的消息打印到bash终端:

class DoSomethingCommand extends Command
{
    protected function configure()
    {
        $this->setName('do:something')
            ->setDescription('Does a thing');
    }

    protected function execute(InputInterface $input, OutputInterface $output)
    {
        $io = new SymfonyStyle($input, $output);

        $io->title('About to do something ... ');

        $io->success('Done doing something.');
    }
}

...但是当我在services.yml中添加以下内容以尝试将我的命令定义为服务时...

services:
  console_command.do_something:
    class: AppBundle\Command\DoSomethingCommand
    arguments:
      - "@doctrine.orm.entity_manager"
    tags:
      - { name: console.command }

...我收到此错误:

  

警告:preg_match()期望参数2为字符串,给定对象   在   SRC /应用/供应商/ symfony的/ symfony的/ SRC / Symfony的/组件/控制台/命令/ Command.php:665

我在这里做错了什么?

1 个答案:

答案 0 :(得分:3)

首先,您注入了服务,但是在命令中执行任何构造函数。

这意味着您当前正在将EntityManager(对象)注入Command类的参数(需要stringnull,这就是为什么您拥有误差)

# Symfony\Component\Console\Command\Command
class Command
{
    public function __construct($name = null)
    {

然后,如documentation中所定义,您必须调用父构造函数

class YourCommand extends Command
{
    private $em;

    public function __construct(EntityManagerInterface $em)
    {
        $this->em = $em;

        // you *must* call the parent constructor
        parent::__construct();
    }

<强> ContainerAwareCommand

请注意,您的课程可以扩展ContainerAwareCommand,您可以通过$this->getContainer()->get('SERVICE_ID')访问公共服务。 这不是一个坏习惯,因为命令可以被视为一个控制器。 (通常你的控制器都注入了容器)