所以我有一个基本要求:我需要从控制器调用Symfony2的自定义控制台命令(该脚本也由CRON作业调用,但我希望它可以从Web浏览器调用)。
我按了this tutorial使其正常工作,现在是:
<?php
namespace AppBundle\Controller\Admin;
use Symfony\Bundle\FrameworkBundle\Console\Application;
use Symfony\Component\Console\Input\ArrayInput;
use Symfony\Component\Console\Output\BufferedOutput;
use Sensio\Bundle\FrameworkExtraBundle\Configuration\Route;
use Symfony\Bundle\FrameworkBundle\Controller\Controller;
use Symfony\Component\HttpFoundation\Request;
use Symfony\Component\HttpFoundation\Response;
class TacheController extends Controller
{
/**
* @Route("/admin/taches/facebook", name="admin_tache_facebook")
*
* @return Response
*/
public function facebookAction(Request $request)
{
ini_set('max_execution_time', -1);
$kernel = $this->get('kernel');
$application = new Application($kernel);
$application->setAutoExit(false);
$input = new ArrayInput(array(
'command' => 'nrv:fetch:facebook',
));
// You can use NullOutput() if you don't need the output
$output = new BufferedOutput();
$application->run($input, $output);
// return the output, don't use if you used NullOutput()
$content = $output->fetch();
// return new Response(""), if you used NullOutput()
return new Response($content);
}
}
但是,控制台命令运行时间很长(~2mn),因此页面会挂起,直到它显示命令的所有输出。
我的目标是让输出显示在控制台中,就像使用带有ConsoleBundle
的Web控制台一样。我想到了ob_start()
和ob_end_flush()
的用法,但我不知道如何在这种情况下使用它们。
我努力实现的目标是什么?我怎么能这样做?
根据the answer provided by @MichałSznurawa,我必须扩展\Symfony\Component\Console\Output\BufferedOutput
并实施doWrite()
方法。这是:
<?php
namespace AppBundle\Console;
use Symfony\Component\Console\Output\BufferedOutput;
use Symfony\Component\HttpFoundation\StreamedResponse;
class StreamedOutput extends BufferedOutput
{
public function doWrite($message, $newline)
{
$response = new StreamedResponse();
$response->setCallback(function() use($message) {
echo $message;
flush();
});
$response->send();
}
}
按照以下内容修改控制器:
$output = new StreamedOutput();
结果是页面在执行后立即流式传输命令的输出(而不是等待命令完成)。
答案 0 :(得分:1)
您必须实现自己的输出类并将其注入而不是BufferedOutput。您可以扩展抽象类\Symfony\Component\Console\Output\Output
或实现接口vendor/symfony/symfony/src/Symfony/Component/Console/Output/OutputInterface.php:20
。
您的实现应该是流式响应,如此处所述:http://symfony.com/doc/current/components/http_foundation/introduction.html#streaming-a-response而不是等待命令执行结束并将所有输出一起发回。当然,只有当你的命令在执行期间打印出来时,这才会起作用。