Обработка ошибок ¶
В состав Yii входит встроенный обработчик ошибок, делающий работу с ошибками гораздо более
приятным занятием. А именно:
- Все не фатальные ошибки PHP (то есть warning, notice) конвертируются в исключения, которые можно перехватывать.
- Исключения и фатальные ошибки PHP отображаются в режиме отладки с детальным стеком вызовов и исходным кодом.
- Можно использовать для отображения ошибок действие контроллера.
- Поддерживаются различные форматы ответа.
По умолчанию обработчик ошибок включен. Вы можете выключить его объявив константу
YII_ENABLE_ERROR_HANDLER
со значением false
во входном скрипте вашего приложения.
Использование обработчика ошибок ¶
Обработчик ошибок регистрируется в качестве компонента приложения
с именем errorHandler
. Вы можете настраивать его следующим образом:
return [
'components' => [
'errorHandler' => [
'maxSourceLines' => 20,
],
],
];
С приведённой выше конфигурацией на странице ошибки будет отображаться до 20 строк исходного кода.
Как уже было упомянуто, обработчик ошибок конвертирует все не фатальные ошибки PHP в перехватываемые исключения.
Это означает что можно поступать с ошибками следующим образом:
use Yii;
use yii\base\ErrorException;
try {
10/0;
} catch (ErrorException $e) {
Yii::warning("Деление на ноль.");
}
// можно продолжать выполнение
Если вам необходимо показать пользователю страницу с ошибкой, говорящей ему о том, что его запрос не верен или не
должен был быть сделан, вы можете выкинуть исключение HTTP, такое как
yii\web\NotFoundHttpException. Обработчик ошибок корректно выставит статус код HTTP для ответа и использует
подходящий вид страницы ошибки.
use yii\web\NotFoundHttpException;
throw new NotFoundHttpException();
Настройка отображения ошибок ¶
Обработчик ошибок меняет отображение ошибок в зависимости от значения константы YII_DEBUG
.
При YII_DEBUG
равной true
(режим отладки), обработчик ошибок будет отображать для облегчения отладки детальный стек
вызовов и исходный код. При YII_DEBUG
равной false
отображается только сообщение об ошибке, тем самым не позволяя
получить информацию о внутренностях приложения.
Информация: Если исключение является наследником yii\base\UserException, стек вызовов не отображается вне
зависимости от значенияYII_DEBUG
так как такие исключения считаются ошибками пользователя и исправлять что-либо
разработчику не требуется.
По умолчанию обработчик ошибок показывает ошибки используя два представления:
@yii/views/errorHandler/error.php
: используется для отображения ошибок БЕЗ стека вызовов.
ПриYII_DEBUG
равнойfalse
используется только это преставление.@yii/views/errorHandler/exception.php
: используется для отображения ошибок СО стеком вызовов.
Вы можете настроить свойства errorView и exceptionView
для того, чтобы использовать свои представления.
Использование действий для отображения ошибок ¶
Лучшим способом изменения отображения ошибок является использование действий путём
конфигурирования свойства errorAction компонента errorHandler
:
// ...
'components' => [
// ...
'errorHandler' => [
'errorAction' => 'site/error',
],
]
Свойство errorAction принимает маршрут
действия. Конфигурация выше означает, что для отображения ошибки без стека вызовов будет использовано действие site/error
.
Само действие можно реализовать следующим образом:
namespace app\controllers;
use Yii;
use yii\web\Controller;
class SiteController extends Controller
{
public function actions()
{
return [
'error' => [
'class' => 'yii\web\ErrorAction',
],
];
}
}
Приведённый выше код задаёт действие error
используя класс yii\web\ErrorAction, который рендерит ошибку используя
отображение error
.
Вместо использования yii\web\ErrorAction вы можете создать действие error
как обычный метод:
public function actionError()
{
$exception = Yii::$app->errorHandler->exception;
if ($exception !== null) {
return $this->render('error', ['exception' => $exception]);
}
}
Вы должны создать файл представления views/site/error.php
. В этом файле, если используется yii\web\ErrorAction,
вам доступны следующие переменные:
name
: имя ошибки;message
: текст ошибки;exception
: объект исключения, из которого можно получить дополнительную информацию, такую как статус HTTP,
код ошибки, стек вызовов и т.д.
Информация: Если вы используете шаблоны приложения basic или advanced,
действие error и файл представления уже созданы за вас.
Изменение формата ответа ¶
Обработчик ошибок отображает ошибки в соответствии с выбранным форматом ответа.
Если формат ответа задан как html
, будут использованы представления для ошибок и
исключений, как описывалось ранее. Для остальных форматов ответа обработчик ошибок присваивает массив данных,
представляющий ошибку свойству yii\web\Response::$data. Оно далее конвертируется в необходимый формат. Например,
если используется формат ответа json
, вы получите подобный ответ:
HTTP/1.1 404 Not Found
Date: Sun, 02 Mar 2014 05:31:43 GMT
Server: Apache/2.2.26 (Unix) DAV/2 PHP/5.4.20 mod_ssl/2.2.26 OpenSSL/0.9.8y
Transfer-Encoding: chunked
Content-Type: application/json; charset=UTF-8
{
"name": "Not Found Exception",
"message": "The requested resource was not found.",
"code": 0,
"status": 404
}
Изменить формат можно в обработчике события beforeSend
компонента response
в конфигурации приложения:
return [
// ...
'components' => [
'response' => [
'class' => 'yii\web\Response',
'on beforeSend' => function ($event) {
$response = $event->sender;
if ($response->data !== null) {
$response->data = [
'success' => $response->isSuccessful,
'data' => $response->data,
];
$response->statusCode = 200;
}
},
],
],
];
Приведённый код изменит формат ответа на подобный:
HTTP/1.1 200 OK
Date: Sun, 02 Mar 2014 05:31:43 GMT
Server: Apache/2.2.26 (Unix) DAV/2 PHP/5.4.20 mod_ssl/2.2.26 OpenSSL/0.9.8y
Transfer-Encoding: chunked
Content-Type: application/json; charset=UTF-8
{
"success": false,
"data": {
"name": "Not Found Exception",
"message": "The requested resource was not found.",
"code": 0,
"status": 404
}
}
Yii includes a built-in [[yii\web\ErrorHandler|error handler]] which makes error handling a much more pleasant
experience than before. In particular, the Yii error handler does the following to improve error handling:
- All non-fatal PHP errors (e.g. warnings, notices) are converted into catchable exceptions.
- Exceptions and fatal PHP errors are displayed with detailed call stack information and source code lines
in debug mode. - Supports using a dedicated controller action to display errors.
- Supports different error response formats.
The [[yii\web\ErrorHandler|error handler]] is enabled by default. You may disable it by defining the constant
YII_ENABLE_ERROR_HANDLER
to be false in the entry script of your application.
Using Error Handler
The [[yii\web\ErrorHandler|error handler]] is registered as an application component named errorHandler
.
You may configure it in the application configuration like the following:
return [
'components' => [
'errorHandler' => [
'maxSourceLines' => 20,
],
],
];
With the above configuration, the number of source code lines to be displayed in exception pages will be up to 20.
As aforementioned, the error handler turns all non-fatal PHP errors into catchable exceptions. This means you can
use the following code to deal with PHP errors:
use Yii;
use yii\base\ErrorException;
try {
10/0;
} catch (ErrorException $e) {
Yii::warning("Division by zero.");
}
// execution continues...
If you want to show an error page telling the user that his request is invalid or unexpected, you may simply
throw an [[yii\web\HttpException|HTTP exception]], such as [[yii\web\NotFoundHttpException]]. The error handler
will correctly set the HTTP status code of the response and use an appropriate error view to display the error
message.
use yii\web\NotFoundHttpException;
throw new NotFoundHttpException();
Customizing Error Display
The [[yii\web\ErrorHandler|error handler]] adjusts the error display according to the value of the constant YII_DEBUG
.
When YII_DEBUG
is true (meaning in debug mode), the error handler will display exceptions with detailed call
stack information and source code lines to help easier debugging. And when YII_DEBUG
is false, only the error
message will be displayed to prevent revealing sensitive information about the application.
Info: If an exception is a descendant of [[yii\base\UserException]], no call stack will be displayed regardless
the value ofYII_DEBUG
. This is because such exceptions are considered to be caused by user mistakes and the
developers do not need to fix anything.
By default, the [[yii\web\ErrorHandler|error handler]] displays errors using two views:
@yii/views/errorHandler/error.php
: used when errors should be displayed WITHOUT call stack information.
WhenYII_DEBUG
is false, this is the only error view to be displayed.@yii/views/errorHandler/exception.php
: used when errors should be displayed WITH call stack information.
You can configure the [[yii\web\ErrorHandler::errorView|errorView]] and [[yii\web\ErrorHandler::exceptionView|exceptionView]]
properties of the error handler to use your own views to customize the error display.
Using Error Actions
A better way of customizing the error display is to use dedicated error actions.
To do so, first configure the [[yii\web\ErrorHandler::errorAction|errorAction]] property of the errorHandler
component like the following:
return [
'components' => [
'errorHandler' => [
'errorAction' => 'site/error',
],
]
];
The [[yii\web\ErrorHandler::errorAction|errorAction]] property takes a route
to an action. The above configuration states that when an error needs to be displayed without call stack information,
the site/error
action should be executed.
You can create the site/error
action as follows,
namespace app\controllers;
use Yii;
use yii\web\Controller;
class SiteController extends Controller
{
public function actions()
{
return [
'error' => [
'class' => 'yii\web\ErrorAction',
],
];
}
}
The above code defines the error
action using the [[yii\web\ErrorAction]] class which renders an error
using a view named error
.
Besides using [[yii\web\ErrorAction]], you may also define the error
action using an action method like the following,
public function actionError()
{
$exception = Yii::$app->errorHandler->exception;
if ($exception !== null) {
return $this->render('error', ['exception' => $exception]);
}
}
You should now create a view file located at views/site/error.php
. In this view file, you can access
the following variables if the error action is defined as [[yii\web\ErrorAction]]:
name
: the name of the error;message
: the error message;exception
: the exception object through which you can retrieve more useful information, such as HTTP status code,
error code, error call stack, etc.
Info: If you are using the basic project template or the advanced project template,
the error action and the error view are already defined for you.
Customizing Error Response Format
The error handler displays errors according to the format setting of the response.
If the the [[yii\web\Response::format|response format]] is html
, it will use the error or exception view
to display errors, as described in the last subsection. For other response formats, the error handler will
assign the array representation of the exception to the [[yii\web\Response::data]] property which will then
be converted to different formats accordingly. For example, if the response format is json
, you may see
the following response:
HTTP/1.1 404 Not Found
Date: Sun, 02 Mar 2014 05:31:43 GMT
Server: Apache/2.2.26 (Unix) DAV/2 PHP/5.4.20 mod_ssl/2.2.26 OpenSSL/0.9.8y
Transfer-Encoding: chunked
Content-Type: application/json; charset=UTF-8
{
"name": "Not Found Exception",
"message": "The requested resource was not found.",
"code": 0,
"status": 404
}
You may customize the error response format by responding to the beforeSend
event of the response
component
in the application configuration:
return [
// ...
'components' => [
'response' => [
'class' => 'yii\web\Response',
'on beforeSend' => function ($event) {
$response = $event->sender;
if ($response->data !== null) {
$response->data = [
'success' => $response->isSuccessful,
'data' => $response->data,
];
$response->statusCode = 200;
}
},
],
],
];
The above code will reformat the error response like the following:
HTTP/1.1 200 OK
Date: Sun, 02 Mar 2014 05:31:43 GMT
Server: Apache/2.2.26 (Unix) DAV/2 PHP/5.4.20 mod_ssl/2.2.26 OpenSSL/0.9.8y
Transfer-Encoding: chunked
Content-Type: application/json; charset=UTF-8
{
"success": false,
"data": {
"name": "Not Found Exception",
"message": "The requested resource was not found.",
"code": 0,
"status": 404
}
}
Включить или выключить ошибки
-
wokster
- Сообщения: 308
- Зарегистрирован: 2013.09.06, 14:12
- Контактная информация:
Включить или выключить ошибки
Перенес на сервер проект. Посыпались ошибки. НАпример:
Код: Выделить всё
Database Exception – yii\db\Exception
Undefined offset: 1
Failed to prepare SQL: SELECT COUNT(*) FROM `board` WHERE ((`idinbd` IN (:qp0, :qp1, :qp2, :qp3, :qp4, :qp5
Вопросы:
1. Как выключить ошибки на сервере
2. Как включить их на localhost (openserver)
3. Правильно ли отключать их на сервере или исправлять? Учитывая, что на локалки они видимо игнорировались, но при этом все работало.
4. Что это за ошибка, облазил весь нет, но не понял вследствие чего она возникает (если хотите ее повторить прошу сюда http://prodamgitaru.ru/?cenamax%5B%5D=5 … n%5B%5D=16).
-
dmg
- Сообщения: 685
- Зарегистрирован: 2012.10.15, 03:09
Re: Включить или выключить ошибки
Сообщение
dmg »
так в yii в index.php есть
Код: Выделить всё
defined('YII_DEBUG') or define('YII_DEBUG', true);
defined('YII_ENV') or define('YII_ENV', 'dev');
ошибки надо исправлять.
ошибка связана с неправильной передачей параметров при формировании запроса.
Search code, repositories, users, issues, pull requests…
Provide feedback
Saved searches
Use saved searches to filter your results more quickly
Sign up
Can’t make Yii to show error to webbrowser. Configured custom error handler in config:
'errorHandler' => array(
// use 'site/error' action to display errors
'errorAction' => 'site/error',
),
But all errors only got written to application.log and then Apache servers empty page with error 500. How to make Yii print errors to the screen?
index.php:
// remove the following lines when in production mode
defined('YII_DEBUG') or define('YII_DEBUG', true);
// specify how many levels of call stack should be shown in each log message
defined('YII_TRACE_LEVEL') or define('YII_TRACE_LEVEL',3);
asked Nov 3, 2014 at 21:11
Denis KulaginDenis Kulagin
8,47217 gold badges60 silver badges129 bronze badges
2
You should a little bit modify your config/main.php
. There is an item errorHandler
. It should look like this:
'errorHandler' => [
// use 'site/error' action to display errors
'errorAction' => YII_DEBUG ? null : 'site/error',
],
This happened due to increased priority of CErrorHandler::$errorAction
. Here is discussion: https://github.com/yiisoft/yii/issues/3760
answered May 25, 2016 at 4:26
SleepWalkerSleepWalker
1,15214 silver badges17 bronze badges
It might be more of an Apache setting. What you have is correct.
Mine also has this one.
defined(‘YII_DEBUG_SHOW_PROFILER’) or define(‘YII_DEBUG_SHOW_PROFILER’,true);
You can also do this.
error_reporting(E_ALL);
ini_set("display_startup_errors","1");
ini_set("display_errors","1");
answered Nov 3, 2014 at 21:23
DemodaveDemodave
6,2526 gold badges44 silver badges59 bronze badges
read runtime/logs/app.log
you can see any action and error that happens in you yii2 app.
answered Dec 31, 2018 at 13:07