提问人:Eli 提问时间:4/9/2016 更新时间:12/8/2016 访问量:1845
我可以在 Silex 中禁用错误/异常处理吗?
Can I disable error/exception handling in Silex?
问:
我正在构建一个基于 Silex 1.3 的应用程序。这是我第一次接触Silex,所以我对它不是很熟悉。
我想使用我自己的错误/异常处理程序,它基本上是一个注册自身的类,然后将捕获所有错误、致命错误和未捕获的异常并处理它们,无论是在开发中使用 Whoops,还是在生产中使用优雅的处理程序。
但是,一旦我进入 silex 控制器、中间件等,Silex 就会接管并使用它自己的错误处理。我的仍然会发现致命的错误,因为 Silex 显然没有挂钩到关闭状态,但其他所有内容都被 Silex 默认的“出错了”页面所取代。
我确实知道我可以使用 $app->error() 来覆盖 Silex 处理错误的方式,但我还没有找到一种方法从那里将事情设置回原始 ErrorHandler,或者覆盖 Silex 是否处理错误。
那么,有谁知道如何 a) 告诉 Silex 使用我的错误处理程序,使用 $app->error() 或其他方式,b) 完全禁用 Silex 中的错误处理,或者 c) 作为最后的手段,让 Silex 捕获致命错误,以便我可以从 $app->error() 中处理所有三种类型?
由于这是我第一次使用 Silex,如果有更好的方法,请随时纠正我或向我展示您如何处理 Silex 中的错误,但如果可以的话,也请回答这个问题。
一些示例代码:
// This will register itself and then handle all errors.
$handler = new ErrorHandler();
// These are all handled appropriately.
nonexistentfunction(); // Correctly caught by ErrorHandler::handleFatalError
trigger_error("example"); // Correctly caught by ErrorHandler::handlePhpError
throw new \Exception("example"); // Correctly caught by ErrorHandler::handleException
$app = new \Silex\Application();
$app->get('/', function () use ($app) {
// This is still handled correctly.
nonexistentfunction(); // Correctly caught by ErrorHandler::handleFatalError
// However, these are now overridden by Silex.
trigger_error("example"); // INCORRECTLY DISPLAYS SILEX ERROR PAGE.
throw new \Exception("example"); // INCORRECTLY DISPLAYS SILEX ERROR PAGE.
});
$app->run();
还有一个非常简化的 ErrorHandler 供参考:
Class ErrorHandler
{
public function __construct()
{
$this->register();
}
private function register()
{
register_shutdown_function( array($this, "handleFatalError") );
set_error_handler(array($this, "handlePhpError"));
set_exception_handler(array($this, "handleException"));
}
// Etc.
}
答:
您必须在应用中注册特定的提供商:https://github.com/whoops-php/silex-1
评论
我知道您可以完全禁用 Silex 应用程序错误处理程序的选项,之后,您的自定义错误处理程序应该可以按照您的定义正常工作。(b)
完全禁用 Silex 错误处理程序:
$app['exception_handler']->disable();
所以,它会像:
require_once 'Exception.php'; # Load the class
$handler = new ErrorHandler(); # Initialize/Register it
$app = new \Silex\Application();
$app->get('/', function () use ($app) {
nonexistentfunction();
trigger_error("example");
throw new \Exception("example");
});
$app->run();
评论
请参阅 Silex 文档
看起来,您还需要注册一个 ExceptionHandler。Silex 会将致命错误转化为异常,以便处理它们。此外,如果我没记错的话,当“抛出”在控制器和中间件内部(至少在中间件之前)时,这种异常将被捕获,但不会在模型内部捕获。
最后,您可以添加以下内容来处理事情。
// register generic error handler (this will catch all exceptions)
$app->error(function (\Exception $e, $exceptionCode) use ($app) {
//if ($app['debug']) {
// return;
//}
return \Service\SomeHelper::someExceptionResponse($app, $e);
});
return $app;
我希望这能有所帮助。
请注意,ExceptionHandler::d isable() 在 1.3 中已被弃用,并在 2.0 中删除。所以:
在 Silex 2.0 之前的版本中:
$app['exception_handler']->disable();
在 Silex 2.0+ 中:
unset($app['exception_handler']);
评论