2

我目前正在尝试通过在终端中执行命令来执行 CRON 作业。但它会引发以下错误。

PHP Fatal error:  Call to a member function has() on a non-object in /MyProject/vendor/symfony/src/Symfony/Bundle/FrameworkBundle/Controller/Controller.php on line 161

这是我在命令文件中的代码。

namespace MyProject\UtilityBundle\Command;
use Symfony\Component\Console\Command\Command;
use Symfony\Component\Console\Input\InputArgument;
use Symfony\Component\Console\Input\InputInterface;
use Symfony\Component\Console\Input\InputOption;
use Symfony\Component\Console\Output\OutputInterface;



    class projectOngoingCommand extends Command
    {
        protected function configure()
        {
            $this
                ->setName('projectOngoingEstimation:submit')
                ->setDescription('Submit Ongoing Project Estimation')

                ;
        }

        protected function execute(InputInterface $input, OutputInterface $output)
        {

           ;
            $projectController= new \MyProject\ProjectBundle\Controller\DefaultController();  


             $msg = $projectController->updateMonthlyOngoingAllocation();


            $output->writeln($msg);
        }
    }

这是我在默认控制器中的代码。

// cron job code
    public function updateMonthlyOngoingAllocation() {

              $em = $this->getDoctrine()->getEntityManager();
        $project = $this->getDoctrine()->getRepository('MyProjectEntityBundle:Project')
                    ->getAllOngoingProjectList();
       return "hello";
      }

使用命令调用此方法成功

sudo php app/console projectOngoingEstimation:submit

但它在第一行抛出错误。IE

 $em = $this->getDoctrine()->getEntityManager();

当我尝试从控制器中的另一个 Action 方法调用该函数时,它工作正常。

4

2 回答 2

2

我认为您在这里使用的策略不正确。您尝试在命令中调用您的控制器,并且根据您收到的错误消息,这似乎不是一个好主意。

你应该创建一个服务并在你的控制器和命令中调用这个服务。

class ProjectManager
{
    private $em;

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

    public function updateMonthlyOngoingAllocation() {
        $project = $this->em->getRepository('MyProjectEntityBundle:Project')
                ->getAllOngoingProjectList();
        return "hello";
    }    
}

然后在 config.yml

services:
    project_manager:
        class: MyBundle\Manager\ProjectManager
        arguments: ["@doctrine.orm.entity_manager"]

现在您可以调用此服务:

  • 从你的控制器$this->get('project_manager')->updateMonthlyOngoingAllocation()
  • 从您的命令(如果您的类从而ContainerAwareCommand不是扩展Command)使用$this->getContainer()->get('project_manager')->updateMonthlyOngoingAllocation()
于 2012-05-11T09:54:06.430 回答
0

您只需执行以下操作。无需注入任何东西,因为控制台是容器感知的。

 public function updateMonthlyOngoingAllocation() {
                  $project = $this->getContainer()
                           ->get('doctrine')
                           ->getRepository('MyProjectEntityBundle:Project')
                           ->getAllOngoingProjectList();
           return "hello";
          }
于 2016-08-12T07:11:48.423 回答