这里有一个奇怪的。我刚刚完成了Silex应用程序,但在触发$app->finish时遇到了问题。这是我的代码:
<?php
require_once __DIR__ . '/../vendor/autoload.php';
$app = new SilexApplication();
$app->get('/', function (Request $request) {
$batchProcess = function () {
long_process();
};
$app->finish($batchProcess);
return $app->json("ok", 200);
};
$app->run();
所以问题来了:批处理过程永远不会运行!为了找到错误,我在Silex\Application:中的"on"函数中添加了一个var_export
/**
* Adds an event listener that listens on the specified events.
*
* @param string $eventName The event to listen on
* @param callable $callback The listener
* @param integer $priority The higher this value, the earlier an event
* listener will be triggered in the chain (defaults to 0)
*/
public function on($eventName, $callback, $priority = 0)
{
$this['dispatcher'] = $this->share($this->extend('dispatcher', function ($dispatcher, $app) use ($callback, $priority, $eventName) {
$dispatcher->addListener($eventName, $callback, $priority);
return $dispatcher;
}));
var_export($this['dispatcher']);
}
当var_export在那里时,一切都正常(尽管内核在发送任何数据之前运行批处理过程)。当var_export被注释掉时,它会立即返回"ok",并且批处理过程永远不会运行。
我做错了什么?为什么内核在不执行进程的情况下终止?
参见Igor Wiedler的评论:
可能有一种方法可以通过对响应进行两次更改来实现班
- 第一种是在
Response::send()
中的flush()
之前添加ob_flush()
- 二是设置
content-length
报头
我能够在不修改Response
类的情况下实现同样的效果。首先,您需要将在finish
中间件中设置的回调移动到get
方法之外,并手动检查路由(在本例中,'GET_'
响应'/'
路径):
$app->finish(function() {
if ('GET_' === $request->attributes->get('_route')) {
long_process();
}
});
下面是get
方法的样子:
$app->get('/', function(Request $request) use ($app) {
$content = json_encode(array(
'status' => 'ok',
));
$response = new Response($content, 200);
$response->headers->set('Content-Type', 'application/json');
$response->headers->set('Content-Length', strlen($content));
$response->send();
ob_flush();
return $response;
});
设置内容长度非常重要,否则JSON内容将被发送两次,因为$response在方法中返回,并由Silex发送。